Implement 15 platform features: digest, availability, templates, comparison, live voting SSE, file versioning, mentorship, messaging, analytics, drafts, webhooks, peer review, audit enhancements, i18n
Features implemented: - F1: Email digest notifications with cron endpoint and per-user frequency - F2: Jury availability windows and workload preferences in smart assignment - F3: Round templates with save-from-round and CRUD management - F4: Side-by-side project comparison view for jury members - F5: Real-time voting dashboard with Server-Sent Events (SSE) - F6: Live voting UX: QR codes, audience voting, tie-breaking, score animations - F7: File versioning, inline preview, bulk download with presigned URLs - F8: Mentor dashboard: milestones, private notes, activity tracking - F9: Communication hub with broadcasts, templates, and recipient targeting - F10: Advanced analytics: cross-round comparison, juror consistency, diversity metrics, PDF export - F11: Applicant draft saving with magic link resume and cron cleanup - F12: Webhook integration layer with HMAC signing, retry, and delivery logs - F13: Peer review discussions with anonymized scores and threaded comments - F14: Audit log enhancements: before/after diffs, session grouping, anomaly detection, retention - F15: i18n foundation with next-intl (EN/FR), cookie-based locale, language switcher Schema: 12 new models, field additions to User, Project, ProjectFile, LiveVotingSession, LiveVote, MentorAssignment, AuditLog, Program New routers: roundTemplate, message, webhook (registered in _app.ts) New services: email-digest, webhook-dispatcher New cron endpoints: /api/cron/digest, /api/cron/draft-cleanup, /api/cron/audit-cleanup New API routes: /api/live-voting/stream (SSE), /api/files/bulk-download All features are admin-configurable via SystemSettings or per-model settingsJson fields. Docker build verified successfully. Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com>
This commit is contained in:
209
src/server/routers/roundTemplate.ts
Normal file
209
src/server/routers/roundTemplate.ts
Normal file
@@ -0,0 +1,209 @@
|
||||
import { z } from 'zod'
|
||||
import { RoundType } from '@prisma/client'
|
||||
import { router, adminProcedure } from '../trpc'
|
||||
import { logAudit } from '@/server/utils/audit'
|
||||
|
||||
export const roundTemplateRouter = router({
|
||||
/**
|
||||
* List all round templates, optionally filtered by programId.
|
||||
*/
|
||||
list: adminProcedure
|
||||
.input(
|
||||
z.object({
|
||||
programId: z.string().optional(),
|
||||
}).optional()
|
||||
)
|
||||
.query(async ({ ctx, input }) => {
|
||||
return ctx.prisma.roundTemplate.findMany({
|
||||
where: {
|
||||
...(input?.programId ? { programId: input.programId } : {}),
|
||||
},
|
||||
orderBy: { createdAt: 'desc' },
|
||||
})
|
||||
}),
|
||||
|
||||
/**
|
||||
* Get a single template by ID.
|
||||
*/
|
||||
getById: adminProcedure
|
||||
.input(z.object({ id: z.string() }))
|
||||
.query(async ({ ctx, input }) => {
|
||||
const template = await ctx.prisma.roundTemplate.findUnique({
|
||||
where: { id: input.id },
|
||||
})
|
||||
|
||||
if (!template) {
|
||||
throw new Error('Template not found')
|
||||
}
|
||||
|
||||
return template
|
||||
}),
|
||||
|
||||
/**
|
||||
* Create a new round template from scratch.
|
||||
*/
|
||||
create: adminProcedure
|
||||
.input(
|
||||
z.object({
|
||||
name: z.string().min(1).max(200),
|
||||
description: z.string().optional(),
|
||||
programId: z.string().optional(),
|
||||
roundType: z.nativeEnum(RoundType).default('EVALUATION'),
|
||||
criteriaJson: z.any(),
|
||||
settingsJson: z.any().optional(),
|
||||
assignmentConfig: z.any().optional(),
|
||||
})
|
||||
)
|
||||
.mutation(async ({ ctx, input }) => {
|
||||
const template = await ctx.prisma.roundTemplate.create({
|
||||
data: {
|
||||
name: input.name,
|
||||
description: input.description,
|
||||
programId: input.programId,
|
||||
roundType: input.roundType,
|
||||
criteriaJson: input.criteriaJson,
|
||||
settingsJson: input.settingsJson ?? undefined,
|
||||
assignmentConfig: input.assignmentConfig ?? undefined,
|
||||
createdBy: ctx.user.id,
|
||||
},
|
||||
})
|
||||
|
||||
try {
|
||||
await logAudit({
|
||||
prisma: ctx.prisma,
|
||||
userId: ctx.user.id,
|
||||
action: 'CREATE_ROUND_TEMPLATE',
|
||||
entityType: 'RoundTemplate',
|
||||
entityId: template.id,
|
||||
detailsJson: { name: input.name },
|
||||
})
|
||||
} catch {}
|
||||
|
||||
return template
|
||||
}),
|
||||
|
||||
/**
|
||||
* Create a template from an existing round (snapshot).
|
||||
*/
|
||||
createFromRound: adminProcedure
|
||||
.input(
|
||||
z.object({
|
||||
roundId: z.string(),
|
||||
name: z.string().min(1).max(200),
|
||||
description: z.string().optional(),
|
||||
})
|
||||
)
|
||||
.mutation(async ({ ctx, input }) => {
|
||||
// Fetch the round and its active evaluation form
|
||||
const round = await ctx.prisma.round.findUnique({
|
||||
where: { id: input.roundId },
|
||||
include: {
|
||||
evaluationForms: {
|
||||
where: { isActive: true },
|
||||
take: 1,
|
||||
},
|
||||
},
|
||||
})
|
||||
|
||||
if (!round) {
|
||||
throw new Error('Round not found')
|
||||
}
|
||||
|
||||
const form = round.evaluationForms[0]
|
||||
const criteriaJson = form?.criteriaJson ?? []
|
||||
|
||||
const template = await ctx.prisma.roundTemplate.create({
|
||||
data: {
|
||||
name: input.name,
|
||||
description: input.description || `Snapshot of ${round.name}`,
|
||||
programId: round.programId,
|
||||
roundType: round.roundType,
|
||||
criteriaJson,
|
||||
settingsJson: round.settingsJson ?? undefined,
|
||||
createdBy: ctx.user.id,
|
||||
},
|
||||
})
|
||||
|
||||
try {
|
||||
await logAudit({
|
||||
prisma: ctx.prisma,
|
||||
userId: ctx.user.id,
|
||||
action: 'CREATE_ROUND_TEMPLATE_FROM_ROUND',
|
||||
entityType: 'RoundTemplate',
|
||||
entityId: template.id,
|
||||
detailsJson: { name: input.name, sourceRoundId: input.roundId },
|
||||
})
|
||||
} catch {}
|
||||
|
||||
return template
|
||||
}),
|
||||
|
||||
/**
|
||||
* Update a template.
|
||||
*/
|
||||
update: adminProcedure
|
||||
.input(
|
||||
z.object({
|
||||
id: z.string(),
|
||||
name: z.string().min(1).max(200).optional(),
|
||||
description: z.string().optional(),
|
||||
programId: z.string().nullable().optional(),
|
||||
roundType: z.nativeEnum(RoundType).optional(),
|
||||
criteriaJson: z.any().optional(),
|
||||
settingsJson: z.any().optional(),
|
||||
assignmentConfig: z.any().optional(),
|
||||
})
|
||||
)
|
||||
.mutation(async ({ ctx, input }) => {
|
||||
const { id, ...data } = input
|
||||
|
||||
const template = await ctx.prisma.roundTemplate.update({
|
||||
where: { id },
|
||||
data: {
|
||||
...(data.name !== undefined ? { name: data.name } : {}),
|
||||
...(data.description !== undefined ? { description: data.description } : {}),
|
||||
...(data.programId !== undefined ? { programId: data.programId } : {}),
|
||||
...(data.roundType !== undefined ? { roundType: data.roundType } : {}),
|
||||
...(data.criteriaJson !== undefined ? { criteriaJson: data.criteriaJson } : {}),
|
||||
...(data.settingsJson !== undefined ? { settingsJson: data.settingsJson } : {}),
|
||||
...(data.assignmentConfig !== undefined ? { assignmentConfig: data.assignmentConfig } : {}),
|
||||
},
|
||||
})
|
||||
|
||||
try {
|
||||
await logAudit({
|
||||
prisma: ctx.prisma,
|
||||
userId: ctx.user.id,
|
||||
action: 'UPDATE_ROUND_TEMPLATE',
|
||||
entityType: 'RoundTemplate',
|
||||
entityId: id,
|
||||
detailsJson: { updatedFields: Object.keys(data) },
|
||||
})
|
||||
} catch {}
|
||||
|
||||
return template
|
||||
}),
|
||||
|
||||
/**
|
||||
* Delete a template.
|
||||
*/
|
||||
delete: adminProcedure
|
||||
.input(z.object({ id: z.string() }))
|
||||
.mutation(async ({ ctx, input }) => {
|
||||
await ctx.prisma.roundTemplate.delete({
|
||||
where: { id: input.id },
|
||||
})
|
||||
|
||||
try {
|
||||
await logAudit({
|
||||
prisma: ctx.prisma,
|
||||
userId: ctx.user.id,
|
||||
action: 'DELETE_ROUND_TEMPLATE',
|
||||
entityType: 'RoundTemplate',
|
||||
entityId: input.id,
|
||||
})
|
||||
} catch {}
|
||||
|
||||
return { success: true }
|
||||
}),
|
||||
})
|
||||
Reference in New Issue
Block a user