feat: add reading_status_push auto-refresh schedule per library
- Migration 0059: reading_status_push_mode / last / next columns on libraries - API: update_reading_status_provider accepts push_mode and calculates next_push_at - job_poller: handles reading_status_push pending jobs - Indexer scheduler: check_and_schedule_reading_status_push every minute - Backoffice: schedule select in library settings modal Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com>
This commit is contained in:
@@ -4,7 +4,7 @@ use sqlx::{PgPool, Row};
|
|||||||
use tracing::{error, info, trace};
|
use tracing::{error, info, trace};
|
||||||
use uuid::Uuid;
|
use uuid::Uuid;
|
||||||
|
|
||||||
use crate::{metadata_batch, metadata_refresh};
|
use crate::{metadata_batch, metadata_refresh, reading_status_push};
|
||||||
|
|
||||||
/// Poll for pending API-only jobs (`metadata_batch`, `metadata_refresh`) and process them.
|
/// Poll for pending API-only jobs (`metadata_batch`, `metadata_refresh`) and process them.
|
||||||
/// This mirrors the indexer's worker loop but for job types handled by the API.
|
/// This mirrors the indexer's worker loop but for job types handled by the API.
|
||||||
@@ -43,6 +43,14 @@ pub async fn run_job_poller(pool: PgPool, interval_seconds: u64) {
|
|||||||
)
|
)
|
||||||
.await
|
.await
|
||||||
}
|
}
|
||||||
|
"reading_status_push" => {
|
||||||
|
reading_status_push::process_reading_status_push(
|
||||||
|
&pool_clone,
|
||||||
|
job_id,
|
||||||
|
library_id,
|
||||||
|
)
|
||||||
|
.await
|
||||||
|
}
|
||||||
_ => Err(format!("Unknown API job type: {job_type}")),
|
_ => Err(format!("Unknown API job type: {job_type}")),
|
||||||
};
|
};
|
||||||
|
|
||||||
@@ -75,6 +83,15 @@ pub async fn run_job_poller(pool: PgPool, interval_seconds: u64) {
|
|||||||
},
|
},
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
"reading_status_push" => {
|
||||||
|
notifications::notify(
|
||||||
|
pool_clone,
|
||||||
|
notifications::NotificationEvent::ReadingStatusPushFailed {
|
||||||
|
library_name,
|
||||||
|
error: e.to_string(),
|
||||||
|
},
|
||||||
|
);
|
||||||
|
}
|
||||||
_ => {}
|
_ => {}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@@ -92,7 +109,7 @@ pub async fn run_job_poller(pool: PgPool, interval_seconds: u64) {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
const API_JOB_TYPES: &[&str] = &["metadata_batch", "metadata_refresh"];
|
const API_JOB_TYPES: &[&str] = &["metadata_batch", "metadata_refresh", "reading_status_push"];
|
||||||
|
|
||||||
async fn claim_next_api_job(pool: &PgPool) -> Result<Option<(Uuid, String, Uuid)>, sqlx::Error> {
|
async fn claim_next_api_job(pool: &PgPool) -> Result<Option<(Uuid, String, Uuid)>, sqlx::Error> {
|
||||||
let mut tx = pool.begin().await?;
|
let mut tx = pool.begin().await?;
|
||||||
|
|||||||
@@ -31,6 +31,9 @@ pub struct LibraryResponse {
|
|||||||
#[schema(value_type = Vec<String>)]
|
#[schema(value_type = Vec<String>)]
|
||||||
pub thumbnail_book_ids: Vec<Uuid>,
|
pub thumbnail_book_ids: Vec<Uuid>,
|
||||||
pub reading_status_provider: Option<String>,
|
pub reading_status_provider: Option<String>,
|
||||||
|
pub reading_status_push_mode: String,
|
||||||
|
#[schema(value_type = Option<String>)]
|
||||||
|
pub next_reading_status_push_at: Option<chrono::DateTime<chrono::Utc>>,
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Deserialize, ToSchema)]
|
#[derive(Deserialize, ToSchema)]
|
||||||
@@ -54,7 +57,7 @@ pub struct CreateLibraryRequest {
|
|||||||
)]
|
)]
|
||||||
pub async fn list_libraries(State(state): State<AppState>) -> Result<Json<Vec<LibraryResponse>>, ApiError> {
|
pub async fn list_libraries(State(state): State<AppState>) -> Result<Json<Vec<LibraryResponse>>, ApiError> {
|
||||||
let rows = sqlx::query(
|
let rows = sqlx::query(
|
||||||
"SELECT l.id, l.name, l.root_path, l.enabled, l.monitor_enabled, l.scan_mode, l.next_scan_at, l.watcher_enabled, l.metadata_provider, l.fallback_metadata_provider, l.metadata_refresh_mode, l.next_metadata_refresh_at, l.reading_status_provider,
|
"SELECT l.id, l.name, l.root_path, l.enabled, l.monitor_enabled, l.scan_mode, l.next_scan_at, l.watcher_enabled, l.metadata_provider, l.fallback_metadata_provider, l.metadata_refresh_mode, l.next_metadata_refresh_at, l.reading_status_provider, l.reading_status_push_mode, l.next_reading_status_push_at,
|
||||||
(SELECT COUNT(*) FROM books b WHERE b.library_id = l.id) as book_count,
|
(SELECT COUNT(*) FROM books b WHERE b.library_id = l.id) as book_count,
|
||||||
(SELECT COUNT(DISTINCT COALESCE(NULLIF(b.series, ''), 'unclassified')) FROM books b WHERE b.library_id = l.id) as series_count,
|
(SELECT COUNT(DISTINCT COALESCE(NULLIF(b.series, ''), 'unclassified')) FROM books b WHERE b.library_id = l.id) as series_count,
|
||||||
COALESCE((
|
COALESCE((
|
||||||
@@ -94,6 +97,8 @@ pub async fn list_libraries(State(state): State<AppState>) -> Result<Json<Vec<Li
|
|||||||
next_metadata_refresh_at: row.get("next_metadata_refresh_at"),
|
next_metadata_refresh_at: row.get("next_metadata_refresh_at"),
|
||||||
thumbnail_book_ids: row.get("thumbnail_book_ids"),
|
thumbnail_book_ids: row.get("thumbnail_book_ids"),
|
||||||
reading_status_provider: row.get("reading_status_provider"),
|
reading_status_provider: row.get("reading_status_provider"),
|
||||||
|
reading_status_push_mode: row.get("reading_status_push_mode"),
|
||||||
|
next_reading_status_push_at: row.get("next_reading_status_push_at"),
|
||||||
})
|
})
|
||||||
.collect();
|
.collect();
|
||||||
|
|
||||||
@@ -152,6 +157,8 @@ pub async fn create_library(
|
|||||||
next_metadata_refresh_at: None,
|
next_metadata_refresh_at: None,
|
||||||
thumbnail_book_ids: vec![],
|
thumbnail_book_ids: vec![],
|
||||||
reading_status_provider: None,
|
reading_status_provider: None,
|
||||||
|
reading_status_push_mode: "manual".to_string(),
|
||||||
|
next_reading_status_push_at: None,
|
||||||
}))
|
}))
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -339,7 +346,7 @@ pub async fn update_monitoring(
|
|||||||
let watcher_enabled = input.watcher_enabled.unwrap_or(false);
|
let watcher_enabled = input.watcher_enabled.unwrap_or(false);
|
||||||
|
|
||||||
let result = sqlx::query(
|
let result = sqlx::query(
|
||||||
"UPDATE libraries SET monitor_enabled = $2, scan_mode = $3, next_scan_at = $4, watcher_enabled = $5, metadata_refresh_mode = $6, next_metadata_refresh_at = $7 WHERE id = $1 RETURNING id, name, root_path, enabled, monitor_enabled, scan_mode, next_scan_at, watcher_enabled, metadata_provider, fallback_metadata_provider, metadata_refresh_mode, next_metadata_refresh_at, reading_status_provider"
|
"UPDATE libraries SET monitor_enabled = $2, scan_mode = $3, next_scan_at = $4, watcher_enabled = $5, metadata_refresh_mode = $6, next_metadata_refresh_at = $7 WHERE id = $1 RETURNING id, name, root_path, enabled, monitor_enabled, scan_mode, next_scan_at, watcher_enabled, metadata_provider, fallback_metadata_provider, metadata_refresh_mode, next_metadata_refresh_at, reading_status_provider, reading_status_push_mode, next_reading_status_push_at"
|
||||||
)
|
)
|
||||||
.bind(library_id)
|
.bind(library_id)
|
||||||
.bind(input.monitor_enabled)
|
.bind(input.monitor_enabled)
|
||||||
@@ -393,6 +400,8 @@ pub async fn update_monitoring(
|
|||||||
next_metadata_refresh_at: row.get("next_metadata_refresh_at"),
|
next_metadata_refresh_at: row.get("next_metadata_refresh_at"),
|
||||||
thumbnail_book_ids,
|
thumbnail_book_ids,
|
||||||
reading_status_provider: row.get("reading_status_provider"),
|
reading_status_provider: row.get("reading_status_provider"),
|
||||||
|
reading_status_push_mode: row.get("reading_status_push_mode"),
|
||||||
|
next_reading_status_push_at: row.get("next_reading_status_push_at"),
|
||||||
}))
|
}))
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -428,7 +437,7 @@ pub async fn update_metadata_provider(
|
|||||||
let fallback = input.fallback_metadata_provider.as_deref().filter(|s| !s.is_empty());
|
let fallback = input.fallback_metadata_provider.as_deref().filter(|s| !s.is_empty());
|
||||||
|
|
||||||
let result = sqlx::query(
|
let result = sqlx::query(
|
||||||
"UPDATE libraries SET metadata_provider = $2, fallback_metadata_provider = $3 WHERE id = $1 RETURNING id, name, root_path, enabled, monitor_enabled, scan_mode, next_scan_at, watcher_enabled, metadata_provider, fallback_metadata_provider, metadata_refresh_mode, next_metadata_refresh_at, reading_status_provider"
|
"UPDATE libraries SET metadata_provider = $2, fallback_metadata_provider = $3 WHERE id = $1 RETURNING id, name, root_path, enabled, monitor_enabled, scan_mode, next_scan_at, watcher_enabled, metadata_provider, fallback_metadata_provider, metadata_refresh_mode, next_metadata_refresh_at, reading_status_provider, reading_status_push_mode, next_reading_status_push_at"
|
||||||
)
|
)
|
||||||
.bind(library_id)
|
.bind(library_id)
|
||||||
.bind(provider)
|
.bind(provider)
|
||||||
@@ -478,12 +487,15 @@ pub async fn update_metadata_provider(
|
|||||||
next_metadata_refresh_at: row.get("next_metadata_refresh_at"),
|
next_metadata_refresh_at: row.get("next_metadata_refresh_at"),
|
||||||
thumbnail_book_ids,
|
thumbnail_book_ids,
|
||||||
reading_status_provider: row.get("reading_status_provider"),
|
reading_status_provider: row.get("reading_status_provider"),
|
||||||
|
reading_status_push_mode: row.get("reading_status_push_mode"),
|
||||||
|
next_reading_status_push_at: row.get("next_reading_status_push_at"),
|
||||||
}))
|
}))
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Deserialize, ToSchema)]
|
#[derive(Deserialize, ToSchema)]
|
||||||
pub struct UpdateReadingStatusProviderRequest {
|
pub struct UpdateReadingStatusProviderRequest {
|
||||||
pub reading_status_provider: Option<String>,
|
pub reading_status_provider: Option<String>,
|
||||||
|
pub reading_status_push_mode: Option<String>,
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Update the reading status provider for a library
|
/// Update the reading status provider for a library
|
||||||
@@ -506,15 +518,41 @@ pub async fn update_reading_status_provider(
|
|||||||
Json(input): Json<UpdateReadingStatusProviderRequest>,
|
Json(input): Json<UpdateReadingStatusProviderRequest>,
|
||||||
) -> Result<Json<serde_json::Value>, ApiError> {
|
) -> Result<Json<serde_json::Value>, ApiError> {
|
||||||
let provider = input.reading_status_provider.as_deref().filter(|s| !s.is_empty());
|
let provider = input.reading_status_provider.as_deref().filter(|s| !s.is_empty());
|
||||||
let result = sqlx::query("UPDATE libraries SET reading_status_provider = $2 WHERE id = $1")
|
|
||||||
.bind(library_id)
|
let valid_modes = ["manual", "hourly", "daily", "weekly"];
|
||||||
.bind(provider)
|
let push_mode = input.reading_status_push_mode.as_deref().unwrap_or("manual");
|
||||||
.execute(&state.pool)
|
if !valid_modes.contains(&push_mode) {
|
||||||
.await?;
|
return Err(ApiError::bad_request("reading_status_push_mode must be one of: manual, hourly, daily, weekly"));
|
||||||
|
}
|
||||||
|
|
||||||
|
let next_push_at = if push_mode != "manual" {
|
||||||
|
let interval_minutes: i64 = match push_mode {
|
||||||
|
"hourly" => 60,
|
||||||
|
"daily" => 1440,
|
||||||
|
"weekly" => 10080,
|
||||||
|
_ => 1440,
|
||||||
|
};
|
||||||
|
Some(chrono::Utc::now() + chrono::Duration::minutes(interval_minutes))
|
||||||
|
} else {
|
||||||
|
None
|
||||||
|
};
|
||||||
|
|
||||||
|
let result = sqlx::query(
|
||||||
|
"UPDATE libraries SET reading_status_provider = $2, reading_status_push_mode = $3, next_reading_status_push_at = $4 WHERE id = $1"
|
||||||
|
)
|
||||||
|
.bind(library_id)
|
||||||
|
.bind(provider)
|
||||||
|
.bind(push_mode)
|
||||||
|
.bind(next_push_at)
|
||||||
|
.execute(&state.pool)
|
||||||
|
.await?;
|
||||||
|
|
||||||
if result.rows_affected() == 0 {
|
if result.rows_affected() == 0 {
|
||||||
return Err(ApiError::not_found("library not found"));
|
return Err(ApiError::not_found("library not found"));
|
||||||
}
|
}
|
||||||
|
|
||||||
Ok(Json(serde_json::json!({ "reading_status_provider": provider })))
|
Ok(Json(serde_json::json!({
|
||||||
|
"reading_status_provider": provider,
|
||||||
|
"reading_status_push_mode": push_mode,
|
||||||
|
})))
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -296,7 +296,7 @@ struct SeriesInfo {
|
|||||||
anilist_url: Option<String>,
|
anilist_url: Option<String>,
|
||||||
}
|
}
|
||||||
|
|
||||||
async fn process_reading_status_push(
|
pub async fn process_reading_status_push(
|
||||||
pool: &PgPool,
|
pool: &PgPool,
|
||||||
job_id: Uuid,
|
job_id: Uuid,
|
||||||
library_id: Uuid,
|
library_id: Uuid,
|
||||||
|
|||||||
@@ -147,6 +147,7 @@ export default async function LibrariesPage() {
|
|||||||
fallbackMetadataProvider={lib.fallback_metadata_provider}
|
fallbackMetadataProvider={lib.fallback_metadata_provider}
|
||||||
metadataRefreshMode={lib.metadata_refresh_mode}
|
metadataRefreshMode={lib.metadata_refresh_mode}
|
||||||
readingStatusProvider={lib.reading_status_provider}
|
readingStatusProvider={lib.reading_status_provider}
|
||||||
|
readingStatusPushMode={lib.reading_status_push_mode}
|
||||||
/>
|
/>
|
||||||
<form>
|
<form>
|
||||||
<input type="hidden" name="id" value={lib.id} />
|
<input type="hidden" name="id" value={lib.id} />
|
||||||
|
|||||||
@@ -15,6 +15,7 @@ interface LibraryActionsProps {
|
|||||||
fallbackMetadataProvider: string | null;
|
fallbackMetadataProvider: string | null;
|
||||||
metadataRefreshMode: string;
|
metadataRefreshMode: string;
|
||||||
readingStatusProvider: string | null;
|
readingStatusProvider: string | null;
|
||||||
|
readingStatusPushMode: string;
|
||||||
onUpdate?: () => void;
|
onUpdate?: () => void;
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -27,6 +28,7 @@ export function LibraryActions({
|
|||||||
fallbackMetadataProvider,
|
fallbackMetadataProvider,
|
||||||
metadataRefreshMode,
|
metadataRefreshMode,
|
||||||
readingStatusProvider,
|
readingStatusProvider,
|
||||||
|
readingStatusPushMode,
|
||||||
}: LibraryActionsProps) {
|
}: LibraryActionsProps) {
|
||||||
const { t } = useTranslation();
|
const { t } = useTranslation();
|
||||||
const [isOpen, setIsOpen] = useState(false);
|
const [isOpen, setIsOpen] = useState(false);
|
||||||
@@ -43,6 +45,7 @@ export function LibraryActions({
|
|||||||
const newFallbackProvider = (formData.get("fallback_metadata_provider") as string) || null;
|
const newFallbackProvider = (formData.get("fallback_metadata_provider") as string) || null;
|
||||||
const newMetadataRefreshMode = formData.get("metadata_refresh_mode") as string;
|
const newMetadataRefreshMode = formData.get("metadata_refresh_mode") as string;
|
||||||
const newReadingStatusProvider = (formData.get("reading_status_provider") as string) || null;
|
const newReadingStatusProvider = (formData.get("reading_status_provider") as string) || null;
|
||||||
|
const newReadingStatusPushMode = (formData.get("reading_status_push_mode") as string) || "manual";
|
||||||
|
|
||||||
try {
|
try {
|
||||||
const [response] = await Promise.all([
|
const [response] = await Promise.all([
|
||||||
@@ -64,7 +67,10 @@ export function LibraryActions({
|
|||||||
fetch(`/api/libraries/${libraryId}/reading-status-provider`, {
|
fetch(`/api/libraries/${libraryId}/reading-status-provider`, {
|
||||||
method: "PATCH",
|
method: "PATCH",
|
||||||
headers: { "Content-Type": "application/json" },
|
headers: { "Content-Type": "application/json" },
|
||||||
body: JSON.stringify({ reading_status_provider: newReadingStatusProvider }),
|
body: JSON.stringify({
|
||||||
|
reading_status_provider: newReadingStatusProvider,
|
||||||
|
reading_status_push_mode: newReadingStatusPushMode,
|
||||||
|
}),
|
||||||
}),
|
}),
|
||||||
]);
|
]);
|
||||||
|
|
||||||
@@ -289,6 +295,22 @@ export function LibraryActions({
|
|||||||
</div>
|
</div>
|
||||||
<p className="text-xs text-muted-foreground mt-1.5">{t("libraryActions.readingStatusProviderDesc")}</p>
|
<p className="text-xs text-muted-foreground mt-1.5">{t("libraryActions.readingStatusProviderDesc")}</p>
|
||||||
</div>
|
</div>
|
||||||
|
<div>
|
||||||
|
<div className="flex items-center justify-between gap-4">
|
||||||
|
<label className="text-sm font-medium text-foreground">{t("libraryActions.readingStatusPushSchedule")}</label>
|
||||||
|
<select
|
||||||
|
name="reading_status_push_mode"
|
||||||
|
defaultValue={readingStatusPushMode}
|
||||||
|
className="text-sm border border-border rounded-lg px-3 py-1.5 bg-background min-w-[160px] shrink-0"
|
||||||
|
>
|
||||||
|
<option value="manual">{t("monitoring.manual")}</option>
|
||||||
|
<option value="hourly">{t("monitoring.hourly")}</option>
|
||||||
|
<option value="daily">{t("monitoring.daily")}</option>
|
||||||
|
<option value="weekly">{t("monitoring.weekly")}</option>
|
||||||
|
</select>
|
||||||
|
</div>
|
||||||
|
<p className="text-xs text-muted-foreground mt-1.5">{t("libraryActions.readingStatusPushScheduleDesc")}</p>
|
||||||
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
{saveError && (
|
{saveError && (
|
||||||
|
|||||||
@@ -15,6 +15,8 @@ export type LibraryDto = {
|
|||||||
series_count: number;
|
series_count: number;
|
||||||
thumbnail_book_ids: string[];
|
thumbnail_book_ids: string[];
|
||||||
reading_status_provider: string | null;
|
reading_status_provider: string | null;
|
||||||
|
reading_status_push_mode: string;
|
||||||
|
next_reading_status_push_at: string | null;
|
||||||
};
|
};
|
||||||
|
|
||||||
export type IndexJobDto = {
|
export type IndexJobDto = {
|
||||||
|
|||||||
@@ -200,6 +200,8 @@ const en: Record<TranslationKey, string> = {
|
|||||||
"libraryActions.sectionReadingStatus": "Reading Status",
|
"libraryActions.sectionReadingStatus": "Reading Status",
|
||||||
"libraryActions.readingStatusProvider": "Reading Status Provider",
|
"libraryActions.readingStatusProvider": "Reading Status Provider",
|
||||||
"libraryActions.readingStatusProviderDesc": "Syncs reading states (read / reading / planned) with an external service",
|
"libraryActions.readingStatusProviderDesc": "Syncs reading states (read / reading / planned) with an external service",
|
||||||
|
"libraryActions.readingStatusPushSchedule": "Auto-push schedule",
|
||||||
|
"libraryActions.readingStatusPushScheduleDesc": "Automatically push reading progress to the provider on a schedule",
|
||||||
|
|
||||||
// Reading status modal
|
// Reading status modal
|
||||||
"readingStatus.button": "Reading status",
|
"readingStatus.button": "Reading status",
|
||||||
|
|||||||
@@ -198,6 +198,8 @@ const fr = {
|
|||||||
"libraryActions.sectionReadingStatus": "État de lecture",
|
"libraryActions.sectionReadingStatus": "État de lecture",
|
||||||
"libraryActions.readingStatusProvider": "Provider d'état de lecture",
|
"libraryActions.readingStatusProvider": "Provider d'état de lecture",
|
||||||
"libraryActions.readingStatusProviderDesc": "Synchronise les états de lecture (lu / en cours / planifié) avec un service externe",
|
"libraryActions.readingStatusProviderDesc": "Synchronise les états de lecture (lu / en cours / planifié) avec un service externe",
|
||||||
|
"libraryActions.readingStatusPushSchedule": "Synchronisation automatique",
|
||||||
|
"libraryActions.readingStatusPushScheduleDesc": "Pousse automatiquement la progression de lecture vers le provider selon un calendrier",
|
||||||
|
|
||||||
// Reading status modal
|
// Reading status modal
|
||||||
"readingStatus.button": "État de lecture",
|
"readingStatus.button": "État de lecture",
|
||||||
|
|||||||
@@ -66,6 +66,68 @@ pub async fn check_and_schedule_auto_scans(pool: &PgPool) -> Result<()> {
|
|||||||
Ok(())
|
Ok(())
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub async fn check_and_schedule_reading_status_push(pool: &PgPool) -> Result<()> {
|
||||||
|
let libraries = sqlx::query(
|
||||||
|
r#"
|
||||||
|
SELECT id, reading_status_push_mode
|
||||||
|
FROM libraries
|
||||||
|
WHERE reading_status_push_mode != 'manual'
|
||||||
|
AND reading_status_provider IS NOT NULL
|
||||||
|
AND (
|
||||||
|
next_reading_status_push_at IS NULL
|
||||||
|
OR next_reading_status_push_at <= NOW()
|
||||||
|
)
|
||||||
|
AND NOT EXISTS (
|
||||||
|
SELECT 1 FROM index_jobs
|
||||||
|
WHERE library_id = libraries.id
|
||||||
|
AND type = 'reading_status_push'
|
||||||
|
AND status IN ('pending', 'running')
|
||||||
|
)
|
||||||
|
AND EXISTS (
|
||||||
|
SELECT 1 FROM anilist_series_links
|
||||||
|
WHERE library_id = libraries.id
|
||||||
|
)
|
||||||
|
"#
|
||||||
|
)
|
||||||
|
.fetch_all(pool)
|
||||||
|
.await?;
|
||||||
|
|
||||||
|
for row in libraries {
|
||||||
|
let library_id: Uuid = row.get("id");
|
||||||
|
let push_mode: String = row.get("reading_status_push_mode");
|
||||||
|
|
||||||
|
info!("[SCHEDULER] Auto-pushing reading status for library {} (mode: {})", library_id, push_mode);
|
||||||
|
|
||||||
|
let job_id = Uuid::new_v4();
|
||||||
|
sqlx::query(
|
||||||
|
"INSERT INTO index_jobs (id, library_id, type, status) VALUES ($1, $2, 'reading_status_push', 'pending')"
|
||||||
|
)
|
||||||
|
.bind(job_id)
|
||||||
|
.bind(library_id)
|
||||||
|
.execute(pool)
|
||||||
|
.await?;
|
||||||
|
|
||||||
|
let interval_minutes: i64 = match push_mode.as_str() {
|
||||||
|
"hourly" => 60,
|
||||||
|
"daily" => 1440,
|
||||||
|
"weekly" => 10080,
|
||||||
|
_ => 1440,
|
||||||
|
};
|
||||||
|
|
||||||
|
sqlx::query(
|
||||||
|
"UPDATE libraries SET last_reading_status_push_at = NOW(), next_reading_status_push_at = NOW() + INTERVAL '1 minute' * $2 WHERE id = $1"
|
||||||
|
)
|
||||||
|
.bind(library_id)
|
||||||
|
.bind(interval_minutes)
|
||||||
|
.execute(pool)
|
||||||
|
.await?;
|
||||||
|
|
||||||
|
info!("[SCHEDULER] Created reading_status_push job {} for library {}", job_id, library_id);
|
||||||
|
}
|
||||||
|
|
||||||
|
Ok(())
|
||||||
|
}
|
||||||
|
|
||||||
pub async fn check_and_schedule_metadata_refreshes(pool: &PgPool) -> Result<()> {
|
pub async fn check_and_schedule_metadata_refreshes(pool: &PgPool) -> Result<()> {
|
||||||
let libraries = sqlx::query(
|
let libraries = sqlx::query(
|
||||||
r#"
|
r#"
|
||||||
|
|||||||
@@ -32,6 +32,9 @@ pub async fn run_worker(state: AppState, interval_seconds: u64) {
|
|||||||
if let Err(err) = scheduler::check_and_schedule_metadata_refreshes(&scheduler_state.pool).await {
|
if let Err(err) = scheduler::check_and_schedule_metadata_refreshes(&scheduler_state.pool).await {
|
||||||
error!("[SCHEDULER] Metadata refresh error: {}", err);
|
error!("[SCHEDULER] Metadata refresh error: {}", err);
|
||||||
}
|
}
|
||||||
|
if let Err(err) = scheduler::check_and_schedule_reading_status_push(&scheduler_state.pool).await {
|
||||||
|
error!("[SCHEDULER] Reading status push error: {}", err);
|
||||||
|
}
|
||||||
tokio::time::sleep(scheduler_wait).await;
|
tokio::time::sleep(scheduler_wait).await;
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
|
|||||||
@@ -0,0 +1,4 @@
|
|||||||
|
ALTER TABLE libraries
|
||||||
|
ADD COLUMN reading_status_push_mode TEXT NOT NULL DEFAULT 'manual',
|
||||||
|
ADD COLUMN last_reading_status_push_at TIMESTAMPTZ,
|
||||||
|
ADD COLUMN next_reading_status_push_at TIMESTAMPTZ;
|
||||||
Reference in New Issue
Block a user