Files
Codewalkers/apps/server/db/repositories/drizzle/review-comment.ts
Lukas May 7695604da2 feat: Add threaded review comments + agent comment responses
Introduces GitHub-style threaded comments via parentCommentId self-reference.
Users and agents can reply within comment threads, and review agents receive
comment IDs so they can post targeted responses via comment-responses.json.

- Migration 0032: parentCommentId column + index on review_comments
- Repository: createReply() copies parent context, default author 'you' → 'user'
- tRPC: replyToReviewComment procedure, requestPhaseChanges passes threaded comments
- Orchestrator: formats [comment:ID] tags with full reply threads in task description
- Agent IO: readCommentResponses() reads .cw/output/comment-responses.json
- OutputHandler: processes agent comment responses (creates replies, resolves threads)
- Execute prompt: conditional <review_comments> block when task has [comment:] markers
- Frontend: CommentThread renders root+replies with agent-specific styling + reply form
- Sidebar/ReviewTab: root-only comment counts, reply mutation plumbing through DiffViewer chain
2026-03-06 10:21:22 +01:00

115 lines
3.2 KiB
TypeScript

/**
* Drizzle Review Comment Repository Adapter
*
* Implements ReviewCommentRepository interface using Drizzle ORM.
*/
import { eq, asc } from 'drizzle-orm';
import { nanoid } from 'nanoid';
import type { DrizzleDatabase } from '../../index.js';
import { reviewComments, type ReviewComment } from '../../schema.js';
import type { ReviewCommentRepository, CreateReviewCommentData } from '../review-comment-repository.js';
export class DrizzleReviewCommentRepository implements ReviewCommentRepository {
constructor(private db: DrizzleDatabase) {}
async create(data: CreateReviewCommentData): Promise<ReviewComment> {
const now = new Date();
const id = nanoid();
await this.db.insert(reviewComments).values({
id,
phaseId: data.phaseId,
filePath: data.filePath,
lineNumber: data.lineNumber,
lineType: data.lineType,
body: data.body,
author: data.author ?? 'user',
parentCommentId: data.parentCommentId ?? null,
resolved: false,
createdAt: now,
updatedAt: now,
});
const rows = await this.db
.select()
.from(reviewComments)
.where(eq(reviewComments.id, id))
.limit(1);
return rows[0]!;
}
async createReply(parentCommentId: string, body: string, author?: string): Promise<ReviewComment> {
// Fetch parent comment to copy context fields
const parentRows = await this.db
.select()
.from(reviewComments)
.where(eq(reviewComments.id, parentCommentId))
.limit(1);
const parent = parentRows[0];
if (!parent) {
throw new Error(`Parent comment not found: ${parentCommentId}`);
}
const now = new Date();
const id = nanoid();
await this.db.insert(reviewComments).values({
id,
phaseId: parent.phaseId,
filePath: parent.filePath,
lineNumber: parent.lineNumber,
lineType: parent.lineType,
body,
author: author ?? 'user',
parentCommentId,
resolved: false,
createdAt: now,
updatedAt: now,
});
const rows = await this.db
.select()
.from(reviewComments)
.where(eq(reviewComments.id, id))
.limit(1);
return rows[0]!;
}
async findByPhaseId(phaseId: string): Promise<ReviewComment[]> {
return this.db
.select()
.from(reviewComments)
.where(eq(reviewComments.phaseId, phaseId))
.orderBy(asc(reviewComments.createdAt));
}
async resolve(id: string): Promise<ReviewComment | null> {
await this.db
.update(reviewComments)
.set({ resolved: true, updatedAt: new Date() })
.where(eq(reviewComments.id, id));
const rows = await this.db
.select()
.from(reviewComments)
.where(eq(reviewComments.id, id))
.limit(1);
return rows[0] ?? null;
}
async unresolve(id: string): Promise<ReviewComment | null> {
await this.db
.update(reviewComments)
.set({ resolved: false, updatedAt: new Date() })
.where(eq(reviewComments.id, id));
const rows = await this.db
.select()
.from(reviewComments)
.where(eq(reviewComments.id, id))
.limit(1);
return rows[0] ?? null;
}
async delete(id: string): Promise<void> {
await this.db
.delete(reviewComments)
.where(eq(reviewComments.id, id));
}
}