Some checks failed
CI / go-lint (pull_request) Failing after 13s
CI / python-lint (pull_request) Failing after 13s
CI / nodejs-lint (pull_request) Failing after 8s
CI / test-go-consent (pull_request) Failing after 3s
CI / test-python-voice (pull_request) Failing after 10s
CI / test-bqas (pull_request) Failing after 11s
CI / Deploy (pull_request) Has been skipped
Adds a complete version management system where every piece of pitch data (all 12 tables: company, team, financials, market, competitors, features, milestones, metrics, funding, products, fm_scenarios, fm_assumptions) can be versioned, diffed, and assigned per-investor. Version lifecycle: create draft → edit freely → commit (immutable) → fork to create new draft. Parent chain gives full git-style history. Backend: - Migration 003: pitch_versions, pitch_version_data tables + investor assigned_version_id column - lib/version-helpers.ts: snapshot base tables, copy between versions - lib/version-diff.ts: per-table row+field diffing engine - 7 new API routes: versions CRUD, commit, fork, per-table data GET/PUT, diff endpoint - /api/data + /api/financial-model: version-aware loading (check investor's assigned_version_id, serve version data or fall back to base tables) - Investor PATCH: accepts assigned_version_id (validates committed) Frontend: - /pitch-admin/versions: list with status badges, fork/commit/delete - /pitch-admin/versions/new: create from base tables or fork existing - /pitch-admin/versions/[id]: 12-tab JSON editor (one per data table) with save-per-table, commit button, fork button - /pitch-admin/versions/[id]/diff/[otherId]: side-by-side diff view with added/removed/changed highlighting per field - Investors list: version column showing assigned version name - Investor detail: version selector dropdown (committed versions only) - AdminShell: Versions nav item added Bug fixes: - FM editor: [object Object] for JSONB array values → JSON.stringify - Admin pages not scrollable → h-screen + overflow-hidden on shell, min-h-0 on flex column Also includes migration 000 for fresh installs (pitch data tables). Co-Authored-By: Claude Opus 4.6 (1M context) <noreply@anthropic.com>
84 lines
3.0 KiB
TypeScript
84 lines
3.0 KiB
TypeScript
import { NextResponse } from 'next/server'
|
|
import pool from '@/lib/db'
|
|
import { getSessionFromCookie } from '@/lib/auth'
|
|
|
|
export const dynamic = 'force-dynamic'
|
|
|
|
export async function GET() {
|
|
try {
|
|
// Check if investor has an assigned version
|
|
const session = await getSessionFromCookie()
|
|
let versionId: string | null = null
|
|
|
|
if (session) {
|
|
const inv = await pool.query(
|
|
`SELECT assigned_version_id FROM pitch_investors WHERE id = $1`,
|
|
[session.sub],
|
|
)
|
|
versionId = inv.rows[0]?.assigned_version_id || null
|
|
}
|
|
|
|
// If version assigned, load from pitch_version_data
|
|
if (versionId) {
|
|
const { rows } = await pool.query(
|
|
`SELECT table_name, data FROM pitch_version_data WHERE version_id = $1`,
|
|
[versionId],
|
|
)
|
|
const map: Record<string, unknown[]> = {}
|
|
for (const row of rows) {
|
|
map[row.table_name] = typeof row.data === 'string' ? JSON.parse(row.data) : row.data
|
|
}
|
|
return NextResponse.json({
|
|
company: (map.company || [])[0] || null,
|
|
team: map.team || [],
|
|
financials: map.financials || [],
|
|
market: map.market || [],
|
|
competitors: map.competitors || [],
|
|
features: map.features || [],
|
|
milestones: map.milestones || [],
|
|
metrics: map.metrics || [],
|
|
funding: (map.funding || [])[0] || null,
|
|
products: map.products || [],
|
|
})
|
|
}
|
|
|
|
// Fallback: read from base tables (backward compatible)
|
|
const client = await pool.connect()
|
|
try {
|
|
const [
|
|
companyRes, teamRes, financialsRes, marketRes, competitorsRes,
|
|
featuresRes, milestonesRes, metricsRes, fundingRes, productsRes,
|
|
] = await Promise.all([
|
|
client.query('SELECT * FROM pitch_company LIMIT 1'),
|
|
client.query('SELECT * FROM pitch_team ORDER BY sort_order'),
|
|
client.query('SELECT * FROM pitch_financials ORDER BY year'),
|
|
client.query('SELECT * FROM pitch_market ORDER BY id'),
|
|
client.query('SELECT * FROM pitch_competitors ORDER BY id'),
|
|
client.query('SELECT * FROM pitch_features ORDER BY sort_order'),
|
|
client.query('SELECT * FROM pitch_milestones ORDER BY sort_order'),
|
|
client.query('SELECT * FROM pitch_metrics ORDER BY id'),
|
|
client.query('SELECT * FROM pitch_funding LIMIT 1'),
|
|
client.query('SELECT * FROM pitch_products ORDER BY sort_order'),
|
|
])
|
|
|
|
return NextResponse.json({
|
|
company: companyRes.rows[0] || null,
|
|
team: teamRes.rows,
|
|
financials: financialsRes.rows,
|
|
market: marketRes.rows,
|
|
competitors: competitorsRes.rows,
|
|
features: featuresRes.rows,
|
|
milestones: milestonesRes.rows,
|
|
metrics: metricsRes.rows,
|
|
funding: fundingRes.rows[0] || null,
|
|
products: productsRes.rows,
|
|
})
|
|
} finally {
|
|
client.release()
|
|
}
|
|
} catch (error) {
|
|
console.error('Database query error:', error)
|
|
return NextResponse.json({ error: 'Failed to load pitch data' }, { status: 500 })
|
|
}
|
|
}
|