All checks were successful
Deploy with Docker Compose / deploy (push) Successful in 3m33s
## perf-data-optimization - Add @@index([name]) on User model (migration) - Add WEATHER_HISTORY_LIMIT=90 constant, apply take/orderBy on weather history queries - Replace deep includes with explicit select on all 6 list service queries - Add unstable_cache layer with revalidateTag on all list service functions - Add cache-tags.ts helpers (sessionTag, sessionsListTag, userStatsTag) - Invalidate sessionsListTag in all create/delete Server Actions ## perf-realtime-scale - Create src/lib/broadcast.ts: generic createBroadcaster factory with shared polling (one interval per active session, starts on first subscriber, stops on last) - Migrate all 6 SSE routes to use createBroadcaster — removes per-connection setInterval - Add broadcastToXxx() calls in all Server Actions after mutations for immediate push - Add SESSIONS_PAGE_SIZE=20, pagination on sessions page with loadMoreSessions action - Add "Charger plus" button with loading state and "X sur Y" counter in WorkshopTabs ## Tests - Add 19 unit tests for broadcast.ts (polling lifecycle, userId filtering, formatEvent, error resilience, session isolation) Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com>
286 lines
8.4 KiB
TypeScript
286 lines
8.4 KiB
TypeScript
'use server';
|
|
|
|
import { revalidatePath, revalidateTag } from 'next/cache';
|
|
import { auth } from '@/lib/auth';
|
|
import * as weatherService from '@/services/weather';
|
|
import { sessionsListTag } from '@/lib/cache-tags';
|
|
import { getUserById } from '@/services/auth';
|
|
import { broadcastToWeatherSession } from '@/app/api/weather/[id]/subscribe/route';
|
|
|
|
// ============================================
|
|
// Session Actions
|
|
// ============================================
|
|
|
|
export async function createWeatherSession(data: { title: string; date?: Date }) {
|
|
const session = await auth();
|
|
if (!session?.user?.id) {
|
|
return { success: false, error: 'Non autorisé' };
|
|
}
|
|
|
|
try {
|
|
const weatherSession = await weatherService.createWeatherSession(session.user.id, data);
|
|
revalidatePath('/weather');
|
|
revalidatePath('/sessions');
|
|
revalidateTag(sessionsListTag(session.user.id), 'default');
|
|
return { success: true, data: weatherSession };
|
|
} catch (error) {
|
|
console.error('Error creating weather session:', error);
|
|
return { success: false, error: 'Erreur lors de la création' };
|
|
}
|
|
}
|
|
|
|
export async function updateWeatherSession(
|
|
sessionId: string,
|
|
data: { title?: string; date?: Date }
|
|
) {
|
|
const authSession = await auth();
|
|
if (!authSession?.user?.id) {
|
|
return { success: false, error: 'Non autorisé' };
|
|
}
|
|
|
|
try {
|
|
await weatherService.updateWeatherSession(sessionId, authSession.user.id, data);
|
|
|
|
// Get user info for broadcast
|
|
const user = await getUserById(authSession.user.id);
|
|
if (!user) {
|
|
return { success: false, error: 'Utilisateur non trouvé' };
|
|
}
|
|
|
|
// Emit event for real-time sync
|
|
const event = await weatherService.createWeatherSessionEvent(
|
|
sessionId,
|
|
authSession.user.id,
|
|
'SESSION_UPDATED',
|
|
data
|
|
);
|
|
|
|
// Broadcast immediately via SSE
|
|
broadcastToWeatherSession(sessionId, {
|
|
type: 'SESSION_UPDATED',
|
|
payload: data,
|
|
userId: authSession.user.id,
|
|
user: { id: user.id, name: user.name, email: user.email },
|
|
timestamp: event.createdAt,
|
|
});
|
|
|
|
revalidatePath(`/weather/${sessionId}`);
|
|
revalidatePath('/weather');
|
|
revalidatePath('/sessions');
|
|
revalidateTag(sessionsListTag(authSession.user.id), 'default');
|
|
return { success: true };
|
|
} catch (error) {
|
|
console.error('Error updating weather session:', error);
|
|
return { success: false, error: 'Erreur lors de la mise à jour' };
|
|
}
|
|
}
|
|
|
|
export async function deleteWeatherSession(sessionId: string) {
|
|
const authSession = await auth();
|
|
if (!authSession?.user?.id) {
|
|
return { success: false, error: 'Non autorisé' };
|
|
}
|
|
|
|
try {
|
|
await weatherService.deleteWeatherSession(sessionId, authSession.user.id);
|
|
revalidatePath('/weather');
|
|
revalidatePath('/sessions');
|
|
revalidateTag(sessionsListTag(authSession.user.id), 'default');
|
|
return { success: true };
|
|
} catch (error) {
|
|
console.error('Error deleting weather session:', error);
|
|
return { success: false, error: 'Erreur lors de la suppression' };
|
|
}
|
|
}
|
|
|
|
// ============================================
|
|
// Entry Actions
|
|
// ============================================
|
|
|
|
export async function createOrUpdateWeatherEntry(
|
|
sessionId: string,
|
|
data: {
|
|
performanceEmoji?: string | null;
|
|
moralEmoji?: string | null;
|
|
fluxEmoji?: string | null;
|
|
valueCreationEmoji?: string | null;
|
|
notes?: string | null;
|
|
}
|
|
) {
|
|
const authSession = await auth();
|
|
if (!authSession?.user?.id) {
|
|
return { success: false, error: 'Non autorisé' };
|
|
}
|
|
|
|
// Check edit permission
|
|
const canEdit = await weatherService.canEditWeatherSession(sessionId, authSession.user.id);
|
|
if (!canEdit) {
|
|
return { success: false, error: 'Permission refusée' };
|
|
}
|
|
|
|
try {
|
|
const entry = await weatherService.createOrUpdateWeatherEntry(
|
|
sessionId,
|
|
authSession.user.id,
|
|
data
|
|
);
|
|
|
|
// Get user info for broadcast
|
|
const user = await getUserById(authSession.user.id);
|
|
if (!user) {
|
|
return { success: false, error: 'Utilisateur non trouvé' };
|
|
}
|
|
|
|
// Emit event for real-time sync
|
|
const eventType =
|
|
entry.createdAt.getTime() === entry.updatedAt.getTime() ? 'ENTRY_CREATED' : 'ENTRY_UPDATED';
|
|
const event = await weatherService.createWeatherSessionEvent(
|
|
sessionId,
|
|
authSession.user.id,
|
|
eventType,
|
|
{
|
|
entryId: entry.id,
|
|
userId: entry.userId,
|
|
...data,
|
|
}
|
|
);
|
|
|
|
// Broadcast immediately via SSE
|
|
broadcastToWeatherSession(sessionId, {
|
|
type: eventType,
|
|
payload: {
|
|
entryId: entry.id,
|
|
userId: entry.userId,
|
|
...data,
|
|
},
|
|
userId: authSession.user.id,
|
|
user: { id: user.id, name: user.name, email: user.email },
|
|
timestamp: event.createdAt,
|
|
});
|
|
|
|
revalidatePath(`/weather/${sessionId}`);
|
|
return { success: true, data: entry };
|
|
} catch (error) {
|
|
console.error('Error creating/updating weather entry:', error);
|
|
return { success: false, error: 'Erreur lors de la sauvegarde' };
|
|
}
|
|
}
|
|
|
|
export async function deleteWeatherEntry(sessionId: string) {
|
|
const authSession = await auth();
|
|
if (!authSession?.user?.id) {
|
|
return { success: false, error: 'Non autorisé' };
|
|
}
|
|
|
|
// Check edit permission
|
|
const canEdit = await weatherService.canEditWeatherSession(sessionId, authSession.user.id);
|
|
if (!canEdit) {
|
|
return { success: false, error: 'Permission refusée' };
|
|
}
|
|
|
|
try {
|
|
await weatherService.deleteWeatherEntry(sessionId, authSession.user.id);
|
|
|
|
// Get user info for broadcast
|
|
const user = await getUserById(authSession.user.id);
|
|
if (!user) {
|
|
return { success: false, error: 'Utilisateur non trouvé' };
|
|
}
|
|
|
|
// Emit event for real-time sync
|
|
const event = await weatherService.createWeatherSessionEvent(
|
|
sessionId,
|
|
authSession.user.id,
|
|
'ENTRY_DELETED',
|
|
{ userId: authSession.user.id }
|
|
);
|
|
|
|
// Broadcast immediately via SSE
|
|
broadcastToWeatherSession(sessionId, {
|
|
type: 'ENTRY_DELETED',
|
|
payload: { userId: authSession.user.id },
|
|
userId: authSession.user.id,
|
|
user: { id: user.id, name: user.name, email: user.email },
|
|
timestamp: event.createdAt,
|
|
});
|
|
|
|
revalidatePath(`/weather/${sessionId}`);
|
|
return { success: true };
|
|
} catch (error) {
|
|
console.error('Error deleting weather entry:', error);
|
|
return { success: false, error: 'Erreur lors de la suppression' };
|
|
}
|
|
}
|
|
|
|
// ============================================
|
|
// Sharing Actions
|
|
// ============================================
|
|
|
|
export async function shareWeatherSession(
|
|
sessionId: string,
|
|
targetEmail: string,
|
|
role: 'VIEWER' | 'EDITOR' = 'EDITOR'
|
|
) {
|
|
const authSession = await auth();
|
|
if (!authSession?.user?.id) {
|
|
return { success: false, error: 'Non autorisé' };
|
|
}
|
|
|
|
try {
|
|
const share = await weatherService.shareWeatherSession(
|
|
sessionId,
|
|
authSession.user.id,
|
|
targetEmail,
|
|
role
|
|
);
|
|
revalidatePath(`/weather/${sessionId}`);
|
|
return { success: true, data: share };
|
|
} catch (error) {
|
|
console.error('Error sharing weather session:', error);
|
|
const message = error instanceof Error ? error.message : 'Erreur lors du partage';
|
|
return { success: false, error: message };
|
|
}
|
|
}
|
|
|
|
export async function shareWeatherSessionToTeam(
|
|
sessionId: string,
|
|
teamId: string,
|
|
role: 'VIEWER' | 'EDITOR' = 'EDITOR'
|
|
) {
|
|
const authSession = await auth();
|
|
if (!authSession?.user?.id) {
|
|
return { success: false, error: 'Non autorisé' };
|
|
}
|
|
|
|
try {
|
|
const shares = await weatherService.shareWeatherSessionToTeam(
|
|
sessionId,
|
|
authSession.user.id,
|
|
teamId,
|
|
role
|
|
);
|
|
revalidatePath(`/weather/${sessionId}`);
|
|
return { success: true, data: shares };
|
|
} catch (error) {
|
|
console.error('Error sharing weather session to team:', error);
|
|
const message = error instanceof Error ? error.message : "Erreur lors du partage à l'équipe";
|
|
return { success: false, error: message };
|
|
}
|
|
}
|
|
|
|
export async function removeWeatherShare(sessionId: string, shareUserId: string) {
|
|
const authSession = await auth();
|
|
if (!authSession?.user?.id) {
|
|
return { success: false, error: 'Non autorisé' };
|
|
}
|
|
|
|
try {
|
|
await weatherService.removeWeatherShare(sessionId, authSession.user.id, shareUserId);
|
|
revalidatePath(`/weather/${sessionId}`);
|
|
return { success: true };
|
|
} catch (error) {
|
|
console.error('Error removing weather share:', error);
|
|
return { success: false, error: 'Erreur lors de la suppression du partage' };
|
|
}
|
|
}
|