feat: complete daily checkbox actions and cleanup

- Marked all daily checkbox actions as complete in TODO.md.
- Removed outdated mutation methods from `daily-client.ts`, now managed by server actions in `actions/daily.ts`.
- Deleted unused API routes for checkbox management, streamlining the codebase.
- Updated `useDaily.ts` to utilize server actions with `useTransition`, enhancing performance and user experience.
This commit is contained in:
Julien Froidefond
2025-09-18 13:20:44 +02:00
parent 6135fd8cb1
commit 3ce7af043c
6 changed files with 413 additions and 387 deletions

223
src/actions/daily.ts Normal file
View File

@@ -0,0 +1,223 @@
'use server';
import { dailyService } from '@/services/daily';
import { UpdateDailyCheckboxData, DailyCheckbox } from '@/lib/types';
import { revalidatePath } from 'next/cache';
/**
* Toggle l'état d'une checkbox
*/
export async function toggleCheckbox(checkboxId: string): Promise<{
success: boolean;
data?: DailyCheckbox;
error?: string;
}> {
try {
// Nous devons d'abord récupérer la checkbox pour connaître son état actuel
// En absence de getCheckboxById, nous allons essayer de la trouver via une vue daily
// Pour l'instant, nous allons simplement toggle via updateCheckbox
// (le front-end gère déjà l'état optimiste)
// Récupérer toutes les checkboxes d'aujourd'hui et hier pour trouver celle à toggle
const today = new Date();
const dailyView = await dailyService.getDailyView(today);
let checkbox = dailyView.today.find(cb => cb.id === checkboxId);
if (!checkbox) {
checkbox = dailyView.yesterday.find(cb => cb.id === checkboxId);
}
if (!checkbox) {
return { success: false, error: 'Checkbox non trouvée' };
}
// Toggle l'état
const updatedCheckbox = await dailyService.updateCheckbox(checkboxId, {
isChecked: !checkbox.isChecked
});
revalidatePath('/daily');
return { success: true, data: updatedCheckbox };
} catch (error) {
console.error('Erreur toggleCheckbox:', error);
return {
success: false,
error: error instanceof Error ? error.message : 'Erreur inconnue'
};
}
}
/**
* Ajoute une checkbox à une date donnée
*/
export async function addCheckboxToDaily(dailyId: string, content: string, taskId?: string): Promise<{
success: boolean;
data?: DailyCheckbox;
error?: string;
}> {
try {
// Le dailyId correspond à la date au format YYYY-MM-DD
const date = new Date(dailyId);
const newCheckbox = await dailyService.addCheckbox({
date,
text: content,
taskId
});
revalidatePath('/daily');
return { success: true, data: newCheckbox };
} catch (error) {
console.error('Erreur addCheckboxToDaily:', error);
return {
success: false,
error: error instanceof Error ? error.message : 'Erreur inconnue'
};
}
}
/**
* Ajoute une checkbox pour aujourd'hui
*/
export async function addTodayCheckbox(content: string, taskId?: string): Promise<{
success: boolean;
data?: DailyCheckbox;
error?: string;
}> {
try {
const newCheckbox = await dailyService.addCheckbox({
date: new Date(),
text: content,
taskId
});
revalidatePath('/daily');
return { success: true, data: newCheckbox };
} catch (error) {
console.error('Erreur addTodayCheckbox:', error);
return {
success: false,
error: error instanceof Error ? error.message : 'Erreur inconnue'
};
}
}
/**
* Ajoute une checkbox pour hier
*/
export async function addYesterdayCheckbox(content: string, taskId?: string): Promise<{
success: boolean;
data?: DailyCheckbox;
error?: string;
}> {
try {
const yesterday = new Date();
yesterday.setDate(yesterday.getDate() - 1);
const newCheckbox = await dailyService.addCheckbox({
date: yesterday,
text: content,
taskId
});
revalidatePath('/daily');
return { success: true, data: newCheckbox };
} catch (error) {
console.error('Erreur addYesterdayCheckbox:', error);
return {
success: false,
error: error instanceof Error ? error.message : 'Erreur inconnue'
};
}
}
/**
* Met à jour le contenu d'une checkbox
*/
export async function updateCheckboxContent(checkboxId: string, content: string): Promise<{
success: boolean;
data?: DailyCheckbox;
error?: string;
}> {
try {
const updatedCheckbox = await dailyService.updateCheckbox(checkboxId, {
text: content
});
revalidatePath('/daily');
return { success: true, data: updatedCheckbox };
} catch (error) {
console.error('Erreur updateCheckboxContent:', error);
return {
success: false,
error: error instanceof Error ? error.message : 'Erreur inconnue'
};
}
}
/**
* Met à jour une checkbox complète
*/
export async function updateCheckbox(checkboxId: string, data: UpdateDailyCheckboxData): Promise<{
success: boolean;
data?: DailyCheckbox;
error?: string;
}> {
try {
const updatedCheckbox = await dailyService.updateCheckbox(checkboxId, data);
revalidatePath('/daily');
return { success: true, data: updatedCheckbox };
} catch (error) {
console.error('Erreur updateCheckbox:', error);
return {
success: false,
error: error instanceof Error ? error.message : 'Erreur inconnue'
};
}
}
/**
* Supprime une checkbox
*/
export async function deleteCheckbox(checkboxId: string): Promise<{
success: boolean;
error?: string;
}> {
try {
await dailyService.deleteCheckbox(checkboxId);
revalidatePath('/daily');
return { success: true };
} catch (error) {
console.error('Erreur deleteCheckbox:', error);
return {
success: false,
error: error instanceof Error ? error.message : 'Erreur inconnue'
};
}
}
/**
* Réorganise les checkboxes d'une date
*/
export async function reorderCheckboxes(dailyId: string, checkboxIds: string[]): Promise<{
success: boolean;
error?: string;
}> {
try {
// Le dailyId correspond à la date au format YYYY-MM-DD
const date = new Date(dailyId);
await dailyService.reorderCheckboxes(date, checkboxIds);
revalidatePath('/daily');
return { success: true };
} catch (error) {
console.error('Erreur reorderCheckboxes:', error);
return {
success: false,
error: error instanceof Error ? error.message : 'Erreur inconnue'
};
}
}

