chore: push all remaining workspace changes

This commit is contained in:
Ruslan Bakiev
2026-02-18 21:04:11 +07:00
parent d7af2d0a46
commit 46e5908244
35 changed files with 371 additions and 1141 deletions

View File

@@ -64,16 +64,16 @@ model Team {
createdAt DateTime @default(now())
updatedAt DateTime @updatedAt
members TeamMember[]
contacts Contact[]
members TeamMember[]
contacts Contact[]
calendarEvents CalendarEvent[]
deals Deal[]
conversations ChatConversation[]
chatMessages ChatMessage[]
deals Deal[]
conversations ChatConversation[]
chatMessages ChatMessage[]
omniThreads OmniThread[]
omniMessages OmniMessage[]
omniIdentities OmniContactIdentity[]
omniThreads OmniThread[]
omniMessages OmniMessage[]
omniIdentities OmniContactIdentity[]
telegramBusinessConnections TelegramBusinessConnection[]
feedCards FeedCard[]
@@ -82,11 +82,13 @@ model Team {
}
model User {
id String @id @default(cuid())
email String @unique
name String
createdAt DateTime @default(now())
updatedAt DateTime @updatedAt
id String @id @default(cuid())
phone String @unique
passwordHash String
email String? @unique
name String
createdAt DateTime @default(now())
updatedAt DateTime @updatedAt
memberships TeamMember[]
conversations ChatConversation[] @relation("ConversationCreator")
@@ -120,16 +122,16 @@ model Contact {
createdAt DateTime @default(now())
updatedAt DateTime @updatedAt
team Team @relation(fields: [teamId], references: [id], onDelete: Cascade)
note ContactNote?
messages ContactMessage[]
events CalendarEvent[]
deals Deal[]
team Team @relation(fields: [teamId], references: [id], onDelete: Cascade)
note ContactNote?
messages ContactMessage[]
events CalendarEvent[]
deals Deal[]
feedCards FeedCard[]
pins ContactPin[]
pins ContactPin[]
omniThreads OmniThread[]
omniMessages OmniMessage[]
omniThreads OmniThread[]
omniMessages OmniMessage[]
omniIdentities OmniContactIdentity[]
@@index([teamId, updatedAt])
@@ -146,16 +148,16 @@ model ContactNote {
}
model ContactMessage {
id String @id @default(cuid())
contactId String
kind ContactMessageKind @default(MESSAGE)
direction MessageDirection
channel MessageChannel
content String
durationSec Int?
id String @id @default(cuid())
contactId String
kind ContactMessageKind @default(MESSAGE)
direction MessageDirection
channel MessageChannel
content String
durationSec Int?
transcriptJson Json?
occurredAt DateTime @default(now())
createdAt DateTime @default(now())
occurredAt DateTime @default(now())
createdAt DateTime @default(now())
contact Contact @relation(fields: [contactId], references: [id], onDelete: Cascade)
@@ -190,8 +192,8 @@ model OmniThread {
createdAt DateTime @default(now())
updatedAt DateTime @updatedAt
team Team @relation(fields: [teamId], references: [id], onDelete: Cascade)
contact Contact @relation(fields: [contactId], references: [id], onDelete: Cascade)
team Team @relation(fields: [teamId], references: [id], onDelete: Cascade)
contact Contact @relation(fields: [contactId], references: [id], onDelete: Cascade)
messages OmniMessage[]
@@unique([teamId, channel, externalChatId, businessConnectionId])
@@ -241,7 +243,7 @@ model TelegramBusinessConnection {
}
model CalendarEvent {
id String @id @default(cuid())
id String @id @default(cuid())
teamId String
contactId String?
title String
@@ -249,8 +251,8 @@ model CalendarEvent {
endsAt DateTime?
note String?
status String?
createdAt DateTime @default(now())
updatedAt DateTime @updatedAt
createdAt DateTime @default(now())
updatedAt DateTime @updatedAt
team Team @relation(fields: [teamId], references: [id], onDelete: Cascade)
contact Contact? @relation(fields: [contactId], references: [id], onDelete: SetNull)
@@ -287,8 +289,8 @@ model ChatConversation {
createdAt DateTime @default(now())
updatedAt DateTime @updatedAt
team Team @relation(fields: [teamId], references: [id], onDelete: Cascade)
createdByUser User @relation("ConversationCreator", fields: [createdByUserId], references: [id], onDelete: Cascade)
team Team @relation(fields: [teamId], references: [id], onDelete: Cascade)
createdByUser User @relation("ConversationCreator", fields: [createdByUserId], references: [id], onDelete: Cascade)
messages ChatMessage[]
@@index([teamId, updatedAt])
@@ -296,14 +298,14 @@ model ChatConversation {
}
model ChatMessage {
id String @id @default(cuid())
teamId String
id String @id @default(cuid())
teamId String
conversationId String
authorUserId String?
role ChatRole
text String
planJson Json?
createdAt DateTime @default(now())
authorUserId String?
role ChatRole
text String
planJson Json?
createdAt DateTime @default(now())
team Team @relation(fields: [teamId], references: [id], onDelete: Cascade)
conversation ChatConversation @relation(fields: [conversationId], references: [id], onDelete: Cascade)
@@ -349,7 +351,7 @@ model ContactPin {
}
model WorkspaceDocument {
id String @id @default(cuid())
id String @id @default(cuid())
teamId String
title String
type WorkspaceDocumentType
@@ -357,8 +359,8 @@ model WorkspaceDocument {
scope String
summary String
body String
createdAt DateTime @default(now())
updatedAt DateTime @updatedAt
createdAt DateTime @default(now())
updatedAt DateTime @updatedAt
team Team @relation(fields: [teamId], references: [id], onDelete: Cascade)

View File

@@ -1,6 +1,7 @@
import { PrismaClient } from "@prisma/client";
import fs from "node:fs";
import path from "node:path";
import { randomBytes, scryptSync } from "node:crypto";
function loadEnvFromDotEnv() {
const p = path.resolve(process.cwd(), ".env");
@@ -17,7 +18,6 @@ function loadEnvFromDotEnv() {
val = val.slice(1, -1);
}
if (!key) continue;
// Force DATABASE_URL from local .env for scripts, to avoid inheriting a stale shell env.
if (key === "DATABASE_URL") {
process.env[key] = val;
continue;
@@ -30,6 +30,18 @@ loadEnvFromDotEnv();
const prisma = new PrismaClient();
const LOGIN_PHONE = "+15550000001";
const LOGIN_PASSWORD = "ConnectFlow#2026";
const LOGIN_NAME = "Connect Owner";
const SCRYPT_KEY_LENGTH = 64;
function hashPassword(password) {
const salt = randomBytes(16).toString("base64url");
const digest = scryptSync(password, salt, SCRYPT_KEY_LENGTH).toString("base64url");
return `scrypt$${salt}$${digest}`;
}
function atOffset(days, hour, minute) {
const d = new Date();
d.setDate(d.getDate() + days);
@@ -37,310 +49,346 @@ function atOffset(days, hour, minute) {
return d;
}
function plusMinutes(date, minutes) {
const d = new Date(date);
d.setMinutes(d.getMinutes() + minutes);
return d;
}
function buildContacts(teamId, count) {
const firstNames = [
"Alex", "Mia", "Leo", "Sofia", "Noah", "Emma", "Liam", "Ava", "Ethan", "Luna",
"Mason", "Chloe", "Logan", "Mila", "Lucas", "Nora", "Elijah", "Zoey", "James", "Aria",
"Daniel", "Nina", "Henry", "Layla", "Oliver", "Iris", "Oscar", "Diana", "Max", "Eva",
];
const lastNames = [
"Carter", "Meyer", "Ali", "Petrov", "Rivera", "Ivanova", "Fisher", "Khan", "Wright", "Cole",
"Silva", "Morris", "King", "Anderson", "Lopez", "Walker", "Young", "Scott", "Green", "Parker",
];
const companies = [
"Northline", "Connecta", "Volta", "Blueport", "Skyline", "PrimeGrid", "Helio", "CoreLabs", "NovaTrade", "Astera",
];
const locations = [
{ country: "USA", city: "New York" },
{ country: "USA", city: "Austin" },
{ country: "Germany", city: "Berlin" },
{ country: "UAE", city: "Dubai" },
{ country: "Spain", city: "Barcelona" },
{ country: "Armenia", city: "Yerevan" },
{ country: "UK", city: "London" },
{ country: "France", city: "Paris" },
{ country: "Singapore", city: "Singapore" },
{ country: "Canada", city: "Toronto" },
];
const rows = [];
for (let i = 0; i < count; i += 1) {
const first = firstNames[i % firstNames.length];
const last = lastNames[Math.floor(i / firstNames.length) % lastNames.length];
const company = `${companies[i % companies.length]} ${String.fromCharCode(65 + (i % 26))}`;
const loc = locations[i % locations.length];
const female = i % 2 === 0;
const picIdx = (i % 70) + 1;
rows.push({
teamId,
name: `${first} ${last} ${i + 1}`,
company,
country: loc.country,
location: loc.city,
avatarUrl: `https://randomuser.me/api/portraits/${female ? "women" : "men"}/${picIdx}.jpg`,
email: `${first.toLowerCase()}.${last.toLowerCase()}${i + 1}@${company.toLowerCase().replace(/\s+/g, "")}.example`,
phone: `+1 555 01${String(i).padStart(4, "0")}`,
});
}
return rows;
}
async function main() {
// Create default team/user for dev.
const passwordHash = hashPassword(LOGIN_PASSWORD);
const user = await prisma.user.upsert({
where: { id: "demo-user" },
update: { email: "demo@clientsflow.local", name: "Demo User" },
create: { id: "demo-user", email: "demo@clientsflow.local", name: "Demo User" },
update: { phone: LOGIN_PHONE, passwordHash, name: LOGIN_NAME, email: "owner@clientsflow.local" },
create: {
id: "demo-user",
phone: LOGIN_PHONE,
passwordHash,
name: LOGIN_NAME,
email: "owner@clientsflow.local",
},
});
const team = await prisma.team.upsert({
where: { id: "demo-team" },
update: { name: "Demo Team" },
create: { id: "demo-team", name: "Demo Team" },
update: { name: "Connect Workspace" },
create: { id: "demo-team", name: "Connect Workspace" },
});
await prisma.teamMember.upsert({
where: { teamId_userId: { teamId: team.id, userId: user.id } },
update: {},
update: { role: "OWNER" },
create: { teamId: team.id, userId: user.id, role: "OWNER" },
});
// Idempotent-ish seed per team: if we already have contacts in this team, do nothing.
const existing = await prisma.contact.count({ where: { teamId: team.id } });
if (existing > 0) return;
const conversation = await prisma.chatConversation.upsert({
where: { id: `pilot-${team.id}` },
update: { title: "Pilot" },
create: { id: `pilot-${team.id}`, teamId: team.id, createdByUserId: user.id, title: "Pilot" },
});
await prisma.$transaction([
prisma.feedCard.deleteMany({ where: { teamId: team.id } }),
prisma.contactPin.deleteMany({ where: { teamId: team.id } }),
prisma.workspaceDocument.deleteMany({ where: { teamId: team.id } }),
prisma.deal.deleteMany({ where: { teamId: team.id } }),
prisma.calendarEvent.deleteMany({ where: { teamId: team.id } }),
prisma.contactMessage.deleteMany({ where: { contact: { teamId: team.id } } }),
prisma.chatMessage.deleteMany({ where: { teamId: team.id, conversationId: conversation.id } }),
prisma.omniMessage.deleteMany({ where: { teamId: team.id } }),
prisma.omniThread.deleteMany({ where: { teamId: team.id } }),
prisma.omniContactIdentity.deleteMany({ where: { teamId: team.id } }),
prisma.telegramBusinessConnection.deleteMany({ where: { teamId: team.id } }),
prisma.contact.deleteMany({ where: { teamId: team.id } }),
]);
const contacts = await prisma.contact.createManyAndReturn({
data: [
{
teamId: team.id,
name: "Anna Meyer",
company: "Nordline GmbH",
country: "Germany",
location: "Berlin",
avatarUrl: "https://randomuser.me/api/portraits/women/44.jpg",
email: "anna@nordline.example",
phone: "+49 30 123 45 67",
},
{
teamId: team.id,
name: "Murat Ali",
company: "Connect FZCO",
country: "UAE",
location: "Dubai",
avatarUrl: "https://randomuser.me/api/portraits/men/32.jpg",
email: "murat@connect.example",
phone: "+971 50 123 4567",
},
{
teamId: team.id,
name: "Ilya Petroff",
company: "Volta Tech",
country: "Armenia",
location: "Yerevan",
avatarUrl: "https://randomuser.me/api/portraits/men/18.jpg",
email: "ilya@volta.example",
phone: "+374 10 123 456",
},
{
teamId: team.id,
name: "Carlos Rivera",
company: "BluePort",
country: "Spain",
location: "Barcelona",
avatarUrl: "https://randomuser.me/api/portraits/men/65.jpg",
email: "carlos@blueport.example",
phone: "+34 600 123 456",
},
{
teamId: team.id,
name: "Daria Ivanova",
company: "Skyline Trade",
country: "Kazakhstan",
location: "Almaty",
avatarUrl: "https://randomuser.me/api/portraits/women/22.jpg",
email: "daria@skyline.example",
phone: "+7 777 123 45 67",
},
],
data: buildContacts(team.id, 220),
select: { id: true, name: true, company: true },
});
const byName = Object.fromEntries(contacts.map((c) => [c.name, c]));
await prisma.contactNote.createMany({
data: [
{
contactId: byName["Anna Meyer"].id,
content:
"Decision owner. Prefers short, concrete updates with a clear next step.\nRisk: decision date slips if we don't lock timeline.",
},
{
contactId: byName["Murat Ali"].id,
content:
"High activity. Needs legal path clarity and an explicit owner on their side.\nBest move: lock legal owner + target signature date.",
},
{
contactId: byName["Ilya Petroff"].id,
content:
"Early-stage. Wants structured onboarding before commercial details.\nBest move: onboarding plan + 2 time slots.",
},
],
data: contacts.map((c, idx) => ({
contactId: c.id,
content:
`Summary for ${c.name}. Main objective: move the account to a predictable weekly rhythm. ` +
`Current context: ${c.company ?? "Account"} is active in at least one channel. ` +
`Recommended path: keep messages short, lock a concrete next step, and update the note after each interaction. ` +
`Priority signal ${idx % 5 === 0 ? "high" : "normal"}.`,
})),
});
await prisma.contactMessage.createMany({
data: [
{
contactId: byName["Anna Meyer"].id,
kind: "MESSAGE",
direction: "IN",
channel: "TELEGRAM",
content: "Thanks for the demo. Can you send 2 pricing options?",
occurredAt: atOffset(0, 10, 20),
},
{
contactId: byName["Anna Meyer"].id,
kind: "MESSAGE",
direction: "OUT",
channel: "EMAIL",
content: "Sure. Option A/B attached. Can you confirm decision date for this cycle?",
occurredAt: atOffset(0, 10, 35),
},
{
contactId: byName["Murat Ali"].id,
kind: "MESSAGE",
direction: "IN",
channel: "WHATSAPP",
content: "Let's do a quick call. Need to clarify legal owner.",
occurredAt: atOffset(-1, 18, 10),
},
{
contactId: byName["Ilya Petroff"].id,
kind: "MESSAGE",
direction: "OUT",
channel: "EMAIL",
content: "Draft: onboarding plan + two slots for tomorrow.",
occurredAt: atOffset(-1, 11, 12),
},
{
contactId: byName["Murat Ali"].id,
const channels = ["TELEGRAM", "WHATSAPP", "INSTAGRAM", "EMAIL"];
const contactMessages = [];
for (let i = 0; i < contacts.length; i += 1) {
const contact = contacts[i];
const base = atOffset(-(i % 18), 9 + (i % 7), (i * 7) % 60);
contactMessages.push({
contactId: contact.id,
kind: "MESSAGE",
direction: "IN",
channel: channels[i % channels.length],
content: `Hi, this is ${contact.name}. Can we sync on timeline this week?`,
occurredAt: base,
});
contactMessages.push({
contactId: contact.id,
kind: "MESSAGE",
direction: "OUT",
channel: channels[(i + 1) % channels.length],
content: `Sure. I suggest two slots and a clear agenda.`,
occurredAt: plusMinutes(base, 22),
});
contactMessages.push({
contactId: contact.id,
kind: "MESSAGE",
direction: i % 3 === 0 ? "OUT" : "IN",
channel: channels[(i + 2) % channels.length],
content: `Status update: legal owner and decision date are the two blockers now.`,
occurredAt: plusMinutes(base, 65),
});
if (i % 4 === 0) {
contactMessages.push({
contactId: contact.id,
kind: "CALL",
direction: "OUT",
channel: "PHONE",
content: "Call started from CRM",
durationSec: 180,
occurredAt: atOffset(-1, 18, 30),
},
],
});
content: "Voice call from CRM",
durationSec: 180 + ((i * 23) % 420),
transcriptJson: [
`${contact.name}: We need a clear owner for approval.`,
`You: Agreed, let's lock this today and set the next checkpoint.`,
],
occurredAt: plusMinutes(base, 110),
});
}
}
await prisma.contactMessage.createMany({ data: contactMessages });
await prisma.calendarEvent.createMany({
data: [
{
teamId: team.id,
contactId: byName["Anna Meyer"].id,
title: "Follow-up: Anna",
startsAt: atOffset(0, 12, 30),
endsAt: atOffset(0, 13, 0),
note: "Lock decision date + confirm option A/B.",
status: "planned",
},
{
teamId: team.id,
contactId: byName["Murat Ali"].id,
title: "Call: Murat (legal owner)",
startsAt: atOffset(0, 15, 0),
endsAt: atOffset(0, 15, 20),
note: "Confirm legal owner + target signature date.",
status: "planned",
},
],
data: contacts.flatMap((c, idx) => {
const firstStart = atOffset((idx % 21) - 3, 10 + (idx % 6), (idx * 5) % 60);
const secondStart = atOffset((idx % 28) + 1, 14 + (idx % 4), (idx * 3) % 60);
return [
{
teamId: team.id,
contactId: c.id,
title: `Follow-up with ${c.name}`,
startsAt: firstStart,
endsAt: plusMinutes(firstStart, 30),
note: "Confirm owner, timeline, and next concrete action.",
status: "planned",
},
{
teamId: team.id,
contactId: c.id,
title: `Checkpoint: ${c.company ?? c.name}`,
startsAt: secondStart,
endsAt: plusMinutes(secondStart, 45),
note: "Review progress and unblock pending decisions.",
status: idx % 6 === 0 ? "done" : "planned",
},
];
}),
});
const stages = ["Qualification", "Proposal", "Negotiation", "Contract"];
await prisma.deal.createMany({
data: [
{
data: contacts
.filter((_, idx) => idx % 5 !== 0)
.map((c, idx) => ({
teamId: team.id,
contactId: byName["Anna Meyer"].id,
title: "Nordline onboarding",
stage: "Proposal",
amount: 25000,
nextStep: "Lock decision date",
summary: "After demo: pricing options sent; waiting for decision date.",
},
{
teamId: team.id,
contactId: byName["Murat Ali"].id,
title: "Connect legal alignment",
stage: "Qualification",
amount: 18000,
nextStep: "Confirm legal owner",
summary: "High engagement; needs legal owner on their side.",
},
],
});
await prisma.chatConversation.upsert({
where: { id: `pilot-${team.id}` },
update: {},
create: {
id: `pilot-${team.id}`,
teamId: team.id,
createdByUserId: user.id,
title: "Pilot",
},
});
await prisma.chatMessage.createMany({
data: [
{
teamId: team.id,
conversationId: `pilot-${team.id}`,
authorUserId: null,
role: "ASSISTANT",
text:
"Я смотрю календарь, контакты и переписки как один поток. Спроси: \"чем заняться сегодня\" или \"покажи 10 лучших клиентов\".",
planJson: { steps: ["Скажи задачу", соберу срез данных", "Предложу план и действия"], tools: ["read index/contacts.json"] },
},
],
contactId: c.id,
title: `${c.company ?? "Account"} expansion`,
stage: stages[idx % stages.length],
amount: 8000 + (idx % 17) * 1500,
nextStep: "Lock next sync and owner on client side.",
summary: "Deal is active. Focus on speed and explicit decision checkpoints.",
})),
});
await prisma.contactPin.createMany({
data: [
{ teamId: team.id, contactId: byName["Anna Meyer"].id, text: "First lock the decision date, then send the final offer." },
{ teamId: team.id, contactId: byName["Anna Meyer"].id, text: "A short follow-up is needed no later than 30 minutes after the demo." },
{ teamId: team.id, contactId: byName["Murat Ali"].id, text: "In every update, confirm the legal owner on the client side." },
{ teamId: team.id, contactId: byName["Ilya Petroff"].id, text: "Work through a structured onboarding plan, not pricing first." },
],
data: contacts.map((c, idx) => ({
teamId: team.id,
contactId: c.id,
text:
idx % 3 === 0
? "Pinned: calendar event is near, prepare a concise follow-up note."
: "Pinned: keep one explicit ask in each message.",
})),
});
const proposalKeys = ["create_followup", "open_comm", "call", "draft_message", "run_summary", "prepare_question"];
await prisma.feedCard.createMany({
data: contacts
.filter((_, idx) => idx % 3 === 0)
.slice(0, 80)
.map((c, idx) => ({
teamId: team.id,
contactId: c.id,
happenedAt: atOffset(-(idx % 6), 9 + (idx % 8), (idx * 9) % 60),
text:
`I analyzed the latest contact activity for ${c.name}. ` +
`There is enough momentum to push one concrete action now and reduce response latency.`,
proposalJson: {
title: idx % 2 === 0 ? "Add focused follow-up event" : "Draft a concise unblock message",
details: [
`Contact: ${c.name}`,
idx % 2 === 0 ? "Timing: in the next 60 minutes" : "Timing: send in the primary active channel",
"Goal: lock owner and next exact date",
],
key: proposalKeys[idx % proposalKeys.length],
},
})),
});
await prisma.workspaceDocument.createMany({
data: [
{
teamId: team.id,
title: "Outbound cadence v1",
title: "Response time regulation",
type: "Regulation",
owner: "Revenue Ops",
scope: "All B2B accounts",
summary: "Unified sequence for first touch, follow-up, and qualification.",
body:
"## Goal\nMove a new contact to the first qualified call within 5 business days.\n\n## Base sequence\n- Day 0: first message in the primary channel.\n- Day 1: short follow-up with one clear ask.\n- Day 3: second follow-up + alternate channel.\n- Day 5: final ping and move to \"later\".\n\n## Rules\n- Always keep one explicit next step in each message.\n- Avoid long text walls.\n- After each reply, update context in the contact card.",
updatedAt: atOffset(-1, 10, 0),
scope: "All active deals",
summary: "Rules for first response and follow-up SLA across channels.",
body: "## SLA\n- First response in under 30 minutes for active threads.\n- Escalate if no owner is assigned.\n\n## Rule\nAlways end a message with one explicit next step.",
updatedAt: atOffset(-1, 11, 10),
},
{
teamId: team.id,
title: "Discovery call playbook",
title: "Discovery playbook",
type: "Playbook",
owner: "Sales Lead",
scope: "Discovery calls",
summary: "Call structure, mandatory questions, and outcome logging format.",
body:
"## Structure\n1. Context check (2 min)\n2. Current pain (8 min)\n3. Success criteria (6 min)\n4. Next step lock (4 min)\n\n## Mandatory outcomes\n- Confirmed business owner\n- Confirmed decision timeline\n- Confirmed next meeting date\n\n## Notes format\nAlways log: pain, impact, owner, ETA, risks.",
updatedAt: atOffset(-2, 12, 15),
scope: "Discovery and qualification",
summary: "Consistent structure for discovery calls and follow-up notes.",
body: "## Flow\n1. Pain\n2. Impact\n3. Owner\n4. Timeline\n5. Next step\n\n## Output\nStore concise summary in the contact card.",
updatedAt: atOffset(-2, 15, 0),
},
{
teamId: team.id,
title: "AI assistant operating policy",
title: "AI action policy",
type: "Policy",
owner: "Founders",
scope: "AI recommendations and automations",
summary: "What actions AI can suggest and what requires explicit approval.",
body:
"## Allowed without approval\n- Draft message suggestions\n- Calendar proposal suggestions\n- Conversation summaries\n\n## Requires explicit approval\n- Sending a message to an external contact\n- Creating a calendar event\n- Changing deal stage\n\n## Logging\nEvery AI action must leave a short trace in the feed.",
updatedAt: atOffset(-3, 9, 40),
scope: "AI recommendations",
summary: "What can be auto-drafted and what always needs explicit approval.",
body: "## Allowed\n- Draft suggestions\n- Summaries\n\n## Requires approval\n- Outbound send\n- Event creation\n- Deal stage change",
updatedAt: atOffset(-3, 9, 30),
},
{
teamId: team.id,
title: "Post-call follow-up template",
title: "Post-call template",
type: "Template",
owner: "Enablement",
scope: "Any completed client call",
summary: "Template for short post-call follow-up with aligned actions.",
body:
"## Message template\nThanks for the call. Summary below:\n- What we aligned on\n- What remains open\n- Owner per action\n- Exact date for next sync\n\n## Quality bar\nThe client should understand the next step within 10 seconds.",
updatedAt: atOffset(-4, 16, 20),
scope: "Any completed call",
summary: "Template for short post-call summary with owners and deadlines.",
body: "## Template\n- Aligned\n- Open items\n- Owner per action\n- Next date\n\nKeep it under 6 lines.",
updatedAt: atOffset(-4, 13, 45),
},
{
teamId: team.id,
title: "Objection handling map",
type: "Playbook",
owner: "Commercial",
scope: "Late-stage objections",
summary: "Common objections and concise response strategy.",
body: "## Objections\n- Timing\n- Budget\n- Legal\n\n## Response\nAcknowledge, clarify owner, set a concrete checkpoint.",
updatedAt: atOffset(-5, 10, 0),
},
{
teamId: team.id,
title: "Pipeline hygiene",
type: "Regulation",
owner: "Operations",
scope: "Pipeline updates",
summary: "Minimal mandatory updates after each interaction.",
body: "## Required\n- Last touch timestamp\n- Next step\n- Risk marker\n\nNo long forms, only concise text.",
updatedAt: atOffset(-6, 16, 15),
},
],
});
await prisma.feedCard.createMany({
await prisma.chatMessage.createMany({
data: [
{
teamId: team.id,
contactId: byName["Anna Meyer"].id,
happenedAt: atOffset(0, 9, 35),
text:
"I analyzed Anna Meyer's latest activity: after a demo, the decision window is usually open for 1-2 hours. I suggest scheduling a follow-up immediately to keep momentum.",
proposalJson: {
title: "Add event to calendar",
details: ["Contact: Anna Meyer", "Start: 30 minutes from now", "Duration: 30 minutes"],
key: "create_followup",
conversationId: conversation.id,
authorUserId: null,
role: "ASSISTANT",
text: "Workspace is ready. I connected contacts, communications, calendar, deals, and recommendations.",
planJson: {
steps: ["Open any contact", "Review chat + pinned tasks", "Confirm next event or message"],
tools: ["contacts", "communications", "calendar", "feed"],
},
},
{
teamId: team.id,
contactId: byName["Murat Ali"].id,
happenedAt: atOffset(0, 10, 8),
text:
"I found that Murat Ali gave 3 quick replies in a row over the last hour. I suggest moving to a short call now while engagement is high.",
proposalJson: {
title: "Start a call and open chat",
details: ["Contact: Murat Ali", "Channel: Phone", "After action: open the communication thread for this contact"],
key: "call",
},
conversationId: conversation.id,
authorUserId: null,
role: "ASSISTANT",
text: "Dataset loaded with 220 contacts and linked timeline activity.",
planJson: { steps: ["Filter by country/company", "Open active threads", "Apply one recommendation"], tools: ["search", "pins"] },
},
],
});
console.log("Seed completed.");
console.log(`Login phone: ${LOGIN_PHONE}`);
console.log(`Login password: ${LOGIN_PASSWORD}`);
console.log(`Team: ${team.name}`);
console.log(`Contacts created: ${contacts.length}`);
}
main()