what2watch/src/main.rs

120 lines
3.3 KiB
Rust
Raw Normal View History

2023-04-26 05:19:49 +00:00
//! Example of application using <https://github.com/launchbadge/sqlx>
2022-04-10 06:00:33 +00:00
//!
2023-04-26 05:19:49 +00:00
//! Run with
2022-04-10 06:00:33 +00:00
//!
2023-04-26 05:19:49 +00:00
//! ```not_rust
//! cargo run -p example-sqlx-postgres
//! ```
2022-04-10 06:00:33 +00:00
//!
2023-04-26 05:19:49 +00:00
//! Test with curl:
2022-04-10 06:00:33 +00:00
//!
//! ```not_rust
2023-04-26 05:19:49 +00:00
//! curl 127.0.0.1:3000
//! curl -X POST 127.0.0.1:3000
2022-04-10 06:00:33 +00:00
//! ```
2023-04-26 05:19:49 +00:00
use std::{net::SocketAddr, time::Duration};
2022-04-10 06:00:33 +00:00
use axum::{
2023-04-26 05:19:49 +00:00
async_trait,
extract::{FromRef, FromRequestParts, State},
http::{request::Parts, StatusCode},
routing::get,
Router,
};
use sqlx::{
sqlite::{SqliteConnectOptions, SqlitePool, SqlitePoolOptions},
types::uuid::adapter::Hyphenated,
2022-04-10 06:00:33 +00:00
};
2023-04-26 05:19:49 +00:00
use tokio::net::TcpListener;
2022-04-10 06:00:33 +00:00
use tracing_subscriber::{layer::SubscriberExt, util::SubscriberInitExt};
#[tokio::main]
async fn main() {
tracing_subscriber::registry()
2023-04-26 05:19:49 +00:00
.with(
tracing_subscriber::EnvFilter::try_from_default_env()
.unwrap_or_else(|_| "example_tokio_postgres=debug".into()),
)
2022-04-10 06:00:33 +00:00
.with(tracing_subscriber::fmt::layer())
.init();
2023-04-26 05:19:49 +00:00
let db_connection_str = std::env::var("DATABASE_URL")
.unwrap_or_else(|_| "postgres://postgres:password@localhost".to_string());
2022-04-10 06:00:33 +00:00
2023-04-26 05:19:49 +00:00
// setup connection pool
let pool = SqlitePoolOptions::new()
.max_connections(5)
.connect_timeout(Duration::from_secs(3))
.connect(&db_connection_str)
.await
.expect("can't connect to database");
2022-04-10 06:00:33 +00:00
2023-04-26 05:19:49 +00:00
// build our application with some routes
let app = Router::new()
.route(
"/",
get(using_connection_pool_extractor).post(using_connection_extractor),
)
.with_state(pool);
// run it with hyper
let listener = TcpListener::bind("127.0.0.1:3000").await.unwrap();
tracing::debug!("listening on {}", listener.local_addr().unwrap());
//axum::serve(listener, app).await.unwrap();
axum::Server::bind(&SocketAddr::from(([0, 0, 0, 0], 3000)))
2022-04-10 06:00:33 +00:00
.serve(app.into_make_service())
.await
.unwrap();
}
2023-04-26 05:19:49 +00:00
// we can extract the connection pool with `State`
async fn using_connection_pool_extractor(
State(pool): State<SqlitePool>,
) -> Result<String, (StatusCode, String)> {
sqlx::query_scalar("select 'hello world from pg'")
.fetch_one(&pool)
.await
.map_err(internal_error)
2022-04-10 06:00:33 +00:00
}
2023-04-26 05:19:49 +00:00
// we can also write a custom extractor that grabs a connection from the pool
// which setup is appropriate depends on your application
struct DatabaseConnection(sqlx::pool::PoolConnection<sqlx::Sqlite>);
2022-04-10 06:00:33 +00:00
2023-04-26 05:19:49 +00:00
#[async_trait]
impl<S> FromRequestParts<S> for DatabaseConnection
where
SqlitePool: FromRef<S>,
S: Send + Sync,
{
type Rejection = (StatusCode, String);
2022-04-10 06:00:33 +00:00
2023-04-26 05:19:49 +00:00
async fn from_request_parts(_parts: &mut Parts, state: &S) -> Result<Self, Self::Rejection> {
let pool = SqlitePool::from_ref(state);
2022-04-10 06:00:33 +00:00
2023-04-26 05:19:49 +00:00
let conn = pool.acquire().await.map_err(internal_error)?;
2022-04-10 06:00:33 +00:00
2023-04-26 05:19:49 +00:00
Ok(Self(conn))
2022-04-10 06:00:33 +00:00
}
}
2023-04-26 05:19:49 +00:00
async fn using_connection_extractor(
DatabaseConnection(conn): DatabaseConnection,
) -> Result<String, (StatusCode, String)> {
let mut conn = conn;
sqlx::query_scalar("select 'hello world from pg'")
.fetch_one(&mut conn)
.await
.map_err(internal_error)
2022-04-10 06:00:33 +00:00
}
2023-04-26 05:19:49 +00:00
/// Utility function for mapping any error into a `500 Internal Server Error`
/// response.
fn internal_error<E>(err: E) -> (StatusCode, String)
where
E: std::error::Error,
{
(StatusCode::INTERNAL_SERVER_ERROR, err.to_string())
2022-04-10 06:00:33 +00:00
}