summaryrefslogtreecommitdiff
path: root/src
diff options
context:
space:
mode:
Diffstat (limited to 'src')
-rw-r--r--src/db.rs19
-rw-r--r--src/errors.rs1
-rw-r--r--src/graphql.rs47
-rw-r--r--src/main.rs22
-rw-r--r--src/state.rs7
5 files changed, 70 insertions, 26 deletions
diff --git a/src/db.rs b/src/db.rs
new file mode 100644
index 0000000..b74550b
--- /dev/null
+++ b/src/db.rs
@@ -0,0 +1,19 @@
+use crate::errors::AppError;
+
+use tokio_postgres::{Client, NoTls};
+
+/// Setup database connection. Get variable `DATABASE_URL` from the environment.
+pub async fn setup() -> Result<Client, AppError> {
+ let database_url = &crate::config::CONFIG.database_url;
+
+ let (client, connection) = tokio_postgres::connect(database_url, NoTls).await.unwrap();
+
+ // Spawn a new task to run the connection to the database
+ tokio::spawn(async move {
+ if let Err(e) = connection.await {
+ eprintln!("Database connection error: {}", e);
+ }
+ });
+
+ Ok(client)
+}
diff --git a/src/errors.rs b/src/errors.rs
index e0a70b5..fafe0b0 100644
--- a/src/errors.rs
+++ b/src/errors.rs
@@ -6,6 +6,7 @@ use axum::{
use serde_json::json;
/// All errors raised by the web app
+#[derive(Debug)]
pub enum AppError {
/// Database error
Database,
diff --git a/src/graphql.rs b/src/graphql.rs
index 12b6db3..2843156 100644
--- a/src/graphql.rs
+++ b/src/graphql.rs
@@ -1,14 +1,11 @@
-use async_graphql::{
- http::GraphiQLSource, Context, EmptyMutation, EmptySubscription, Object, Schema,
-};
-use async_graphql_axum::GraphQL;
-use axum::{
- response::{self, IntoResponse},
- routing::get,
- Router,
-};
+use std::sync::Arc;
-struct Query;
+use async_graphql::{Context, EmptyMutation, EmptySubscription, Object, Schema};
+use async_graphql_axum::{GraphQLRequest, GraphQLResponse};
+
+// use crate::state::AppState;
+
+pub struct Query;
#[Object]
impl Query {
@@ -23,6 +20,19 @@ impl Query {
#[graphql(desc = "First value")] a: i32,
#[graphql(desc = "Second value")] b: Option<i32>,
) -> i32 {
+ // let state = ctx.data::<AppState>().unwrap();
+ // let client = &*state.client;
+ //
+ // // Perform a database query
+ // let rows = client
+ // .query("SELECT owner FROM payment", &[])
+ // .await
+ // .unwrap();
+ // for row in rows {
+ // let owner: String = row.get(0);
+ // println!("{owner}");
+ // }
+
match b {
Some(x) => a + x,
None => a,
@@ -30,16 +40,9 @@ impl Query {
}
}
-pub async fn graphiql() -> impl IntoResponse {
- response::Html(
- GraphiQLSource::build()
- .endpoint("/")
- .subscription_endpoint("/ws")
- .finish(),
- )
-}
-
-pub fn create_route() -> Router {
- let schema = Schema::new(Query, EmptyMutation, EmptySubscription);
- Router::new().route("/", get(graphiql).post_service(GraphQL::new(schema)))
+pub async fn graphql_handler(
+ schema: Arc<Schema<Query, EmptyMutation, EmptySubscription>>,
+ req: GraphQLRequest,
+) -> GraphQLResponse {
+ schema.execute(req.into_inner()).await.into()
}
diff --git a/src/main.rs b/src/main.rs
index 8643d71..7ef7ee6 100644
--- a/src/main.rs
+++ b/src/main.rs
@@ -1,14 +1,18 @@
mod config;
+mod db;
mod errors;
mod graphql;
mod logger;
mod routes;
-use std::{net::SocketAddr, time::Duration};
+mod state;
+use std::{net::SocketAddr, sync::Arc, time::Duration};
use crate::config::CONFIG;
+use async_graphql::{EmptyMutation, EmptySubscription, Schema};
use axum::{
http::{header, Request},
- Router,
+ routing::post,
+ Extension, Router,
};
use tokio::net::TcpListener;
use tower_http::{
@@ -21,10 +25,19 @@ use tracing::Span;
/// Create the app: setup everything and returns a `Router`
async fn create_app() -> Router {
logger::setup();
- // let _ = db::setup().await;
+ let dbclient = db::setup().await.unwrap();
+ let state = state::AppState {
+ client: Arc::new(dbclient),
+ };
+ let schema = Schema::build(graphql::Query, EmptyMutation, EmptySubscription)
+ .data(state.clone())
+ .finish();
Router::new()
- .nest("/graphql", graphql::create_route())
+ .route(
+ "/graphql",
+ post(move |req| graphql::graphql_handler(schema.clone().into(), req)),
+ )
.fallback(crate::routes::page_404)
// Mark the `Authorization` request header as sensitive so it doesn't
// show in logs.
@@ -43,6 +56,7 @@ async fn create_app() -> Router {
},
),
)
+ .layer(Extension(state))
}
#[tokio::main(flavor = "current_thread")]
diff --git a/src/state.rs b/src/state.rs
new file mode 100644
index 0000000..d4719b9
--- /dev/null
+++ b/src/state.rs
@@ -0,0 +1,7 @@
+use std::sync::Arc;
+
+use tokio_postgres::Client;
+#[derive(Clone)]
+pub struct AppState {
+ pub client: Arc<Client>,
+}