View File

@@ -1,63 +0,0 @@
import { NextResponse } from 'next/server';
import { dailyService } from '@/services/daily';
/**
* API route pour mettre à jour une checkbox
*/
export async function PATCH(
request: Request,
{ params }: { params: Promise<{ id: string }> }
) {
try {
const body = await request.json();
const { id: checkboxId } = await params;
const checkbox = await dailyService.updateCheckbox(checkboxId, body);
return NextResponse.json(checkbox);
} catch (error) {
console.error('Erreur lors de la mise à jour de la checkbox:', error);
if (error instanceof Error && error.message.includes('Record to update not found')) {
return NextResponse.json(
{ error: 'Checkbox non trouvée' },
{ status: 404 }
);
}
return NextResponse.json(
{ error: 'Erreur interne du serveur' },
{ status: 500 }
);
}
}
/**
* API route pour supprimer une checkbox
*/
export async function DELETE(
request: Request,
{ params }: { params: Promise<{ id: string }> }
) {
try {
const { id: checkboxId } = await params;
await dailyService.deleteCheckbox(checkboxId);
return NextResponse.json({ success: true });
} catch (error) {
console.error('Erreur lors de la suppression de la checkbox:', error);
if (error instanceof Error && error.message.includes('Checkbox non trouvée')) {
return NextResponse.json(
{ error: 'Checkbox non trouvée' },
{ status: 404 }
);
}
return NextResponse.json(
{ error: 'Erreur interne du serveur' },
{ status: 500 }
);
}
}

View File

@@ -1,38 +0,0 @@
import { NextResponse } from 'next/server';
import { dailyService } from '@/services/daily';
/**
* API route pour réordonner les checkboxes d'une date
*/
export async function POST(request: Request) {
try {
const body = await request.json();
// Validation des données
if (!body.date || !Array.isArray(body.checkboxIds)) {
return NextResponse.json(
{ error: 'date et checkboxIds (array) sont requis' },
{ status: 400 }
);
}
const date = new Date(body.date);
if (isNaN(date.getTime())) {
return NextResponse.json(
{ error: 'Format de date invalide. Utilisez YYYY-MM-DD' },
{ status: 400 }
);
}
await dailyService.reorderCheckboxes(date, body.checkboxIds);
return NextResponse.json({ success: true });
} catch (error) {
console.error('Erreur lors du réordonnancement:', error);
return NextResponse.json(
{ error: 'Erreur interne du serveur' },
{ status: 500 }
);
}
}