Compare commits
42 Commits
08213133be
...
master
Author | SHA1 | Date | |
---|---|---|---|
dffec9b189 | |||
e2494135d6 | |||
d6c42afaec | |||
e376f584c7 | |||
75c5adf346 | |||
878ebf1541 | |||
c9775293c0 | |||
93b90b85b6 | |||
58e51cb028 | |||
5282376860 | |||
082f11a3e9 | |||
ec73a0c373 | |||
29afc2e92e | |||
cbca1058a2 | |||
8536e52590 | |||
247c6ad955 | |||
c6f7dfe225 | |||
0ba3b79185 | |||
64806f8bd4 | |||
4ea4f3149f | |||
d92c9a747e | |||
863bc90c6f | |||
d15339cf4a | |||
916dbe0245 | |||
7889137cd8 | |||
4e38c1133e | |||
86eb059f3e | |||
84f2423343 | |||
9207572f07 | |||
1c52bf3ea4 | |||
327e671571 | |||
36e12d1d96 | |||
452ea5625f | |||
bc8941d910 | |||
01d7a837f8 | |||
71048f0060 | |||
f278a44d8f | |||
aa4be7e05b | |||
5bc4337447 | |||
b50b7bcc73 | |||
9b2a1139b5 | |||
2083f3bb16 |
41
.gitea/workflows/deploy.yml
Normal file
41
.gitea/workflows/deploy.yml
Normal file
@@ -0,0 +1,41 @@
|
|||||||
|
name: Build and Deploy Thoughts
|
||||||
|
|
||||||
|
on:
|
||||||
|
push:
|
||||||
|
branches:
|
||||||
|
- master
|
||||||
|
workflow_dispatch:
|
||||||
|
|
||||||
|
jobs:
|
||||||
|
build-and-deploy-local:
|
||||||
|
runs-on: ubuntu-latest
|
||||||
|
|
||||||
|
steps:
|
||||||
|
- name: Checkout Code
|
||||||
|
uses: actions/checkout@v3
|
||||||
|
|
||||||
|
- name: Create .env file
|
||||||
|
run: |
|
||||||
|
echo "POSTGRES_USER=${{ secrets.POSTGRES_USER }}" >> .env
|
||||||
|
echo "POSTGRES_PASSWORD=${{ secrets.POSTGRES_PASSWORD }}" >> .env
|
||||||
|
echo "POSTGRES_DB=${{ secrets.POSTGRES_DB }}" >> .env
|
||||||
|
echo "AUTH_SECRET=${{ secrets.AUTH_SECRET }}" >> .env
|
||||||
|
echo "NEXT_PUBLIC_API_URL=${{ secrets.NEXT_PUBLIC_API_URL }}" >> .env
|
||||||
|
|
||||||
|
- name: Build Docker Images Manually
|
||||||
|
run: |
|
||||||
|
docker build --target runtime -t thoughts-backend:latest ./thoughts-backend
|
||||||
|
docker build --target release -t thoughts-frontend:latest --build-arg NEXT_PUBLIC_API_URL=${{ secrets.NEXT_PUBLIC_API_URL }} ./thoughts-frontend
|
||||||
|
docker build -t custom-proxy:latest ./nginx
|
||||||
|
|
||||||
|
- name: Deploy with Docker Compose
|
||||||
|
run: |
|
||||||
|
docker compose -f compose.prod.yml down
|
||||||
|
|
||||||
|
POSTGRES_USER=${{ secrets.POSTGRES_USER }} \
|
||||||
|
POSTGRES_PASSWORD=${{ secrets.POSTGRES_PASSWORD }} \
|
||||||
|
POSTGRES_DB=${{ secrets.POSTGRES_DB }} \
|
||||||
|
AUTH_SECRET=${{ secrets.AUTH_SECRET }} \
|
||||||
|
docker compose -f compose.prod.yml up -d
|
||||||
|
|
||||||
|
docker image prune -f
|
91
compose.prod.yml
Normal file
91
compose.prod.yml
Normal file
@@ -0,0 +1,91 @@
|
|||||||
|
services:
|
||||||
|
database:
|
||||||
|
image: postgres:15-alpine
|
||||||
|
container_name: thoughts-db
|
||||||
|
restart: unless-stopped
|
||||||
|
environment:
|
||||||
|
POSTGRES_USER: ${POSTGRES_USER}
|
||||||
|
POSTGRES_PASSWORD: ${POSTGRES_PASSWORD}
|
||||||
|
POSTGRES_DB: ${POSTGRES_DB}
|
||||||
|
volumes:
|
||||||
|
- postgres_data:/var/lib/postgresql/data
|
||||||
|
healthcheck:
|
||||||
|
test: ["CMD-SHELL", "pg_isready -U ${POSTGRES_USER} -d ${POSTGRES_DB}"]
|
||||||
|
interval: 10s
|
||||||
|
timeout: 5s
|
||||||
|
retries: 5
|
||||||
|
networks:
|
||||||
|
- internal
|
||||||
|
|
||||||
|
backend:
|
||||||
|
container_name: thoughts-backend
|
||||||
|
image: thoughts-backend:latest
|
||||||
|
restart: unless-stopped
|
||||||
|
environment:
|
||||||
|
- RUST_LOG=info
|
||||||
|
- RUST_BACKTRACE=1
|
||||||
|
- DATABASE_URL=postgresql://${POSTGRES_USER}:${POSTGRES_PASSWORD}@database/${POSTGRES_DB}
|
||||||
|
- HOST=0.0.0.0
|
||||||
|
- PORT=8000
|
||||||
|
- PREFORK=1
|
||||||
|
- AUTH_SECRET=${AUTH_SECRET}
|
||||||
|
- BASE_URL=https://thoughts.gabrielkaszewski.dev
|
||||||
|
depends_on:
|
||||||
|
database:
|
||||||
|
condition: service_healthy
|
||||||
|
healthcheck:
|
||||||
|
test: ["CMD", "wget", "-q", "--spider", "http://localhost:8000/health"]
|
||||||
|
interval: 10s
|
||||||
|
timeout: 5s
|
||||||
|
retries: 5
|
||||||
|
networks:
|
||||||
|
- internal
|
||||||
|
|
||||||
|
frontend:
|
||||||
|
container_name: thoughts-frontend
|
||||||
|
image: thoughts-frontend:latest
|
||||||
|
restart: unless-stopped
|
||||||
|
depends_on:
|
||||||
|
- backend
|
||||||
|
healthcheck:
|
||||||
|
test: ["CMD", "curl", "-f", "http://localhost:3000"]
|
||||||
|
interval: 10s
|
||||||
|
timeout: 5s
|
||||||
|
retries: 5
|
||||||
|
environment:
|
||||||
|
- NEXT_PUBLIC_SERVER_SIDE_API_URL=http://proxy/api
|
||||||
|
- PORT=3000
|
||||||
|
- HOSTNAME=0.0.0.0
|
||||||
|
networks:
|
||||||
|
- internal
|
||||||
|
|
||||||
|
proxy:
|
||||||
|
container_name: thoughts-proxy
|
||||||
|
image: custom-proxy:latest
|
||||||
|
restart: unless-stopped
|
||||||
|
depends_on:
|
||||||
|
frontend:
|
||||||
|
condition: service_healthy
|
||||||
|
backend:
|
||||||
|
condition: service_healthy
|
||||||
|
networks:
|
||||||
|
- internal
|
||||||
|
- traefik
|
||||||
|
labels:
|
||||||
|
- "traefik.enable=true"
|
||||||
|
- "traefik.docker.network=traefik"
|
||||||
|
- "traefik.http.routers.thoughts.rule=Host(`thoughts.gabrielkaszewski.dev`)"
|
||||||
|
- "traefik.http.routers.thoughts.entrypoints=web,websecure"
|
||||||
|
- "traefik.http.routers.thoughts.tls.certresolver=letsencrypt"
|
||||||
|
- "traefik.http.routers.thoughts.service=thoughts"
|
||||||
|
- "traefik.http.services.thoughts.loadbalancer.server.port=80"
|
||||||
|
|
||||||
|
volumes:
|
||||||
|
postgres_data:
|
||||||
|
driver: local
|
||||||
|
networks:
|
||||||
|
traefik:
|
||||||
|
name: traefik
|
||||||
|
external: true
|
||||||
|
internal:
|
||||||
|
driver: bridge
|
5
nginx/Dockerfile
Normal file
5
nginx/Dockerfile
Normal file
@@ -0,0 +1,5 @@
|
|||||||
|
FROM nginx:stable-alpine
|
||||||
|
|
||||||
|
RUN rm /etc/nginx/conf.d/default.conf
|
||||||
|
|
||||||
|
COPY nginx.conf /etc/nginx/conf.d/default.conf
|
@@ -10,6 +10,11 @@ server {
|
|||||||
listen 80;
|
listen 80;
|
||||||
server_name localhost;
|
server_name localhost;
|
||||||
|
|
||||||
|
location /health {
|
||||||
|
return 200 "OK";
|
||||||
|
access_log off;
|
||||||
|
}
|
||||||
|
|
||||||
proxy_connect_timeout 300s;
|
proxy_connect_timeout 300s;
|
||||||
proxy_send_timeout 300s;
|
proxy_send_timeout 300s;
|
||||||
proxy_read_timeout 300s;
|
proxy_read_timeout 300s;
|
||||||
|
@@ -26,7 +26,7 @@ RUN cargo build --release --bin thoughts-backend
|
|||||||
|
|
||||||
FROM debian:13-slim AS runtime
|
FROM debian:13-slim AS runtime
|
||||||
|
|
||||||
RUN apt-get update && apt-get install -y openssl && rm -rf /var/lib/apt/lists/*
|
RUN apt-get update && apt-get install -y --no-install-recommends openssl wget && rm -rf /var/lib/apt/lists/*
|
||||||
|
|
||||||
RUN groupadd --system --gid 1001 appgroup && \
|
RUN groupadd --system --gid 1001 appgroup && \
|
||||||
useradd --system --uid 1001 --gid appgroup appuser
|
useradd --system --uid 1001 --gid appgroup appuser
|
||||||
@@ -35,8 +35,6 @@ WORKDIR /app
|
|||||||
|
|
||||||
COPY --from=builder /app/target/release/thoughts-backend .
|
COPY --from=builder /app/target/release/thoughts-backend .
|
||||||
|
|
||||||
COPY .env.example .env
|
|
||||||
|
|
||||||
RUN chown -R appuser:appgroup /app
|
RUN chown -R appuser:appgroup /app
|
||||||
|
|
||||||
USER appuser
|
USER appuser
|
||||||
|
@@ -1,18 +1,27 @@
|
|||||||
use axum::{extract::State, response::IntoResponse, routing::get, Json, Router};
|
use axum::{
|
||||||
|
extract::{Query, State},
|
||||||
|
response::IntoResponse,
|
||||||
|
routing::get,
|
||||||
|
Json, Router,
|
||||||
|
};
|
||||||
|
|
||||||
use app::{
|
use app::{
|
||||||
persistence::{follow::get_following_ids, thought::get_feed_for_user},
|
persistence::{follow::get_following_ids, thought::get_feed_for_users_and_self_paginated},
|
||||||
state::AppState,
|
state::AppState,
|
||||||
};
|
};
|
||||||
use models::schemas::thought::{ThoughtListSchema, ThoughtSchema};
|
use models::{
|
||||||
|
queries::pagination::PaginationQuery,
|
||||||
|
schemas::{pagination::PaginatedResponse, thought::ThoughtSchema},
|
||||||
|
};
|
||||||
|
|
||||||
use crate::{error::ApiError, extractor::AuthUser};
|
use crate::{error::ApiError, extractor::AuthUser};
|
||||||
|
|
||||||
#[utoipa::path(
|
#[utoipa::path(
|
||||||
get,
|
get,
|
||||||
path = "",
|
path = "",
|
||||||
|
params(PaginationQuery),
|
||||||
responses(
|
responses(
|
||||||
(status = 200, description = "Authenticated user's feed", body = ThoughtListSchema)
|
(status = 200, description = "Authenticated user's feed", body = PaginatedResponse<ThoughtSchema>)
|
||||||
),
|
),
|
||||||
security(
|
security(
|
||||||
("api_key" = []),
|
("api_key" = []),
|
||||||
@@ -22,21 +31,35 @@ use crate::{error::ApiError, extractor::AuthUser};
|
|||||||
async fn feed_get(
|
async fn feed_get(
|
||||||
State(state): State<AppState>,
|
State(state): State<AppState>,
|
||||||
auth_user: AuthUser,
|
auth_user: AuthUser,
|
||||||
|
Query(pagination): Query<PaginationQuery>,
|
||||||
) -> Result<impl IntoResponse, ApiError> {
|
) -> Result<impl IntoResponse, ApiError> {
|
||||||
let following_ids = get_following_ids(&state.conn, auth_user.id).await?;
|
let following_ids = get_following_ids(&state.conn, auth_user.id).await?;
|
||||||
let mut thoughts_with_authors =
|
let (thoughts_with_authors, total_items) = get_feed_for_users_and_self_paginated(
|
||||||
get_feed_for_user(&state.conn, following_ids, Some(auth_user.id)).await?;
|
&state.conn,
|
||||||
|
auth_user.id,
|
||||||
let own_thoughts =
|
following_ids,
|
||||||
get_feed_for_user(&state.conn, vec![auth_user.id], Some(auth_user.id)).await?;
|
&pagination,
|
||||||
thoughts_with_authors.extend(own_thoughts);
|
)
|
||||||
|
.await?;
|
||||||
|
|
||||||
let thoughts_schema: Vec<ThoughtSchema> = thoughts_with_authors
|
let thoughts_schema: Vec<ThoughtSchema> = thoughts_with_authors
|
||||||
.into_iter()
|
.into_iter()
|
||||||
.map(ThoughtSchema::from)
|
.map(ThoughtSchema::from)
|
||||||
.collect();
|
.collect();
|
||||||
|
|
||||||
Ok(Json(ThoughtListSchema::from(thoughts_schema)))
|
let page = pagination.page();
|
||||||
|
let page_size = pagination.page_size();
|
||||||
|
let total_pages = (total_items as f64 / page_size as f64).ceil() as u64;
|
||||||
|
|
||||||
|
let response = PaginatedResponse {
|
||||||
|
items: thoughts_schema,
|
||||||
|
total_items,
|
||||||
|
total_pages,
|
||||||
|
page,
|
||||||
|
page_size,
|
||||||
|
};
|
||||||
|
|
||||||
|
Ok(Json(response))
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn create_feed_router() -> Router<AppState> {
|
pub fn create_feed_router() -> Router<AppState> {
|
||||||
|
@@ -1,4 +1,4 @@
|
|||||||
use axum::{extract::State, routing::get, Router};
|
use axum::{extract::State, http::StatusCode, routing::get, Router};
|
||||||
use sea_orm::{ConnectionTrait, Statement};
|
use sea_orm::{ConnectionTrait, Statement};
|
||||||
|
|
||||||
use app::state::AppState;
|
use app::state::AppState;
|
||||||
@@ -25,6 +25,12 @@ async fn root_get(state: State<AppState>) -> Result<String, ApiError> {
|
|||||||
result.unwrap().try_get_by(0).map_err(|e| e.into())
|
result.unwrap().try_get_by(0).map_err(|e| e.into())
|
||||||
}
|
}
|
||||||
|
|
||||||
pub fn create_root_router() -> Router<AppState> {
|
async fn health_check() -> StatusCode {
|
||||||
Router::new().route("/", get(root_get))
|
StatusCode::OK
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn create_root_router() -> Router<AppState> {
|
||||||
|
Router::new()
|
||||||
|
.route("/", get(root_get))
|
||||||
|
.route("/health", get(health_check))
|
||||||
}
|
}
|
||||||
|
@@ -11,12 +11,20 @@ use serde_json::{json, Value};
|
|||||||
use app::persistence::{
|
use app::persistence::{
|
||||||
follow,
|
follow,
|
||||||
thought::get_thoughts_by_user,
|
thought::get_thoughts_by_user,
|
||||||
user::{get_followers, get_following, get_user, search_users, update_user_profile},
|
user::{
|
||||||
|
get_all_users, get_followers, get_following, get_user, search_users, update_user_profile,
|
||||||
|
},
|
||||||
};
|
};
|
||||||
use app::state::AppState;
|
use app::state::AppState;
|
||||||
use app::{error::UserError, persistence::user::get_user_by_username};
|
use app::{error::UserError, persistence::user::get_user_by_username};
|
||||||
use models::schemas::user::{MeSchema, UserListSchema, UserSchema};
|
use models::{
|
||||||
use models::{params::user::UpdateUserParams, schemas::thought::ThoughtListSchema};
|
params::user::UpdateUserParams,
|
||||||
|
schemas::{pagination::PaginatedResponse, thought::ThoughtListSchema},
|
||||||
|
};
|
||||||
|
use models::{
|
||||||
|
queries::pagination::PaginationQuery,
|
||||||
|
schemas::user::{MeSchema, UserListSchema, UserSchema},
|
||||||
|
};
|
||||||
use models::{queries::user::UserQuery, schemas::thought::ThoughtSchema};
|
use models::{queries::user::UserQuery, schemas::thought::ThoughtSchema};
|
||||||
|
|
||||||
use crate::{error::ApiError, extractor::AuthUser};
|
use crate::{error::ApiError, extractor::AuthUser};
|
||||||
@@ -413,9 +421,46 @@ async fn get_user_followers(
|
|||||||
Ok(Json(UserListSchema::from(followers_list)))
|
Ok(Json(UserListSchema::from(followers_list)))
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[utoipa::path(
|
||||||
|
get,
|
||||||
|
path = "/all",
|
||||||
|
params(PaginationQuery),
|
||||||
|
responses(
|
||||||
|
(status = 200, description = "A public, paginated list of all users", body = PaginatedResponse<UserSchema>)
|
||||||
|
),
|
||||||
|
tag = "user"
|
||||||
|
)]
|
||||||
|
async fn get_all_users_public(
|
||||||
|
State(state): State<AppState>,
|
||||||
|
Query(pagination): Query<PaginationQuery>,
|
||||||
|
) -> Result<impl IntoResponse, ApiError> {
|
||||||
|
let (users, total_items) = get_all_users(&state.conn, &pagination).await?;
|
||||||
|
|
||||||
|
let page = pagination.page();
|
||||||
|
let page_size = pagination.page_size();
|
||||||
|
let total_pages = (total_items as f64 / page_size as f64).ceil() as u64;
|
||||||
|
|
||||||
|
let response = PaginatedResponse {
|
||||||
|
items: users.into_iter().map(UserSchema::from).collect(),
|
||||||
|
page,
|
||||||
|
page_size,
|
||||||
|
total_pages,
|
||||||
|
total_items,
|
||||||
|
};
|
||||||
|
|
||||||
|
Ok(Json(response))
|
||||||
|
}
|
||||||
|
|
||||||
|
async fn get_all_users_count(State(state): State<AppState>) -> Result<impl IntoResponse, ApiError> {
|
||||||
|
let count = app::persistence::user::get_all_users_count(&state.conn).await?;
|
||||||
|
Ok(Json(json!({ "count": count })))
|
||||||
|
}
|
||||||
|
|
||||||
pub fn create_user_router() -> Router<AppState> {
|
pub fn create_user_router() -> Router<AppState> {
|
||||||
Router::new()
|
Router::new()
|
||||||
.route("/", get(users_get))
|
.route("/", get(users_get))
|
||||||
|
.route("/all", get(get_all_users_public))
|
||||||
|
.route("/count", get(get_all_users_count))
|
||||||
.route("/me", get(get_me).put(update_me))
|
.route("/me", get(get_me).put(update_me))
|
||||||
.nest("/me/api-keys", create_api_key_router())
|
.nest("/me/api-keys", create_api_key_router())
|
||||||
.route("/{param}", get(get_user_by_param))
|
.route("/{param}", get(get_user_by_param))
|
||||||
|
@@ -38,6 +38,7 @@ pub async fn search_thoughts(
|
|||||||
// We must join with the user table to get the author's username
|
// We must join with the user table to get the author's username
|
||||||
let thoughts_with_authors = thought::Entity::find()
|
let thoughts_with_authors = thought::Entity::find()
|
||||||
.column_as(user::Column::Username, "author_username")
|
.column_as(user::Column::Username, "author_username")
|
||||||
|
.column_as(user::Column::DisplayName, "author_display_name")
|
||||||
.join(JoinType::InnerJoin, thought::Relation::User.def())
|
.join(JoinType::InnerJoin, thought::Relation::User.def())
|
||||||
.filter(Expr::cust_with_values(
|
.filter(Expr::cust_with_values(
|
||||||
"thought.search_document @@ websearch_to_tsquery('english', $1)",
|
"thought.search_document @@ websearch_to_tsquery('english', $1)",
|
||||||
|
@@ -1,12 +1,13 @@
|
|||||||
use sea_orm::{
|
use sea_orm::{
|
||||||
prelude::Uuid, sea_query::SimpleExpr, ActiveModelTrait, ColumnTrait, Condition, DbConn, DbErr,
|
prelude::Uuid, sea_query::SimpleExpr, ActiveModelTrait, ColumnTrait, Condition, DbConn, DbErr,
|
||||||
EntityTrait, JoinType, QueryFilter, QueryOrder, QuerySelect, RelationTrait, Set,
|
EntityTrait, JoinType, PaginatorTrait, QueryFilter, QueryOrder, QuerySelect, RelationTrait,
|
||||||
TransactionTrait,
|
Set, TransactionTrait,
|
||||||
};
|
};
|
||||||
|
|
||||||
use models::{
|
use models::{
|
||||||
domains::{tag, thought, thought_tag, user},
|
domains::{tag, thought, thought_tag, user},
|
||||||
params::thought::CreateThoughtParams,
|
params::thought::CreateThoughtParams,
|
||||||
|
queries::pagination::PaginationQuery,
|
||||||
schemas::thought::{ThoughtSchema, ThoughtThreadSchema, ThoughtWithAuthor},
|
schemas::thought::{ThoughtSchema, ThoughtThreadSchema, ThoughtWithAuthor},
|
||||||
};
|
};
|
||||||
|
|
||||||
@@ -102,6 +103,7 @@ pub async fn get_thoughts_by_user(
|
|||||||
.column(thought::Column::CreatedAt)
|
.column(thought::Column::CreatedAt)
|
||||||
.column(thought::Column::AuthorId)
|
.column(thought::Column::AuthorId)
|
||||||
.column(thought::Column::Visibility)
|
.column(thought::Column::Visibility)
|
||||||
|
.column_as(user::Column::DisplayName, "author_display_name")
|
||||||
.column_as(user::Column::Username, "author_username")
|
.column_as(user::Column::Username, "author_username")
|
||||||
.join(JoinType::InnerJoin, thought::Relation::User.def())
|
.join(JoinType::InnerJoin, thought::Relation::User.def())
|
||||||
.filter(apply_visibility_filter(user_id, viewer_id, &friend_ids))
|
.filter(apply_visibility_filter(user_id, viewer_id, &friend_ids))
|
||||||
@@ -137,6 +139,7 @@ pub async fn get_feed_for_user(
|
|||||||
.column(thought::Column::Visibility)
|
.column(thought::Column::Visibility)
|
||||||
.column(thought::Column::AuthorId)
|
.column(thought::Column::AuthorId)
|
||||||
.column_as(user::Column::Username, "author_username")
|
.column_as(user::Column::Username, "author_username")
|
||||||
|
.column_as(user::Column::DisplayName, "author_display_name")
|
||||||
.join(JoinType::InnerJoin, thought::Relation::User.def())
|
.join(JoinType::InnerJoin, thought::Relation::User.def())
|
||||||
.filter(
|
.filter(
|
||||||
Condition::any().add(following_ids.iter().fold(
|
Condition::any().add(following_ids.iter().fold(
|
||||||
@@ -154,6 +157,73 @@ pub async fn get_feed_for_user(
|
|||||||
.map_err(|e| UserError::Internal(e.to_string()))
|
.map_err(|e| UserError::Internal(e.to_string()))
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub async fn get_feed_for_users_and_self(
|
||||||
|
db: &DbConn,
|
||||||
|
user_id: Uuid,
|
||||||
|
following_ids: Vec<Uuid>,
|
||||||
|
) -> Result<Vec<ThoughtWithAuthor>, DbErr> {
|
||||||
|
let mut authors_to_include = following_ids;
|
||||||
|
authors_to_include.push(user_id);
|
||||||
|
|
||||||
|
thought::Entity::find()
|
||||||
|
.select_only()
|
||||||
|
.column(thought::Column::Id)
|
||||||
|
.column(thought::Column::Content)
|
||||||
|
.column(thought::Column::ReplyToId)
|
||||||
|
.column(thought::Column::CreatedAt)
|
||||||
|
.column(thought::Column::Visibility)
|
||||||
|
.column(thought::Column::AuthorId)
|
||||||
|
.column_as(user::Column::Username, "author_username")
|
||||||
|
.column_as(user::Column::DisplayName, "author_display_name")
|
||||||
|
.join(JoinType::InnerJoin, thought::Relation::User.def())
|
||||||
|
.filter(thought::Column::AuthorId.is_in(authors_to_include))
|
||||||
|
.filter(
|
||||||
|
Condition::any()
|
||||||
|
.add(thought::Column::Visibility.eq(thought::Visibility::Public))
|
||||||
|
.add(thought::Column::Visibility.eq(thought::Visibility::FriendsOnly)),
|
||||||
|
)
|
||||||
|
.order_by_desc(thought::Column::CreatedAt)
|
||||||
|
.into_model::<ThoughtWithAuthor>()
|
||||||
|
.all(db)
|
||||||
|
.await
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn get_feed_for_users_and_self_paginated(
|
||||||
|
db: &DbConn,
|
||||||
|
user_id: Uuid,
|
||||||
|
following_ids: Vec<Uuid>,
|
||||||
|
pagination: &PaginationQuery,
|
||||||
|
) -> Result<(Vec<ThoughtWithAuthor>, u64), DbErr> {
|
||||||
|
let mut authors_to_include = following_ids;
|
||||||
|
authors_to_include.push(user_id);
|
||||||
|
|
||||||
|
let paginator = thought::Entity::find()
|
||||||
|
.select_only()
|
||||||
|
.column(thought::Column::Id)
|
||||||
|
.column(thought::Column::Content)
|
||||||
|
.column(thought::Column::ReplyToId)
|
||||||
|
.column(thought::Column::CreatedAt)
|
||||||
|
.column(thought::Column::Visibility)
|
||||||
|
.column(thought::Column::AuthorId)
|
||||||
|
.column_as(user::Column::Username, "author_username")
|
||||||
|
.column_as(user::Column::DisplayName, "author_display_name")
|
||||||
|
.join(JoinType::InnerJoin, thought::Relation::User.def())
|
||||||
|
.filter(thought::Column::AuthorId.is_in(authors_to_include))
|
||||||
|
.filter(
|
||||||
|
Condition::any()
|
||||||
|
.add(thought::Column::Visibility.eq(thought::Visibility::Public))
|
||||||
|
.add(thought::Column::Visibility.eq(thought::Visibility::FriendsOnly)),
|
||||||
|
)
|
||||||
|
.order_by_desc(thought::Column::CreatedAt)
|
||||||
|
.into_model::<ThoughtWithAuthor>()
|
||||||
|
.paginate(db, pagination.page_size());
|
||||||
|
|
||||||
|
let total_items = paginator.num_items().await?;
|
||||||
|
let thoughts = paginator.fetch_page(pagination.page() - 1).await?;
|
||||||
|
|
||||||
|
Ok((thoughts, total_items))
|
||||||
|
}
|
||||||
|
|
||||||
pub async fn get_thoughts_by_tag_name(
|
pub async fn get_thoughts_by_tag_name(
|
||||||
db: &DbConn,
|
db: &DbConn,
|
||||||
tag_name: &str,
|
tag_name: &str,
|
||||||
@@ -173,6 +243,7 @@ pub async fn get_thoughts_by_tag_name(
|
|||||||
.column(thought::Column::AuthorId)
|
.column(thought::Column::AuthorId)
|
||||||
.column(thought::Column::Visibility)
|
.column(thought::Column::Visibility)
|
||||||
.column_as(user::Column::Username, "author_username")
|
.column_as(user::Column::Username, "author_username")
|
||||||
|
.column_as(user::Column::DisplayName, "author_display_name")
|
||||||
.join(JoinType::InnerJoin, thought::Relation::User.def())
|
.join(JoinType::InnerJoin, thought::Relation::User.def())
|
||||||
.join(JoinType::InnerJoin, thought::Relation::ThoughtTag.def())
|
.join(JoinType::InnerJoin, thought::Relation::ThoughtTag.def())
|
||||||
.join(JoinType::InnerJoin, thought_tag::Relation::Tag.def())
|
.join(JoinType::InnerJoin, thought_tag::Relation::Tag.def())
|
||||||
@@ -288,6 +359,7 @@ pub async fn get_thought_with_replies(
|
|||||||
ThoughtThreadSchema {
|
ThoughtThreadSchema {
|
||||||
id: thought_schema.id,
|
id: thought_schema.id,
|
||||||
author_username: thought_schema.author_username.clone(),
|
author_username: thought_schema.author_username.clone(),
|
||||||
|
author_display_name: thought_schema.author_display_name.clone(),
|
||||||
content: thought_schema.content.clone(),
|
content: thought_schema.content.clone(),
|
||||||
visibility: thought_schema.visibility.clone(),
|
visibility: thought_schema.visibility.clone(),
|
||||||
reply_to_id: thought_schema.reply_to_id,
|
reply_to_id: thought_schema.reply_to_id,
|
||||||
|
@@ -1,7 +1,8 @@
|
|||||||
|
use models::queries::pagination::PaginationQuery;
|
||||||
use sea_orm::prelude::Uuid;
|
use sea_orm::prelude::Uuid;
|
||||||
use sea_orm::{
|
use sea_orm::{
|
||||||
ActiveModelTrait, ColumnTrait, DbConn, DbErr, EntityTrait, JoinType, QueryFilter, QueryOrder,
|
ActiveModelTrait, ColumnTrait, DbConn, DbErr, EntityTrait, JoinType, PaginatorTrait,
|
||||||
QuerySelect, RelationTrait, Set, TransactionTrait,
|
QueryFilter, QueryOrder, QuerySelect, RelationTrait, Set, TransactionTrait,
|
||||||
};
|
};
|
||||||
|
|
||||||
use models::domains::{top_friends, user};
|
use models::domains::{top_friends, user};
|
||||||
@@ -165,3 +166,21 @@ pub async fn get_followers(db: &DbConn, user_id: Uuid) -> Result<Vec<user::Model
|
|||||||
}
|
}
|
||||||
get_users_by_ids(db, follower_ids).await
|
get_users_by_ids(db, follower_ids).await
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub async fn get_all_users(
|
||||||
|
db: &DbConn,
|
||||||
|
pagination: &PaginationQuery,
|
||||||
|
) -> Result<(Vec<user::Model>, u64), DbErr> {
|
||||||
|
let paginator = user::Entity::find()
|
||||||
|
.order_by_desc(user::Column::CreatedAt)
|
||||||
|
.paginate(db, pagination.page_size());
|
||||||
|
|
||||||
|
let total_items = paginator.num_items().await?;
|
||||||
|
let users = paginator.fetch_page(pagination.page() - 1).await?;
|
||||||
|
|
||||||
|
Ok((users, total_items))
|
||||||
|
}
|
||||||
|
|
||||||
|
pub async fn get_all_users_count(db: &DbConn) -> Result<u64, DbErr> {
|
||||||
|
user::Entity::find().count(db).await
|
||||||
|
}
|
||||||
|
@@ -1 +1,2 @@
|
|||||||
|
pub mod pagination;
|
||||||
pub mod user;
|
pub mod user;
|
||||||
|
27
thoughts-backend/models/src/queries/pagination.rs
Normal file
27
thoughts-backend/models/src/queries/pagination.rs
Normal file
@@ -0,0 +1,27 @@
|
|||||||
|
use serde::Deserialize;
|
||||||
|
use utoipa::IntoParams;
|
||||||
|
|
||||||
|
const DEFAULT_PAGE: u64 = 1;
|
||||||
|
const DEFAULT_PAGE_SIZE: u64 = 20;
|
||||||
|
|
||||||
|
#[derive(Deserialize, IntoParams)]
|
||||||
|
pub struct PaginationQuery {
|
||||||
|
#[param(nullable = true, example = 1)]
|
||||||
|
page: Option<u64>,
|
||||||
|
#[param(nullable = true, example = 20)]
|
||||||
|
page_size: Option<u64>,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl PaginationQuery {
|
||||||
|
pub fn page(&self) -> u64 {
|
||||||
|
self.page.unwrap_or(DEFAULT_PAGE).max(1)
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn page_size(&self) -> u64 {
|
||||||
|
self.page_size.unwrap_or(DEFAULT_PAGE_SIZE).max(1)
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn offset(&self) -> u64 {
|
||||||
|
(self.page() - 1) * self.page_size()
|
||||||
|
}
|
||||||
|
}
|
@@ -1,4 +1,5 @@
|
|||||||
pub mod api_key;
|
pub mod api_key;
|
||||||
|
pub mod pagination;
|
||||||
pub mod search;
|
pub mod search;
|
||||||
pub mod thought;
|
pub mod thought;
|
||||||
pub mod user;
|
pub mod user;
|
||||||
|
12
thoughts-backend/models/src/schemas/pagination.rs
Normal file
12
thoughts-backend/models/src/schemas/pagination.rs
Normal file
@@ -0,0 +1,12 @@
|
|||||||
|
use serde::Serialize;
|
||||||
|
use utoipa::ToSchema;
|
||||||
|
|
||||||
|
#[derive(Serialize, ToSchema)]
|
||||||
|
#[serde(rename_all = "camelCase")]
|
||||||
|
pub struct PaginatedResponse<T> {
|
||||||
|
pub items: Vec<T>,
|
||||||
|
pub page: u64,
|
||||||
|
pub page_size: u64,
|
||||||
|
pub total_pages: u64,
|
||||||
|
pub total_items: u64,
|
||||||
|
}
|
@@ -14,6 +14,7 @@ pub struct ThoughtSchema {
|
|||||||
pub id: Uuid,
|
pub id: Uuid,
|
||||||
#[schema(example = "frutiger")]
|
#[schema(example = "frutiger")]
|
||||||
pub author_username: String,
|
pub author_username: String,
|
||||||
|
pub author_display_name: Option<String>,
|
||||||
#[schema(example = "This is my first thought! #welcome")]
|
#[schema(example = "This is my first thought! #welcome")]
|
||||||
pub content: String,
|
pub content: String,
|
||||||
pub visibility: Visibility,
|
pub visibility: Visibility,
|
||||||
@@ -26,6 +27,7 @@ impl ThoughtSchema {
|
|||||||
Self {
|
Self {
|
||||||
id: thought.id,
|
id: thought.id,
|
||||||
author_username: author.username.clone(),
|
author_username: author.username.clone(),
|
||||||
|
author_display_name: author.display_name.clone(),
|
||||||
content: thought.content.clone(),
|
content: thought.content.clone(),
|
||||||
visibility: thought.visibility.clone(),
|
visibility: thought.visibility.clone(),
|
||||||
reply_to_id: thought.reply_to_id,
|
reply_to_id: thought.reply_to_id,
|
||||||
@@ -54,6 +56,7 @@ pub struct ThoughtWithAuthor {
|
|||||||
pub visibility: Visibility,
|
pub visibility: Visibility,
|
||||||
pub author_id: Uuid,
|
pub author_id: Uuid,
|
||||||
pub author_username: String,
|
pub author_username: String,
|
||||||
|
pub author_display_name: Option<String>,
|
||||||
pub reply_to_id: Option<Uuid>,
|
pub reply_to_id: Option<Uuid>,
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -62,6 +65,7 @@ impl From<ThoughtWithAuthor> for ThoughtSchema {
|
|||||||
Self {
|
Self {
|
||||||
id: model.id,
|
id: model.id,
|
||||||
author_username: model.author_username,
|
author_username: model.author_username,
|
||||||
|
author_display_name: model.author_display_name,
|
||||||
content: model.content,
|
content: model.content,
|
||||||
created_at: model.created_at.into(),
|
created_at: model.created_at.into(),
|
||||||
reply_to_id: model.reply_to_id,
|
reply_to_id: model.reply_to_id,
|
||||||
@@ -75,6 +79,7 @@ impl From<ThoughtWithAuthor> for ThoughtSchema {
|
|||||||
pub struct ThoughtThreadSchema {
|
pub struct ThoughtThreadSchema {
|
||||||
pub id: Uuid,
|
pub id: Uuid,
|
||||||
pub author_username: String,
|
pub author_username: String,
|
||||||
|
pub author_display_name: Option<String>,
|
||||||
pub content: String,
|
pub content: String,
|
||||||
pub visibility: Visibility,
|
pub visibility: Visibility,
|
||||||
pub reply_to_id: Option<Uuid>,
|
pub reply_to_id: Option<Uuid>,
|
||||||
|
@@ -1,7 +1,10 @@
|
|||||||
|
use std::time::Duration;
|
||||||
|
|
||||||
use super::main::{create_user_with_password, setup};
|
use super::main::{create_user_with_password, setup};
|
||||||
use axum::http::StatusCode;
|
use axum::http::StatusCode;
|
||||||
use http_body_util::BodyExt;
|
use http_body_util::BodyExt;
|
||||||
use serde_json::json;
|
use serde_json::{json, Value};
|
||||||
|
use tokio::time::sleep;
|
||||||
use utils::testing::make_jwt_request;
|
use utils::testing::make_jwt_request;
|
||||||
|
|
||||||
#[tokio::test]
|
#[tokio::test]
|
||||||
@@ -59,9 +62,9 @@ async fn test_feed_and_user_thoughts() {
|
|||||||
assert_eq!(response.status(), StatusCode::OK);
|
assert_eq!(response.status(), StatusCode::OK);
|
||||||
let body = response.into_body().collect().await.unwrap().to_bytes();
|
let body = response.into_body().collect().await.unwrap().to_bytes();
|
||||||
let v: serde_json::Value = serde_json::from_slice(&body).unwrap();
|
let v: serde_json::Value = serde_json::from_slice(&body).unwrap();
|
||||||
assert_eq!(v["thoughts"].as_array().unwrap().len(), 1);
|
assert_eq!(v["items"].as_array().unwrap().len(), 1);
|
||||||
assert_eq!(v["thoughts"][0]["authorUsername"], "user1");
|
assert_eq!(v["items"][0]["authorUsername"], "user1");
|
||||||
assert_eq!(v["thoughts"][0]["content"], "A thought from user1");
|
assert_eq!(v["items"][0]["content"], "A thought from user1");
|
||||||
|
|
||||||
// 3. user1 follows user2
|
// 3. user1 follows user2
|
||||||
make_jwt_request(
|
make_jwt_request(
|
||||||
@@ -78,9 +81,193 @@ async fn test_feed_and_user_thoughts() {
|
|||||||
assert_eq!(response.status(), StatusCode::OK);
|
assert_eq!(response.status(), StatusCode::OK);
|
||||||
let body = response.into_body().collect().await.unwrap().to_bytes();
|
let body = response.into_body().collect().await.unwrap().to_bytes();
|
||||||
let v: serde_json::Value = serde_json::from_slice(&body).unwrap();
|
let v: serde_json::Value = serde_json::from_slice(&body).unwrap();
|
||||||
assert_eq!(v["thoughts"].as_array().unwrap().len(), 2);
|
assert_eq!(v["items"].as_array().unwrap().len(), 2);
|
||||||
assert_eq!(v["thoughts"][0]["authorUsername"], "user2");
|
assert_eq!(v["items"][0]["authorUsername"], "user2");
|
||||||
assert_eq!(v["thoughts"][0]["content"], "user2 was here");
|
assert_eq!(v["items"][0]["content"], "user2 was here");
|
||||||
assert_eq!(v["thoughts"][1]["authorUsername"], "user1");
|
assert_eq!(v["items"][1]["authorUsername"], "user1");
|
||||||
assert_eq!(v["thoughts"][1]["content"], "A thought from user1");
|
assert_eq!(v["items"][1]["content"], "A thought from user1");
|
||||||
|
}
|
||||||
|
|
||||||
|
#[tokio::test]
|
||||||
|
async fn test_feed_strict_chronological_order() {
|
||||||
|
let app = setup().await;
|
||||||
|
create_user_with_password(&app.db, "user1", "password123", "u1@e.com").await;
|
||||||
|
create_user_with_password(&app.db, "user2", "password123", "u2@e.com").await;
|
||||||
|
create_user_with_password(&app.db, "user3", "password123", "u3@e.com").await;
|
||||||
|
|
||||||
|
let token1 = super::main::login_user(app.router.clone(), "user1", "password123").await;
|
||||||
|
let token2 = super::main::login_user(app.router.clone(), "user2", "password123").await;
|
||||||
|
let token3 = super::main::login_user(app.router.clone(), "user3", "password123").await;
|
||||||
|
|
||||||
|
make_jwt_request(
|
||||||
|
app.router.clone(),
|
||||||
|
"/users/user2/follow",
|
||||||
|
"POST",
|
||||||
|
None,
|
||||||
|
&token1,
|
||||||
|
)
|
||||||
|
.await;
|
||||||
|
make_jwt_request(
|
||||||
|
app.router.clone(),
|
||||||
|
"/users/user3/follow",
|
||||||
|
"POST",
|
||||||
|
None,
|
||||||
|
&token1,
|
||||||
|
)
|
||||||
|
.await;
|
||||||
|
|
||||||
|
let body_t1 = json!({ "content": "Thought 1 from user2" }).to_string();
|
||||||
|
make_jwt_request(
|
||||||
|
app.router.clone(),
|
||||||
|
"/thoughts",
|
||||||
|
"POST",
|
||||||
|
Some(body_t1),
|
||||||
|
&token2,
|
||||||
|
)
|
||||||
|
.await;
|
||||||
|
sleep(Duration::from_millis(10)).await;
|
||||||
|
|
||||||
|
let body_t2 = json!({ "content": "Thought 2 from user3" }).to_string();
|
||||||
|
make_jwt_request(
|
||||||
|
app.router.clone(),
|
||||||
|
"/thoughts",
|
||||||
|
"POST",
|
||||||
|
Some(body_t2),
|
||||||
|
&token3,
|
||||||
|
)
|
||||||
|
.await;
|
||||||
|
sleep(Duration::from_millis(10)).await;
|
||||||
|
|
||||||
|
let body_t3 = json!({ "content": "Thought 3 from user2" }).to_string();
|
||||||
|
make_jwt_request(
|
||||||
|
app.router.clone(),
|
||||||
|
"/thoughts",
|
||||||
|
"POST",
|
||||||
|
Some(body_t3),
|
||||||
|
&token2,
|
||||||
|
)
|
||||||
|
.await;
|
||||||
|
|
||||||
|
let response = make_jwt_request(app.router.clone(), "/feed", "GET", None, &token1).await;
|
||||||
|
assert_eq!(response.status(), StatusCode::OK);
|
||||||
|
|
||||||
|
let body = response.into_body().collect().await.unwrap().to_bytes();
|
||||||
|
let v: serde_json::Value = serde_json::from_slice(&body).unwrap();
|
||||||
|
let thoughts = v["items"].as_array().unwrap();
|
||||||
|
|
||||||
|
assert_eq!(
|
||||||
|
thoughts.len(),
|
||||||
|
3,
|
||||||
|
"Feed should contain 3 thoughts from followed users and self"
|
||||||
|
);
|
||||||
|
assert_eq!(thoughts[0]["content"], "Thought 3 from user2");
|
||||||
|
assert_eq!(thoughts[1]["content"], "Thought 2 from user3");
|
||||||
|
assert_eq!(thoughts[2]["content"], "Thought 1 from user2");
|
||||||
|
}
|
||||||
|
|
||||||
|
#[tokio::test]
|
||||||
|
async fn test_feed_pagination() {
|
||||||
|
let app = setup().await;
|
||||||
|
|
||||||
|
// 1. Setup users
|
||||||
|
create_user_with_password(&app.db, "user1", "password123", "u1@e.com").await;
|
||||||
|
create_user_with_password(&app.db, "user2", "password123", "u2@e.com").await;
|
||||||
|
create_user_with_password(&app.db, "user3", "password123", "u3@e.com").await;
|
||||||
|
|
||||||
|
let token1 = super::main::login_user(app.router.clone(), "user1", "password123").await;
|
||||||
|
let token2 = super::main::login_user(app.router.clone(), "user2", "password123").await;
|
||||||
|
let token3 = super::main::login_user(app.router.clone(), "user3", "password123").await;
|
||||||
|
|
||||||
|
// 2. user1 follows user2 and user3
|
||||||
|
make_jwt_request(
|
||||||
|
app.router.clone(),
|
||||||
|
"/users/user2/follow",
|
||||||
|
"POST",
|
||||||
|
None,
|
||||||
|
&token1,
|
||||||
|
)
|
||||||
|
.await;
|
||||||
|
make_jwt_request(
|
||||||
|
app.router.clone(),
|
||||||
|
"/users/user3/follow",
|
||||||
|
"POST",
|
||||||
|
None,
|
||||||
|
&token1,
|
||||||
|
)
|
||||||
|
.await;
|
||||||
|
|
||||||
|
// 3. Create 25 thoughts from the followed users to test pagination
|
||||||
|
// user1's feed also includes their own thoughts.
|
||||||
|
let mut last_thought_content = String::new();
|
||||||
|
for i in 0..25 {
|
||||||
|
let content = format!("Thought number {}", i);
|
||||||
|
// Alternate who posts to mix up the feed
|
||||||
|
let token_to_use = match i % 3 {
|
||||||
|
0 => &token2,
|
||||||
|
1 => &token3,
|
||||||
|
_ => &token1,
|
||||||
|
};
|
||||||
|
|
||||||
|
let body = json!({ "content": &content }).to_string();
|
||||||
|
make_jwt_request(
|
||||||
|
app.router.clone(),
|
||||||
|
"/thoughts",
|
||||||
|
"POST",
|
||||||
|
Some(body),
|
||||||
|
token_to_use,
|
||||||
|
)
|
||||||
|
.await;
|
||||||
|
|
||||||
|
if i == 24 {
|
||||||
|
last_thought_content = content;
|
||||||
|
}
|
||||||
|
// Small delay to ensure created_at timestamps are distinct
|
||||||
|
sleep(Duration::from_millis(5)).await;
|
||||||
|
}
|
||||||
|
|
||||||
|
// 4. Request the first page (default size 20)
|
||||||
|
let response_p1 = make_jwt_request(
|
||||||
|
app.router.clone(),
|
||||||
|
"/feed?page=1&page_size=20",
|
||||||
|
"GET",
|
||||||
|
None,
|
||||||
|
&token1,
|
||||||
|
)
|
||||||
|
.await;
|
||||||
|
assert_eq!(response_p1.status(), StatusCode::OK);
|
||||||
|
let body_p1 = response_p1.into_body().collect().await.unwrap().to_bytes();
|
||||||
|
let v_p1: Value = serde_json::from_slice(&body_p1).unwrap();
|
||||||
|
|
||||||
|
assert_eq!(
|
||||||
|
v_p1["items"].as_array().unwrap().len(),
|
||||||
|
20,
|
||||||
|
"First page should have 20 items"
|
||||||
|
);
|
||||||
|
assert_eq!(v_p1["page"], 1);
|
||||||
|
assert_eq!(v_p1["pageSize"], 20);
|
||||||
|
assert_eq!(v_p1["totalPages"], 2);
|
||||||
|
assert_eq!(v_p1["totalItems"], 25);
|
||||||
|
|
||||||
|
// Verify the newest thought is first on the first page
|
||||||
|
assert_eq!(v_p1["items"][0]["content"], last_thought_content);
|
||||||
|
|
||||||
|
// 5. Request the second page
|
||||||
|
let response_p2 = make_jwt_request(
|
||||||
|
app.router.clone(),
|
||||||
|
"/feed?page=2&page_size=20",
|
||||||
|
"GET",
|
||||||
|
None,
|
||||||
|
&token1,
|
||||||
|
)
|
||||||
|
.await;
|
||||||
|
assert_eq!(response_p2.status(), StatusCode::OK);
|
||||||
|
let body_p2 = response_p2.into_body().collect().await.unwrap().to_bytes();
|
||||||
|
let v_p2: Value = serde_json::from_slice(&body_p2).unwrap();
|
||||||
|
|
||||||
|
assert_eq!(
|
||||||
|
v_p2["items"].as_array().unwrap().len(),
|
||||||
|
5,
|
||||||
|
"Second page should have the remaining 5 items"
|
||||||
|
);
|
||||||
|
assert_eq!(v_p2["page"], 2);
|
||||||
}
|
}
|
||||||
|
@@ -245,3 +245,68 @@ async fn test_update_me_css_and_images() {
|
|||||||
assert_eq!(v["headerUrl"], "https://example.com/new-header.jpg");
|
assert_eq!(v["headerUrl"], "https://example.com/new-header.jpg");
|
||||||
assert_eq!(v["customCss"], "body { color: blue; }");
|
assert_eq!(v["customCss"], "body { color: blue; }");
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[tokio::test]
|
||||||
|
async fn test_get_all_users_paginated() {
|
||||||
|
let app = setup().await;
|
||||||
|
|
||||||
|
for i in 0..25 {
|
||||||
|
create_user_with_password(
|
||||||
|
&app.db,
|
||||||
|
&format!("user{}", i),
|
||||||
|
"password123",
|
||||||
|
&format!("u{}@e.com", i),
|
||||||
|
)
|
||||||
|
.await;
|
||||||
|
}
|
||||||
|
|
||||||
|
let response_p1 = make_get_request(app.router.clone(), "/users/all", None).await;
|
||||||
|
assert_eq!(response_p1.status(), StatusCode::OK);
|
||||||
|
let body_p1 = response_p1.into_body().collect().await.unwrap().to_bytes();
|
||||||
|
let v_p1: Value = serde_json::from_slice(&body_p1).unwrap();
|
||||||
|
|
||||||
|
assert_eq!(
|
||||||
|
v_p1["items"].as_array().unwrap().len(),
|
||||||
|
20,
|
||||||
|
"First page should have 20 items"
|
||||||
|
);
|
||||||
|
assert_eq!(v_p1["page"], 1);
|
||||||
|
assert_eq!(v_p1["pageSize"], 20);
|
||||||
|
assert_eq!(v_p1["totalPages"], 2);
|
||||||
|
assert_eq!(v_p1["totalItems"], 25);
|
||||||
|
|
||||||
|
let response_p2 = make_get_request(app.router.clone(), "/users/all?page=2", None).await;
|
||||||
|
assert_eq!(response_p2.status(), StatusCode::OK);
|
||||||
|
let body_p2 = response_p2.into_body().collect().await.unwrap().to_bytes();
|
||||||
|
let v_p2: Value = serde_json::from_slice(&body_p2).unwrap();
|
||||||
|
|
||||||
|
assert_eq!(
|
||||||
|
v_p2["items"].as_array().unwrap().len(),
|
||||||
|
5,
|
||||||
|
"Second page should have 5 items"
|
||||||
|
);
|
||||||
|
assert_eq!(v_p2["page"], 2);
|
||||||
|
assert_eq!(v_p2["totalPages"], 2);
|
||||||
|
}
|
||||||
|
|
||||||
|
#[tokio::test]
|
||||||
|
async fn test_get_all_users_count() {
|
||||||
|
let app = setup().await;
|
||||||
|
|
||||||
|
for i in 0..25 {
|
||||||
|
create_user_with_password(
|
||||||
|
&app.db,
|
||||||
|
&format!("user{}", i),
|
||||||
|
"password123",
|
||||||
|
&format!("u{}@e.com", i),
|
||||||
|
)
|
||||||
|
.await;
|
||||||
|
}
|
||||||
|
|
||||||
|
let response = make_get_request(app.router.clone(), "/users/count", None).await;
|
||||||
|
assert_eq!(response.status(), StatusCode::OK);
|
||||||
|
let body = response.into_body().collect().await.unwrap().to_bytes();
|
||||||
|
let v: Value = serde_json::from_slice(&body).unwrap();
|
||||||
|
|
||||||
|
assert_eq!(v["count"], 25);
|
||||||
|
}
|
||||||
|
@@ -17,11 +17,13 @@ RUN bun run build
|
|||||||
|
|
||||||
FROM node:22-slim AS release
|
FROM node:22-slim AS release
|
||||||
|
|
||||||
|
RUN apt-get update && apt-get install -y --no-install-recommends curl && rm -rf /var/lib/apt/lists/*
|
||||||
|
|
||||||
COPY --from=builder /app/public ./public
|
COPY --from=builder /app/public ./public
|
||||||
COPY --from=builder /app/.next/standalone ./
|
COPY --from=builder /app/.next/standalone ./
|
||||||
COPY --from=builder /app/.next/static ./.next/static
|
COPY --from=builder /app/.next/static ./.next/static
|
||||||
|
|
||||||
EXPOSE 3000
|
EXPOSE 3000
|
||||||
|
ENV HOSTNAME="0.0.0.0"
|
||||||
CMD ["node", "server.js"]
|
CMD ["node", "server.js"]
|
||||||
|
|
||||||
|
@@ -14,25 +14,51 @@ import { PopularTags } from "@/components/popular-tags";
|
|||||||
import { ThoughtThread } from "@/components/thought-thread";
|
import { ThoughtThread } from "@/components/thought-thread";
|
||||||
import { buildThoughtThreads } from "@/lib/utils";
|
import { buildThoughtThreads } from "@/lib/utils";
|
||||||
import { TopFriends } from "@/components/top-friends";
|
import { TopFriends } from "@/components/top-friends";
|
||||||
|
import { UsersCount } from "@/components/users-count";
|
||||||
|
|
||||||
export default async function Home() {
|
import {
|
||||||
|
Pagination,
|
||||||
|
PaginationContent,
|
||||||
|
PaginationItem,
|
||||||
|
PaginationNext,
|
||||||
|
PaginationPrevious,
|
||||||
|
} from "@/components/ui/pagination";
|
||||||
|
import { redirect } from "next/navigation";
|
||||||
|
|
||||||
|
export default async function Home({
|
||||||
|
searchParams,
|
||||||
|
}: {
|
||||||
|
searchParams: { page?: string };
|
||||||
|
}) {
|
||||||
const token = (await cookies()).get("auth_token")?.value ?? null;
|
const token = (await cookies()).get("auth_token")?.value ?? null;
|
||||||
|
|
||||||
if (token) {
|
if (token) {
|
||||||
return <FeedPage token={token} />;
|
return <FeedPage token={token} searchParams={searchParams} />;
|
||||||
} else {
|
} else {
|
||||||
return <LandingPage />;
|
return <LandingPage />;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
async function FeedPage({ token }: { token: string }) {
|
async function FeedPage({
|
||||||
|
token,
|
||||||
|
searchParams,
|
||||||
|
}: {
|
||||||
|
token: string;
|
||||||
|
searchParams: { page?: string };
|
||||||
|
}) {
|
||||||
|
const page = parseInt(searchParams.page ?? "1", 10);
|
||||||
|
|
||||||
const [feedData, me] = await Promise.all([
|
const [feedData, me] = await Promise.all([
|
||||||
getFeed(token),
|
getFeed(token, page).catch(() => null),
|
||||||
getMe(token).catch(() => null) as Promise<Me | null>,
|
getMe(token).catch(() => null) as Promise<Me | null>,
|
||||||
]);
|
]);
|
||||||
|
|
||||||
const allThoughts = feedData.thoughts;
|
if (!feedData || !me) {
|
||||||
const thoughtThreads = buildThoughtThreads(feedData.thoughts);
|
redirect("/login");
|
||||||
|
}
|
||||||
|
|
||||||
|
const { items: allThoughts, totalPages } = feedData!;
|
||||||
|
const thoughtThreads = buildThoughtThreads(allThoughts);
|
||||||
|
|
||||||
const authors = [...new Set(allThoughts.map((t) => t.authorUsername))];
|
const authors = [...new Set(allThoughts.map((t) => t.authorUsername))];
|
||||||
const userProfiles = await Promise.all(
|
const userProfiles = await Promise.all(
|
||||||
@@ -46,7 +72,10 @@ async function FeedPage({ token }: { token: string }) {
|
|||||||
);
|
);
|
||||||
|
|
||||||
const friends = (await getFriends(token)).users.map((user) => user.username);
|
const friends = (await getFriends(token)).users.map((user) => user.username);
|
||||||
const shouldDisplayTopFriends = me?.topFriends && me.topFriends.length > 8;
|
const shouldDisplayTopFriends =
|
||||||
|
token && me?.topFriends && me.topFriends.length > 8;
|
||||||
|
|
||||||
|
console.log("Should display top friends:", shouldDisplayTopFriends);
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<div className="container mx-auto max-w-6xl p-4 sm:p-6">
|
<div className="container mx-auto max-w-6xl p-4 sm:p-6">
|
||||||
@@ -66,6 +95,13 @@ async function FeedPage({ token }: { token: string }) {
|
|||||||
|
|
||||||
<div className="block lg:hidden space-y-6">
|
<div className="block lg:hidden space-y-6">
|
||||||
<PopularTags />
|
<PopularTags />
|
||||||
|
{shouldDisplayTopFriends && (
|
||||||
|
<TopFriends mode="top-friends" usernames={me.topFriends} />
|
||||||
|
)}
|
||||||
|
{!shouldDisplayTopFriends && token && friends.length > 0 && (
|
||||||
|
<TopFriends mode="friends" usernames={friends || []} />
|
||||||
|
)}
|
||||||
|
<UsersCount />
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div className="space-y-6">
|
<div className="space-y-6">
|
||||||
@@ -83,15 +119,34 @@ async function FeedPage({ token }: { token: string }) {
|
|||||||
</p>
|
</p>
|
||||||
)}
|
)}
|
||||||
</div>
|
</div>
|
||||||
|
<Pagination className="mt-8">
|
||||||
|
<PaginationContent>
|
||||||
|
<PaginationItem>
|
||||||
|
<PaginationPrevious
|
||||||
|
href={page > 1 ? `/?page=${page - 1}` : "#"}
|
||||||
|
aria-disabled={page <= 1}
|
||||||
|
/>
|
||||||
|
</PaginationItem>
|
||||||
|
<PaginationItem>
|
||||||
|
<PaginationNext
|
||||||
|
href={page < totalPages ? `/?page=${page + 1}` : "#"}
|
||||||
|
aria-disabled={page >= totalPages}
|
||||||
|
/>
|
||||||
|
</PaginationItem>
|
||||||
|
</PaginationContent>
|
||||||
|
</Pagination>
|
||||||
</main>
|
</main>
|
||||||
|
|
||||||
<aside className="hidden lg:block lg:col-span-1">
|
<aside className="hidden lg:block lg:col-span-1">
|
||||||
<div className="sticky top-20 space-y-6">
|
<div className="sticky top-20 space-y-6">
|
||||||
|
<PopularTags />
|
||||||
{shouldDisplayTopFriends && (
|
{shouldDisplayTopFriends && (
|
||||||
<TopFriends mode="top-friends" usernames={me.topFriends} />
|
<TopFriends mode="top-friends" usernames={me.topFriends} />
|
||||||
)}
|
)}
|
||||||
<PopularTags />
|
{!shouldDisplayTopFriends && token && friends.length > 0 && (
|
||||||
{token && <TopFriends mode="friends" usernames={friends || []} />}
|
<TopFriends mode="friends" usernames={friends || []} />
|
||||||
|
)}
|
||||||
|
<UsersCount />
|
||||||
</div>
|
</div>
|
||||||
</aside>
|
</aside>
|
||||||
</div>
|
</div>
|
||||||
|
63
thoughts-frontend/app/users/all/page.tsx
Normal file
63
thoughts-frontend/app/users/all/page.tsx
Normal file
@@ -0,0 +1,63 @@
|
|||||||
|
import { getAllUsers } from "@/lib/api";
|
||||||
|
import { UserListCard } from "@/components/user-list-card";
|
||||||
|
import {
|
||||||
|
Pagination,
|
||||||
|
PaginationContent,
|
||||||
|
PaginationItem,
|
||||||
|
PaginationNext,
|
||||||
|
PaginationPrevious,
|
||||||
|
} from "@/components/ui/pagination";
|
||||||
|
|
||||||
|
export default async function AllUsersPage({
|
||||||
|
searchParams,
|
||||||
|
}: {
|
||||||
|
searchParams: { page?: string };
|
||||||
|
}) {
|
||||||
|
const page = parseInt(searchParams.page ?? "1", 10);
|
||||||
|
const usersData = await getAllUsers(page).catch(() => null);
|
||||||
|
|
||||||
|
if (!usersData) {
|
||||||
|
return (
|
||||||
|
<div className="container mx-auto max-w-2xl p-4 sm:p-6 text-center">
|
||||||
|
<h1 className="text-3xl font-bold my-6">All Users</h1>
|
||||||
|
<p className="text-muted-foreground">
|
||||||
|
Could not load users. Please try again later.
|
||||||
|
</p>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
const { items, totalPages } = usersData;
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="container mx-auto max-w-2xl p-4 sm:p-6">
|
||||||
|
<header className="my-6 glass-effect glossy-effect bottom gloss-highlight rounded-md p-4 text-shadow-md">
|
||||||
|
<h1 className="text-3xl font-bold">All Users</h1>
|
||||||
|
<p className="text-muted-foreground">
|
||||||
|
Discover other users on Thoughts.
|
||||||
|
</p>
|
||||||
|
</header>
|
||||||
|
<main>
|
||||||
|
<UserListCard users={items} />
|
||||||
|
{totalPages > 1 && (
|
||||||
|
<Pagination className="mt-8">
|
||||||
|
<PaginationContent>
|
||||||
|
<PaginationItem>
|
||||||
|
<PaginationPrevious
|
||||||
|
href={page > 1 ? `/users/all?page=${page - 1}` : "#"}
|
||||||
|
aria-disabled={page <= 1}
|
||||||
|
/>
|
||||||
|
</PaginationItem>
|
||||||
|
<PaginationItem>
|
||||||
|
<PaginationNext
|
||||||
|
href={page < totalPages ? `/users/all?page=${page + 1}` : "#"}
|
||||||
|
aria-disabled={page >= totalPages}
|
||||||
|
/>
|
||||||
|
</PaginationItem>
|
||||||
|
</PaginationContent>
|
||||||
|
</Pagination>
|
||||||
|
)}
|
||||||
|
</main>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
@@ -11,6 +11,7 @@ import {
|
|||||||
CardContent,
|
CardContent,
|
||||||
CardAction,
|
CardAction,
|
||||||
} from "@/components/ui/card";
|
} from "@/components/ui/card";
|
||||||
|
import Cookies from "js-cookie";
|
||||||
|
|
||||||
interface CustomWindow extends Window {
|
interface CustomWindow extends Window {
|
||||||
MSStream?: unknown;
|
MSStream?: unknown;
|
||||||
@@ -26,15 +27,20 @@ export default function InstallPrompt() {
|
|||||||
const [isStandalone, setIsStandalone] = useState(false);
|
const [isStandalone, setIsStandalone] = useState(false);
|
||||||
const [deferredPrompt, setDeferredPrompt] =
|
const [deferredPrompt, setDeferredPrompt] =
|
||||||
useState<BeforeInstallPromptEvent | null>(null);
|
useState<BeforeInstallPromptEvent | null>(null);
|
||||||
|
const [isDismissed, setIsDismissed] = useState(false);
|
||||||
|
|
||||||
useEffect(() => {
|
useEffect(() => {
|
||||||
// Cast window to our custom type instead of 'any'
|
|
||||||
const customWindow = window as CustomWindow;
|
const customWindow = window as CustomWindow;
|
||||||
setIsIOS(
|
setIsIOS(
|
||||||
/iPad|iPhone|iPod/.test(navigator.userAgent) && !customWindow.MSStream
|
/iPad|iPhone|iPod/.test(navigator.userAgent) && !customWindow.MSStream
|
||||||
);
|
);
|
||||||
setIsStandalone(window.matchMedia("(display-mode: standalone)").matches);
|
setIsStandalone(window.matchMedia("(display-mode: standalone)").matches);
|
||||||
|
|
||||||
|
const dismissed = Cookies.get("install_prompt_dismissed");
|
||||||
|
if (dismissed) {
|
||||||
|
setIsDismissed(true);
|
||||||
|
}
|
||||||
|
|
||||||
const handleBeforeInstallPrompt = (e: Event) => {
|
const handleBeforeInstallPrompt = (e: Event) => {
|
||||||
e.preventDefault();
|
e.preventDefault();
|
||||||
setDeferredPrompt(e as BeforeInstallPromptEvent);
|
setDeferredPrompt(e as BeforeInstallPromptEvent);
|
||||||
@@ -58,11 +64,17 @@ export default function InstallPrompt() {
|
|||||||
console.log("User accepted the install prompt");
|
console.log("User accepted the install prompt");
|
||||||
} else {
|
} else {
|
||||||
console.log("User dismissed the install prompt");
|
console.log("User dismissed the install prompt");
|
||||||
|
Cookies.set("install_prompt_dismissed", "true", { expires: 7 });
|
||||||
}
|
}
|
||||||
setDeferredPrompt(null);
|
setDeferredPrompt(null);
|
||||||
};
|
};
|
||||||
|
|
||||||
if (isStandalone || (!isIOS && !deferredPrompt)) {
|
const handleCloseClick = () => {
|
||||||
|
setIsStandalone(true);
|
||||||
|
Cookies.set("install_prompt_dismissed", "true", { expires: 7 });
|
||||||
|
};
|
||||||
|
|
||||||
|
if (isStandalone || (!isIOS && !deferredPrompt) || isDismissed) {
|
||||||
return null;
|
return null;
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -79,7 +91,7 @@ export default function InstallPrompt() {
|
|||||||
size="sm"
|
size="sm"
|
||||||
variant="ghost"
|
variant="ghost"
|
||||||
className="absolute top-2 right-2"
|
className="absolute top-2 right-2"
|
||||||
onClick={() => setIsStandalone(true)}
|
onClick={handleCloseClick}
|
||||||
>
|
>
|
||||||
×
|
×
|
||||||
</Button>
|
</Button>
|
||||||
|
@@ -10,13 +10,13 @@ export function MainNav() {
|
|||||||
return (
|
return (
|
||||||
<nav className="inline-flex md:flex items-center space-x-6 text-sm font-medium">
|
<nav className="inline-flex md:flex items-center space-x-6 text-sm font-medium">
|
||||||
<Link
|
<Link
|
||||||
href="/"
|
href="/users/all"
|
||||||
className={cn(
|
className={cn(
|
||||||
"transition-colors hover:text-foreground/80",
|
"transition-colors hover:text-foreground/80",
|
||||||
pathname === "/" ? "text-foreground" : "text-foreground/60"
|
pathname === "/users/all" ? "text-foreground" : "text-foreground/60"
|
||||||
)}
|
)}
|
||||||
>
|
>
|
||||||
Feed
|
Discover
|
||||||
</Link>
|
</Link>
|
||||||
<SearchInput />
|
<SearchInput />
|
||||||
</nav>
|
</nav>
|
||||||
|
@@ -44,6 +44,7 @@ interface ThoughtCardProps {
|
|||||||
thought: Thought;
|
thought: Thought;
|
||||||
author: {
|
author: {
|
||||||
username: string;
|
username: string;
|
||||||
|
displayName?: string | null;
|
||||||
avatarUrl?: string | null;
|
avatarUrl?: string | null;
|
||||||
};
|
};
|
||||||
currentUser: Me | null;
|
currentUser: Me | null;
|
||||||
@@ -112,9 +113,14 @@ export function ThoughtCard({
|
|||||||
href={`/users/${author.username}`}
|
href={`/users/${author.username}`}
|
||||||
className="flex items-center gap-4 text-shadow-md"
|
className="flex items-center gap-4 text-shadow-md"
|
||||||
>
|
>
|
||||||
<UserAvatar src={author.avatarUrl} alt={author.username} />
|
<UserAvatar
|
||||||
|
src={author.avatarUrl}
|
||||||
|
alt={author.displayName || author.username}
|
||||||
|
/>
|
||||||
<div className="flex flex-col">
|
<div className="flex flex-col">
|
||||||
<span className="font-bold">{author.username}</span>
|
<span className="font-bold">
|
||||||
|
{author.displayName || author.username}
|
||||||
|
</span>
|
||||||
<span className="text-sm text-muted-foreground text-shadow-sm">
|
<span className="text-sm text-muted-foreground text-shadow-sm">
|
||||||
{timeAgo}
|
{timeAgo}
|
||||||
</span>
|
</span>
|
||||||
|
@@ -28,7 +28,7 @@ export function ThoughtList({
|
|||||||
{thoughts.map((thought) => {
|
{thoughts.map((thought) => {
|
||||||
const author = {
|
const author = {
|
||||||
username: thought.authorUsername,
|
username: thought.authorUsername,
|
||||||
avatarUrl: null,
|
displayName: thought.authorDisplayName,
|
||||||
...authorDetails.get(thought.authorUsername),
|
...authorDetails.get(thought.authorUsername),
|
||||||
};
|
};
|
||||||
return (
|
return (
|
||||||
|
@@ -16,7 +16,7 @@ export function ThoughtThread({
|
|||||||
}: ThoughtThreadProps) {
|
}: ThoughtThreadProps) {
|
||||||
const author = {
|
const author = {
|
||||||
username: thought.authorUsername,
|
username: thought.authorUsername,
|
||||||
avatarUrl: null,
|
displayName: thought.authorDisplayName,
|
||||||
...authorDetails.get(thought.authorUsername),
|
...authorDetails.get(thought.authorUsername),
|
||||||
};
|
};
|
||||||
|
|
||||||
@@ -35,7 +35,7 @@ export function ThoughtThread({
|
|||||||
className="pl-6 border-l-2 border-primary border-dashed ml-6 flex flex-col gap-4 pt-4"
|
className="pl-6 border-l-2 border-primary border-dashed ml-6 flex flex-col gap-4 pt-4"
|
||||||
>
|
>
|
||||||
{thought.replies.map((reply) => (
|
{thought.replies.map((reply) => (
|
||||||
<ThoughtThread // RECURSIVE CALL
|
<ThoughtThread
|
||||||
key={reply.id}
|
key={reply.id}
|
||||||
thought={reply}
|
thought={reply}
|
||||||
authorDetails={authorDetails}
|
authorDetails={authorDetails}
|
||||||
|
69
thoughts-frontend/components/users-count.tsx
Normal file
69
thoughts-frontend/components/users-count.tsx
Normal file
@@ -0,0 +1,69 @@
|
|||||||
|
import { Link } from "lucide-react";
|
||||||
|
import {
|
||||||
|
Card,
|
||||||
|
CardHeader,
|
||||||
|
CardTitle,
|
||||||
|
CardContent,
|
||||||
|
CardDescription,
|
||||||
|
} from "@/components/ui/card";
|
||||||
|
import { getAllUsersCount } from "@/lib/api";
|
||||||
|
|
||||||
|
export async function UsersCount() {
|
||||||
|
const usersCount = await getAllUsersCount().catch(() => null);
|
||||||
|
|
||||||
|
if (usersCount === null) {
|
||||||
|
return (
|
||||||
|
<Card className="p-4">
|
||||||
|
<CardHeader className="p-0 pb-2">
|
||||||
|
<CardTitle className="text-lg text-shadow-md">Users Count</CardTitle>
|
||||||
|
<CardDescription>
|
||||||
|
Total number of registered users on Thoughts.
|
||||||
|
</CardDescription>
|
||||||
|
</CardHeader>
|
||||||
|
<CardContent>
|
||||||
|
<div className="text-muted-foreground text-sm text-center py-4">
|
||||||
|
Could not load users count.
|
||||||
|
</div>
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
if (usersCount.count === 0) {
|
||||||
|
return (
|
||||||
|
<Card className="p-4">
|
||||||
|
<CardHeader className="p-0 pb-2">
|
||||||
|
<CardTitle className="text-lg text-shadow-md">Users Count</CardTitle>
|
||||||
|
<CardDescription>
|
||||||
|
Total number of registered users on Thoughts.
|
||||||
|
</CardDescription>
|
||||||
|
</CardHeader>
|
||||||
|
<CardContent>
|
||||||
|
<div className="text-muted-foreground text-sm text-center py-4">
|
||||||
|
No registered users yet. Be the first to{" "}
|
||||||
|
<Link href="/signup" className="text-primary hover:underline">
|
||||||
|
sign up
|
||||||
|
</Link>
|
||||||
|
!
|
||||||
|
</div>
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Card className="p-4">
|
||||||
|
<CardHeader className="p-0 pb-2">
|
||||||
|
<CardTitle className="text-lg text-shadow-md">Users Count</CardTitle>
|
||||||
|
<CardDescription>
|
||||||
|
Total number of registered users on Thoughts.
|
||||||
|
</CardDescription>
|
||||||
|
</CardHeader>
|
||||||
|
<CardContent>
|
||||||
|
<div className="text-muted-foreground text-sm text-center py-4">
|
||||||
|
{usersCount.count} registered users.
|
||||||
|
</div>
|
||||||
|
</CardContent>
|
||||||
|
</Card>
|
||||||
|
);
|
||||||
|
}
|
@@ -28,6 +28,7 @@ export const MeSchema = z.object({
|
|||||||
export const ThoughtSchema = z.object({
|
export const ThoughtSchema = z.object({
|
||||||
id: z.uuid(),
|
id: z.uuid(),
|
||||||
authorUsername: z.string(),
|
authorUsername: z.string(),
|
||||||
|
authorDisplayName: z.string().nullable(),
|
||||||
content: z.string(),
|
content: z.string(),
|
||||||
visibility: z.enum(["Public", "FriendsOnly", "Private"]),
|
visibility: z.enum(["Public", "FriendsOnly", "Private"]),
|
||||||
replyToId: z.uuid().nullable(),
|
replyToId: z.uuid().nullable(),
|
||||||
@@ -87,6 +88,7 @@ export const CreateApiKeySchema = z.object({
|
|||||||
export const ThoughtThreadSchema: z.ZodType<{
|
export const ThoughtThreadSchema: z.ZodType<{
|
||||||
id: string;
|
id: string;
|
||||||
authorUsername: string;
|
authorUsername: string;
|
||||||
|
authorDisplayName: string | null;
|
||||||
content: string;
|
content: string;
|
||||||
visibility: "Public" | "FriendsOnly" | "Private";
|
visibility: "Public" | "FriendsOnly" | "Private";
|
||||||
replyToId: string | null;
|
replyToId: string | null;
|
||||||
@@ -95,6 +97,7 @@ export const ThoughtThreadSchema: z.ZodType<{
|
|||||||
}> = z.object({
|
}> = z.object({
|
||||||
id: z.uuid(),
|
id: z.uuid(),
|
||||||
authorUsername: z.string(),
|
authorUsername: z.string(),
|
||||||
|
authorDisplayName: z.string().nullable(),
|
||||||
content: z.string(),
|
content: z.string(),
|
||||||
visibility: z.enum(["Public", "FriendsOnly", "Private"]),
|
visibility: z.enum(["Public", "FriendsOnly", "Private"]),
|
||||||
replyToId: z.uuid().nullable(),
|
replyToId: z.uuid().nullable(),
|
||||||
@@ -165,15 +168,14 @@ export const loginUser = (data: z.infer<typeof LoginSchema>) =>
|
|||||||
body: JSON.stringify(data),
|
body: JSON.stringify(data),
|
||||||
}, z.object({ token: z.string() }));
|
}, z.object({ token: z.string() }));
|
||||||
|
|
||||||
export const getFeed = (token: string) =>
|
export const getFeed = (token: string, page: number = 1, pageSize: number = 20) =>
|
||||||
apiFetch(
|
apiFetch(
|
||||||
"/feed",
|
`/feed?page=${page}&page_size=${pageSize}`,
|
||||||
{},
|
{},
|
||||||
z.object({ thoughts: z.array(ThoughtSchema) }),
|
z.object({ items: z.array(ThoughtSchema), totalPages: z.number() }),
|
||||||
token
|
token
|
||||||
);
|
);
|
||||||
|
|
||||||
// --- User API Functions ---
|
|
||||||
export const getUserProfile = (username: string, token: string | null) =>
|
export const getUserProfile = (username: string, token: string | null) =>
|
||||||
apiFetch(`/users/${username}`, {}, UserSchema, token);
|
apiFetch(`/users/${username}`, {}, UserSchema, token);
|
||||||
|
|
||||||
@@ -325,3 +327,26 @@ export const deleteApiKey = (keyId: string, token: string) =>
|
|||||||
|
|
||||||
export const getThoughtThread = (thoughtId: string, token: string | null) =>
|
export const getThoughtThread = (thoughtId: string, token: string | null) =>
|
||||||
apiFetch(`/thoughts/${thoughtId}/thread`, {}, ThoughtThreadSchema, token);
|
apiFetch(`/thoughts/${thoughtId}/thread`, {}, ThoughtThreadSchema, token);
|
||||||
|
|
||||||
|
|
||||||
|
export const getAllUsers = (page: number = 1, pageSize: number = 20) =>
|
||||||
|
apiFetch(
|
||||||
|
`/users/all?page=${page}&page_size=${pageSize}`,
|
||||||
|
{},
|
||||||
|
z.object({
|
||||||
|
items: z.array(UserSchema),
|
||||||
|
page: z.number(),
|
||||||
|
pageSize: z.number(),
|
||||||
|
totalPages: z.number(),
|
||||||
|
totalItems: z.number(),
|
||||||
|
})
|
||||||
|
);
|
||||||
|
|
||||||
|
export const getAllUsersCount = () =>
|
||||||
|
apiFetch(
|
||||||
|
`/users/count`,
|
||||||
|
{},
|
||||||
|
z.object({
|
||||||
|
count: z.number(),
|
||||||
|
})
|
||||||
|
);
|
Reference in New Issue
Block a user