Files
my-website-v2/backend/public/src/datasources/authors.rs

45 lines
1.4 KiB
Rust
Raw Normal View History

use sqlx::{Pool, Postgres};
use crate::routes::{authors::Author, comments::Pagination, posts::Post};
pub struct AuthorsDatasource;
impl AuthorsDatasource {
pub async fn get_all(
pool: &Pool<Postgres>,
pagination: Pagination,
) -> Result<Vec<Author>, sqlx::Error> {
let offset: i64 = (pagination.page_number - 1) * pagination.page_size;
sqlx::query_as!(
Author,
"SELECT author_id, first_name, last_name, bio FROM authors ORDER BY created_at DESC LIMIT $1 OFFSET $2",
pagination.page_size,
offset,
)
.fetch_all(pool)
.await
}
pub async fn get_one(pool: &Pool<Postgres>, author_id: i32) -> Result<Author, sqlx::Error> {
sqlx::query_as!(
Author,
"SELECT author_id, first_name, last_name, bio FROM authors WHERE author_id = $1",
author_id
)
.fetch_one(pool)
.await
}
pub async fn get_authors_posts(
pool: &Pool<Postgres>,
author_id: i32,
) -> Result<Vec<Post>, sqlx::Error> {
sqlx::query_as!(
Post,
"SELECT p.post_id, a.first_name, a.last_name, p.title, p.body, p.created_at FROM posts p LEFT JOIN authors a ON a.author_id = p.author_id WHERE p.deleted_at IS NULL AND p.author_id = $1 ORDER BY created_at DESC",
author_id
)
.fetch_all(pool)
.await
}
}