mirror of
https://github.com/kjanat/livedash-node.git
synced 2026-01-16 10:12:09 +01:00
Enhances session details with transcript viewer
Adds a transcript viewer component to display transcript content within the session details page. This change introduces a new `TranscriptViewer` component that renders the transcript content if available. It also adds logic to fetch and store transcript content from the provided URL during session data refresh. The existing link-based transcript view is now used as a fallback when only the transcript URL is available. It also fixes an issue where session ID was not properly displayed.
This commit is contained in:
@ -3,6 +3,7 @@
|
|||||||
import { ChatSession } from "../lib/types";
|
import { ChatSession } from "../lib/types";
|
||||||
import LanguageDisplay from "./LanguageDisplay";
|
import LanguageDisplay from "./LanguageDisplay";
|
||||||
import CountryDisplay from "./CountryDisplay";
|
import CountryDisplay from "./CountryDisplay";
|
||||||
|
import TranscriptViewer from "./TranscriptViewer";
|
||||||
|
|
||||||
interface SessionDetailsProps {
|
interface SessionDetailsProps {
|
||||||
session: ChatSession;
|
session: ChatSession;
|
||||||
@ -19,7 +20,7 @@ export default function SessionDetails({ session }: SessionDetailsProps) {
|
|||||||
<div className="space-y-2">
|
<div className="space-y-2">
|
||||||
<div className="flex justify-between border-b pb-2">
|
<div className="flex justify-between border-b pb-2">
|
||||||
<span className="text-gray-600">Session ID:</span>
|
<span className="text-gray-600">Session ID:</span>
|
||||||
<span className="font-medium">{session.sessionId}</span>
|
<span className="font-medium">{session.sessionId || session.id}</span>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<div className="flex justify-between border-b pb-2">
|
<div className="flex justify-between border-b pb-2">
|
||||||
@ -142,7 +143,18 @@ export default function SessionDetails({ session }: SessionDetailsProps) {
|
|||||||
</div>
|
</div>
|
||||||
)}
|
)}
|
||||||
|
|
||||||
{session.fullTranscriptUrl && (
|
{/* Display transcript using TranscriptViewer if content is available */}
|
||||||
|
{session.transcriptContent && session.transcriptContent.length > 0 && (
|
||||||
|
<TranscriptViewer
|
||||||
|
transcriptContent={session.transcriptContent}
|
||||||
|
transcriptUrl={session.fullTranscriptUrl}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* Fallback to link only if we only have the URL but no content */}
|
||||||
|
{(!session.transcriptContent ||
|
||||||
|
session.transcriptContent.length === 0) &&
|
||||||
|
session.fullTranscriptUrl && (
|
||||||
<div className="flex justify-between pt-2">
|
<div className="flex justify-between pt-2">
|
||||||
<span className="text-gray-600">Transcript:</span>
|
<span className="text-gray-600">Transcript:</span>
|
||||||
<a
|
<a
|
||||||
|
|||||||
171
components/SessionDetails.tsx.new
Normal file
171
components/SessionDetails.tsx.new
Normal file
@ -0,0 +1,171 @@
|
|||||||
|
"use client";
|
||||||
|
|
||||||
|
import { ChatSession } from "../lib/types";
|
||||||
|
import LanguageDisplay from "./LanguageDisplay";
|
||||||
|
import CountryDisplay from "./CountryDisplay";
|
||||||
|
import TranscriptViewer from "./TranscriptViewer";
|
||||||
|
|
||||||
|
interface SessionDetailsProps {
|
||||||
|
session: ChatSession;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Component to display session details with formatted country and language names
|
||||||
|
*/
|
||||||
|
export default function SessionDetails({ session }: SessionDetailsProps) {
|
||||||
|
return (
|
||||||
|
<div className="bg-white p-4 rounded-lg shadow">
|
||||||
|
<h3 className="font-bold text-lg mb-3">Session Details</h3>
|
||||||
|
|
||||||
|
<div className="space-y-2">
|
||||||
|
<div className="flex justify-between border-b pb-2">
|
||||||
|
<span className="text-gray-600">Session ID:</span>
|
||||||
|
<span className="font-medium">{session.sessionId || session.id}</span>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<div className="flex justify-between border-b pb-2">
|
||||||
|
<span className="text-gray-600">Start Time:</span>
|
||||||
|
<span className="font-medium">
|
||||||
|
{new Date(session.startTime).toLocaleString()}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{session.endTime && (
|
||||||
|
<div className="flex justify-between border-b pb-2">
|
||||||
|
<span className="text-gray-600">End Time:</span>
|
||||||
|
<span className="font-medium">
|
||||||
|
{new Date(session.endTime).toLocaleString()}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{session.category && (
|
||||||
|
<div className="flex justify-between border-b pb-2">
|
||||||
|
<span className="text-gray-600">Category:</span>
|
||||||
|
<span className="font-medium">{session.category}</span>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{session.language && (
|
||||||
|
<div className="flex justify-between border-b pb-2">
|
||||||
|
<span className="text-gray-600">Language:</span>
|
||||||
|
<span className="font-medium">
|
||||||
|
<LanguageDisplay languageCode={session.language} />
|
||||||
|
<span className="text-gray-400 text-xs ml-1">
|
||||||
|
({session.language.toUpperCase()})
|
||||||
|
</span>
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{session.country && (
|
||||||
|
<div className="flex justify-between border-b pb-2">
|
||||||
|
<span className="text-gray-600">Country:</span>
|
||||||
|
<span className="font-medium">
|
||||||
|
<CountryDisplay countryCode={session.country} />
|
||||||
|
<span className="text-gray-400 text-xs ml-1">
|
||||||
|
({session.country})
|
||||||
|
</span>
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{session.sentiment !== null && session.sentiment !== undefined && (
|
||||||
|
<div className="flex justify-between border-b pb-2">
|
||||||
|
<span className="text-gray-600">Sentiment:</span>
|
||||||
|
<span
|
||||||
|
className={`font-medium ${
|
||||||
|
session.sentiment > 0.3
|
||||||
|
? "text-green-500"
|
||||||
|
: session.sentiment < -0.3
|
||||||
|
? "text-red-500"
|
||||||
|
: "text-orange-500"
|
||||||
|
}`}
|
||||||
|
>
|
||||||
|
{session.sentiment > 0.3
|
||||||
|
? "Positive"
|
||||||
|
: session.sentiment < -0.3
|
||||||
|
? "Negative"
|
||||||
|
: "Neutral"}{" "}
|
||||||
|
({session.sentiment.toFixed(2)})
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
<div className="flex justify-between border-b pb-2">
|
||||||
|
<span className="text-gray-600">Messages Sent:</span>
|
||||||
|
<span className="font-medium">{session.messagesSent || 0}</span>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{typeof session.tokens === "number" && (
|
||||||
|
<div className="flex justify-between border-b pb-2">
|
||||||
|
<span className="text-gray-600">Tokens:</span>
|
||||||
|
<span className="font-medium">{session.tokens}</span>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{typeof session.tokensEur === "number" && (
|
||||||
|
<div className="flex justify-between border-b pb-2">
|
||||||
|
<span className="text-gray-600">Cost:</span>
|
||||||
|
<span className="font-medium">€{session.tokensEur.toFixed(4)}</span>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{session.avgResponseTime !== null &&
|
||||||
|
session.avgResponseTime !== undefined && (
|
||||||
|
<div className="flex justify-between border-b pb-2">
|
||||||
|
<span className="text-gray-600">Avg Response Time:</span>
|
||||||
|
<span className="font-medium">
|
||||||
|
{session.avgResponseTime.toFixed(2)}s
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{session.escalated !== null && session.escalated !== undefined && (
|
||||||
|
<div className="flex justify-between border-b pb-2">
|
||||||
|
<span className="text-gray-600">Escalated:</span>
|
||||||
|
<span
|
||||||
|
className={`font-medium ${session.escalated ? "text-red-500" : "text-green-500"}`}
|
||||||
|
>
|
||||||
|
{session.escalated ? "Yes" : "No"}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{session.forwardedHr !== null && session.forwardedHr !== undefined && (
|
||||||
|
<div className="flex justify-between border-b pb-2">
|
||||||
|
<span className="text-gray-600">Forwarded to HR:</span>
|
||||||
|
<span
|
||||||
|
className={`font-medium ${session.forwardedHr ? "text-amber-500" : "text-green-500"}`}
|
||||||
|
>
|
||||||
|
{session.forwardedHr ? "Yes" : "No"}
|
||||||
|
</span>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* Display transcript using TranscriptViewer if content is available */}
|
||||||
|
{session.transcriptContent && session.transcriptContent.length > 0 && (
|
||||||
|
<TranscriptViewer
|
||||||
|
transcriptContent={session.transcriptContent}
|
||||||
|
transcriptUrl={session.fullTranscriptUrl}
|
||||||
|
/>
|
||||||
|
)}
|
||||||
|
|
||||||
|
{/* Fallback to link only if we only have the URL but no content */}
|
||||||
|
{(!session.transcriptContent || session.transcriptContent.length === 0) && session.fullTranscriptUrl && (
|
||||||
|
<div className="flex justify-between pt-2">
|
||||||
|
<span className="text-gray-600">Transcript:</span>
|
||||||
|
<a
|
||||||
|
href={session.fullTranscriptUrl}
|
||||||
|
target="_blank"
|
||||||
|
rel="noopener noreferrer"
|
||||||
|
className="text-blue-500 hover:text-blue-700 underline"
|
||||||
|
>
|
||||||
|
View Full Transcript
|
||||||
|
</a>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
137
components/TranscriptViewer.tsx
Normal file
137
components/TranscriptViewer.tsx
Normal file
@ -0,0 +1,137 @@
|
|||||||
|
"use client";
|
||||||
|
|
||||||
|
import { useState } from "react";
|
||||||
|
|
||||||
|
interface TranscriptViewerProps {
|
||||||
|
transcriptContent: string;
|
||||||
|
transcriptUrl?: string | null;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Format the transcript content into a more readable format with styling
|
||||||
|
*/
|
||||||
|
function formatTranscript(content: string): React.ReactNode[] {
|
||||||
|
if (!content.trim()) {
|
||||||
|
return [<p key="empty">No transcript content available.</p>];
|
||||||
|
}
|
||||||
|
|
||||||
|
// Split the transcript by lines
|
||||||
|
const lines = content.split("\n");
|
||||||
|
|
||||||
|
const elements: React.ReactNode[] = [];
|
||||||
|
let currentSpeaker: string | null = null;
|
||||||
|
let currentMessages: string[] = [];
|
||||||
|
|
||||||
|
// Process each line
|
||||||
|
lines.forEach((line) => {
|
||||||
|
line = line.trim();
|
||||||
|
if (!line) {
|
||||||
|
// Empty line, ignore
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Check if this is a new speaker line
|
||||||
|
if (line.startsWith("User:") || line.startsWith("Assistant:")) {
|
||||||
|
// If we have accumulated messages for a previous speaker, add them
|
||||||
|
if (currentSpeaker && currentMessages.length > 0) {
|
||||||
|
elements.push(
|
||||||
|
<div
|
||||||
|
key={`message-${elements.length}`}
|
||||||
|
className={`mb-3 ${currentSpeaker === "User" ? "text-right" : ""}`}
|
||||||
|
>
|
||||||
|
<div
|
||||||
|
className={`inline-block px-4 py-2 rounded-lg ${
|
||||||
|
currentSpeaker === "User"
|
||||||
|
? "bg-blue-100 text-blue-800"
|
||||||
|
: "bg-gray-100 text-gray-800"
|
||||||
|
}`}
|
||||||
|
>
|
||||||
|
{currentMessages.map((msg, i) => (
|
||||||
|
<p key={i}>{msg}</p>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
currentMessages = [];
|
||||||
|
}
|
||||||
|
|
||||||
|
// Set the new current speaker
|
||||||
|
currentSpeaker = line.startsWith("User:") ? "User" : "Assistant";
|
||||||
|
// Add the content after "User:" or "Assistant:"
|
||||||
|
const messageContent = line.substring(line.indexOf(":") + 1).trim();
|
||||||
|
if (messageContent) {
|
||||||
|
currentMessages.push(messageContent);
|
||||||
|
}
|
||||||
|
} else if (currentSpeaker) {
|
||||||
|
// This is a continuation of the current speaker's message
|
||||||
|
currentMessages.push(line);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
|
// Add any remaining messages
|
||||||
|
if (currentSpeaker && currentMessages.length > 0) {
|
||||||
|
elements.push(
|
||||||
|
<div
|
||||||
|
key={`message-${elements.length}`}
|
||||||
|
className={`mb-3 ${currentSpeaker === "User" ? "text-right" : ""}`}
|
||||||
|
>
|
||||||
|
<div
|
||||||
|
className={`inline-block px-4 py-2 rounded-lg ${
|
||||||
|
currentSpeaker === "User"
|
||||||
|
? "bg-blue-100 text-blue-800"
|
||||||
|
: "bg-gray-100 text-gray-800"
|
||||||
|
}`}
|
||||||
|
>
|
||||||
|
{currentMessages.map((msg, i) => (
|
||||||
|
<p key={i}>{msg}</p>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
return elements;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Component to display a chat transcript
|
||||||
|
*/
|
||||||
|
export default function TranscriptViewer({
|
||||||
|
transcriptContent,
|
||||||
|
transcriptUrl,
|
||||||
|
}: TranscriptViewerProps) {
|
||||||
|
const [showTranscript, setShowTranscript] = useState(false);
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div>
|
||||||
|
<div className="flex justify-between pt-2">
|
||||||
|
<span className="text-gray-600">Transcript:</span>
|
||||||
|
<div className="flex gap-2">
|
||||||
|
<button
|
||||||
|
onClick={() => setShowTranscript(!showTranscript)}
|
||||||
|
className="text-blue-500 hover:text-blue-700 underline"
|
||||||
|
>
|
||||||
|
{showTranscript ? "Hide Transcript" : "Show Transcript"}
|
||||||
|
</button>
|
||||||
|
{transcriptUrl && (
|
||||||
|
<a
|
||||||
|
href={transcriptUrl}
|
||||||
|
target="_blank"
|
||||||
|
rel="noopener noreferrer"
|
||||||
|
className="text-blue-500 hover:text-blue-700 underline"
|
||||||
|
>
|
||||||
|
View Source
|
||||||
|
</a>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
{/* Display transcript content if expanded */}
|
||||||
|
{showTranscript && (
|
||||||
|
<div className="mt-4 p-4 bg-gray-50 rounded-lg max-h-96 overflow-auto">
|
||||||
|
<div className="space-y-2">{formatTranscript(transcriptContent)}</div>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
@ -59,6 +59,7 @@ export interface ChatSession {
|
|||||||
tokensEur?: number;
|
tokensEur?: number;
|
||||||
initialMsg?: string;
|
initialMsg?: string;
|
||||||
fullTranscriptUrl?: string | null;
|
fullTranscriptUrl?: string | null;
|
||||||
|
transcriptContent?: string | null;
|
||||||
}
|
}
|
||||||
|
|
||||||
export interface DayMetrics {
|
export interface DayMetrics {
|
||||||
|
|||||||
158
package-lock.json
generated
158
package-lock.json
generated
@ -49,6 +49,7 @@
|
|||||||
"prettier": "^3.5.3",
|
"prettier": "^3.5.3",
|
||||||
"prisma": "^6.8.2",
|
"prisma": "^6.8.2",
|
||||||
"tailwindcss": "^4.1.7",
|
"tailwindcss": "^4.1.7",
|
||||||
|
"ts-node": "^10.9.2",
|
||||||
"typescript": "^5.0.0"
|
"typescript": "^5.0.0"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
@ -88,6 +89,30 @@
|
|||||||
"node": ">=6.9.0"
|
"node": ">=6.9.0"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"node_modules/@cspotcode/source-map-support": {
|
||||||
|
"version": "0.8.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/@cspotcode/source-map-support/-/source-map-support-0.8.1.tgz",
|
||||||
|
"integrity": "sha512-IchNf6dN4tHoMFIn/7OE8LWZ19Y6q/67Bmf6vnGREv8RSbBVb9LPJxEcnwrcwX6ixSvaiGoomAUvu4YSxXrVgw==",
|
||||||
|
"dev": true,
|
||||||
|
"license": "MIT",
|
||||||
|
"dependencies": {
|
||||||
|
"@jridgewell/trace-mapping": "0.3.9"
|
||||||
|
},
|
||||||
|
"engines": {
|
||||||
|
"node": ">=12"
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"node_modules/@cspotcode/source-map-support/node_modules/@jridgewell/trace-mapping": {
|
||||||
|
"version": "0.3.9",
|
||||||
|
"resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.9.tgz",
|
||||||
|
"integrity": "sha512-3Belt6tdc8bPgAtbcmdtNJlirVoTmEb5e2gC94PnkwEW9jI6CAHUeoG85tjWP5WquqfavoMtMwiG4P926ZKKuQ==",
|
||||||
|
"dev": true,
|
||||||
|
"license": "MIT",
|
||||||
|
"dependencies": {
|
||||||
|
"@jridgewell/resolve-uri": "^3.0.3",
|
||||||
|
"@jridgewell/sourcemap-codec": "^1.4.10"
|
||||||
|
}
|
||||||
|
},
|
||||||
"node_modules/@emnapi/core": {
|
"node_modules/@emnapi/core": {
|
||||||
"version": "1.4.3",
|
"version": "1.4.3",
|
||||||
"resolved": "https://registry.npmjs.org/@emnapi/core/-/core-1.4.3.tgz",
|
"resolved": "https://registry.npmjs.org/@emnapi/core/-/core-1.4.3.tgz",
|
||||||
@ -1438,6 +1463,34 @@
|
|||||||
"tailwindcss": "4.1.7"
|
"tailwindcss": "4.1.7"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"node_modules/@tsconfig/node10": {
|
||||||
|
"version": "1.0.11",
|
||||||
|
"resolved": "https://registry.npmjs.org/@tsconfig/node10/-/node10-1.0.11.tgz",
|
||||||
|
"integrity": "sha512-DcRjDCujK/kCk/cUe8Xz8ZSpm8mS3mNNpta+jGCA6USEDfktlNvm1+IuZ9eTcDbNk41BHwpHHeW+N1lKCz4zOw==",
|
||||||
|
"dev": true,
|
||||||
|
"license": "MIT"
|
||||||
|
},
|
||||||
|
"node_modules/@tsconfig/node12": {
|
||||||
|
"version": "1.0.11",
|
||||||
|
"resolved": "https://registry.npmjs.org/@tsconfig/node12/-/node12-1.0.11.tgz",
|
||||||
|
"integrity": "sha512-cqefuRsh12pWyGsIoBKJA9luFu3mRxCA+ORZvA4ktLSzIuCUtWVxGIuXigEwO5/ywWFMZ2QEGKWvkZG1zDMTag==",
|
||||||
|
"dev": true,
|
||||||
|
"license": "MIT"
|
||||||
|
},
|
||||||
|
"node_modules/@tsconfig/node14": {
|
||||||
|
"version": "1.0.3",
|
||||||
|
"resolved": "https://registry.npmjs.org/@tsconfig/node14/-/node14-1.0.3.tgz",
|
||||||
|
"integrity": "sha512-ysT8mhdixWK6Hw3i1V2AeRqZ5WfXg1G43mqoYlM2nc6388Fq5jcXyr5mRsqViLx/GJYdoL0bfXD8nmF+Zn/Iow==",
|
||||||
|
"dev": true,
|
||||||
|
"license": "MIT"
|
||||||
|
},
|
||||||
|
"node_modules/@tsconfig/node16": {
|
||||||
|
"version": "1.0.4",
|
||||||
|
"resolved": "https://registry.npmjs.org/@tsconfig/node16/-/node16-1.0.4.tgz",
|
||||||
|
"integrity": "sha512-vxhUy4J8lyeyinH7Azl1pdd43GJhZH/tP2weN8TntQblOY+A0XbT8DJk1/oCPuOOyg/Ja757rG0CgHcWC8OfMA==",
|
||||||
|
"dev": true,
|
||||||
|
"license": "MIT"
|
||||||
|
},
|
||||||
"node_modules/@tybys/wasm-util": {
|
"node_modules/@tybys/wasm-util": {
|
||||||
"version": "0.9.0",
|
"version": "0.9.0",
|
||||||
"resolved": "https://registry.npmjs.org/@tybys/wasm-util/-/wasm-util-0.9.0.tgz",
|
"resolved": "https://registry.npmjs.org/@tybys/wasm-util/-/wasm-util-0.9.0.tgz",
|
||||||
@ -2299,6 +2352,19 @@
|
|||||||
"acorn": "^6.0.0 || ^7.0.0 || ^8.0.0"
|
"acorn": "^6.0.0 || ^7.0.0 || ^8.0.0"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"node_modules/acorn-walk": {
|
||||||
|
"version": "8.3.4",
|
||||||
|
"resolved": "https://registry.npmjs.org/acorn-walk/-/acorn-walk-8.3.4.tgz",
|
||||||
|
"integrity": "sha512-ueEepnujpqee2o5aIYnvHU6C0A42MNdsIDeqy5BydrkuC5R1ZuUFnm27EeFJGoEHJQgn3uleRvmTXaJgfXbt4g==",
|
||||||
|
"dev": true,
|
||||||
|
"license": "MIT",
|
||||||
|
"dependencies": {
|
||||||
|
"acorn": "^8.11.0"
|
||||||
|
},
|
||||||
|
"engines": {
|
||||||
|
"node": ">=0.4.0"
|
||||||
|
}
|
||||||
|
},
|
||||||
"node_modules/ajv": {
|
"node_modules/ajv": {
|
||||||
"version": "6.12.6",
|
"version": "6.12.6",
|
||||||
"resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz",
|
"resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz",
|
||||||
@ -2332,6 +2398,13 @@
|
|||||||
"url": "https://github.com/chalk/ansi-styles?sponsor=1"
|
"url": "https://github.com/chalk/ansi-styles?sponsor=1"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"node_modules/arg": {
|
||||||
|
"version": "4.1.3",
|
||||||
|
"resolved": "https://registry.npmjs.org/arg/-/arg-4.1.3.tgz",
|
||||||
|
"integrity": "sha512-58S9QDqG0Xx27YwPSt9fJxivjYl432YCwfDMfZ+71RAqUrZef7LrKQZ3LHLOwCS4FLNBplP533Zx895SeOCHvA==",
|
||||||
|
"dev": true,
|
||||||
|
"license": "MIT"
|
||||||
|
},
|
||||||
"node_modules/argparse": {
|
"node_modules/argparse": {
|
||||||
"version": "2.0.1",
|
"version": "2.0.1",
|
||||||
"resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz",
|
"resolved": "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz",
|
||||||
@ -2832,6 +2905,13 @@
|
|||||||
"node": ">= 0.6"
|
"node": ">= 0.6"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"node_modules/create-require": {
|
||||||
|
"version": "1.1.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/create-require/-/create-require-1.1.1.tgz",
|
||||||
|
"integrity": "sha512-dcKFX3jn0MpIaXjisoRvexIJVEKzaq7z2rZKxf+MSr9TkdmHmsU4m2lcLojrj/FHl8mk5VxMmYA+ftRkP/3oKQ==",
|
||||||
|
"dev": true,
|
||||||
|
"license": "MIT"
|
||||||
|
},
|
||||||
"node_modules/cross-spawn": {
|
"node_modules/cross-spawn": {
|
||||||
"version": "7.0.6",
|
"version": "7.0.6",
|
||||||
"resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.6.tgz",
|
"resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.6.tgz",
|
||||||
@ -3441,6 +3521,16 @@
|
|||||||
"integrity": "sha512-wlwEkqcsaxvPJML+rDh/2iS824jbREk6DUMUKkEaSlxdYHeS43cClJtsWglvw2RfeXGm6ohKDqsXteJ5sP5enA==",
|
"integrity": "sha512-wlwEkqcsaxvPJML+rDh/2iS824jbREk6DUMUKkEaSlxdYHeS43cClJtsWglvw2RfeXGm6ohKDqsXteJ5sP5enA==",
|
||||||
"license": "MIT"
|
"license": "MIT"
|
||||||
},
|
},
|
||||||
|
"node_modules/diff": {
|
||||||
|
"version": "4.0.2",
|
||||||
|
"resolved": "https://registry.npmjs.org/diff/-/diff-4.0.2.tgz",
|
||||||
|
"integrity": "sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A==",
|
||||||
|
"dev": true,
|
||||||
|
"license": "BSD-3-Clause",
|
||||||
|
"engines": {
|
||||||
|
"node": ">=0.3.1"
|
||||||
|
}
|
||||||
|
},
|
||||||
"node_modules/dunder-proto": {
|
"node_modules/dunder-proto": {
|
||||||
"version": "1.0.1",
|
"version": "1.0.1",
|
||||||
"resolved": "https://registry.npmjs.org/dunder-proto/-/dunder-proto-1.0.1.tgz",
|
"resolved": "https://registry.npmjs.org/dunder-proto/-/dunder-proto-1.0.1.tgz",
|
||||||
@ -5591,6 +5681,13 @@
|
|||||||
"@jridgewell/sourcemap-codec": "^1.5.0"
|
"@jridgewell/sourcemap-codec": "^1.5.0"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"node_modules/make-error": {
|
||||||
|
"version": "1.3.6",
|
||||||
|
"resolved": "https://registry.npmjs.org/make-error/-/make-error-1.3.6.tgz",
|
||||||
|
"integrity": "sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw==",
|
||||||
|
"dev": true,
|
||||||
|
"license": "ISC"
|
||||||
|
},
|
||||||
"node_modules/math-intrinsics": {
|
"node_modules/math-intrinsics": {
|
||||||
"version": "1.1.0",
|
"version": "1.1.0",
|
||||||
"resolved": "https://registry.npmjs.org/math-intrinsics/-/math-intrinsics-1.1.0.tgz",
|
"resolved": "https://registry.npmjs.org/math-intrinsics/-/math-intrinsics-1.1.0.tgz",
|
||||||
@ -7185,6 +7282,50 @@
|
|||||||
"typescript": ">=4.8.4"
|
"typescript": ">=4.8.4"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"node_modules/ts-node": {
|
||||||
|
"version": "10.9.2",
|
||||||
|
"resolved": "https://registry.npmjs.org/ts-node/-/ts-node-10.9.2.tgz",
|
||||||
|
"integrity": "sha512-f0FFpIdcHgn8zcPSbf1dRevwt047YMnaiJM3u2w2RewrB+fob/zePZcrOyQoLMMO7aBIddLcQIEK5dYjkLnGrQ==",
|
||||||
|
"dev": true,
|
||||||
|
"license": "MIT",
|
||||||
|
"dependencies": {
|
||||||
|
"@cspotcode/source-map-support": "^0.8.0",
|
||||||
|
"@tsconfig/node10": "^1.0.7",
|
||||||
|
"@tsconfig/node12": "^1.0.7",
|
||||||
|
"@tsconfig/node14": "^1.0.0",
|
||||||
|
"@tsconfig/node16": "^1.0.2",
|
||||||
|
"acorn": "^8.4.1",
|
||||||
|
"acorn-walk": "^8.1.1",
|
||||||
|
"arg": "^4.1.0",
|
||||||
|
"create-require": "^1.1.0",
|
||||||
|
"diff": "^4.0.1",
|
||||||
|
"make-error": "^1.1.1",
|
||||||
|
"v8-compile-cache-lib": "^3.0.1",
|
||||||
|
"yn": "3.1.1"
|
||||||
|
},
|
||||||
|
"bin": {
|
||||||
|
"ts-node": "dist/bin.js",
|
||||||
|
"ts-node-cwd": "dist/bin-cwd.js",
|
||||||
|
"ts-node-esm": "dist/bin-esm.js",
|
||||||
|
"ts-node-script": "dist/bin-script.js",
|
||||||
|
"ts-node-transpile-only": "dist/bin-transpile.js",
|
||||||
|
"ts-script": "dist/bin-script-deprecated.js"
|
||||||
|
},
|
||||||
|
"peerDependencies": {
|
||||||
|
"@swc/core": ">=1.2.50",
|
||||||
|
"@swc/wasm": ">=1.2.50",
|
||||||
|
"@types/node": "*",
|
||||||
|
"typescript": ">=2.7"
|
||||||
|
},
|
||||||
|
"peerDependenciesMeta": {
|
||||||
|
"@swc/core": {
|
||||||
|
"optional": true
|
||||||
|
},
|
||||||
|
"@swc/wasm": {
|
||||||
|
"optional": true
|
||||||
|
}
|
||||||
|
}
|
||||||
|
},
|
||||||
"node_modules/tsconfig-paths": {
|
"node_modules/tsconfig-paths": {
|
||||||
"version": "3.15.0",
|
"version": "3.15.0",
|
||||||
"resolved": "https://registry.npmjs.org/tsconfig-paths/-/tsconfig-paths-3.15.0.tgz",
|
"resolved": "https://registry.npmjs.org/tsconfig-paths/-/tsconfig-paths-3.15.0.tgz",
|
||||||
@ -7386,6 +7527,13 @@
|
|||||||
"uuid": "dist/bin/uuid"
|
"uuid": "dist/bin/uuid"
|
||||||
}
|
}
|
||||||
},
|
},
|
||||||
|
"node_modules/v8-compile-cache-lib": {
|
||||||
|
"version": "3.0.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/v8-compile-cache-lib/-/v8-compile-cache-lib-3.0.1.tgz",
|
||||||
|
"integrity": "sha512-wa7YjyUGfNZngI/vtK0UHAN+lgDCxBPCylVXGp0zu59Fz5aiGtNXaq3DhIov063MorB+VfufLh3JlF2KdTK3xg==",
|
||||||
|
"dev": true,
|
||||||
|
"license": "MIT"
|
||||||
|
},
|
||||||
"node_modules/web-streams-polyfill": {
|
"node_modules/web-streams-polyfill": {
|
||||||
"version": "3.3.3",
|
"version": "3.3.3",
|
||||||
"resolved": "https://registry.npmjs.org/web-streams-polyfill/-/web-streams-polyfill-3.3.3.tgz",
|
"resolved": "https://registry.npmjs.org/web-streams-polyfill/-/web-streams-polyfill-3.3.3.tgz",
|
||||||
@ -7516,6 +7664,16 @@
|
|||||||
"integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==",
|
"integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==",
|
||||||
"license": "ISC"
|
"license": "ISC"
|
||||||
},
|
},
|
||||||
|
"node_modules/yn": {
|
||||||
|
"version": "3.1.1",
|
||||||
|
"resolved": "https://registry.npmjs.org/yn/-/yn-3.1.1.tgz",
|
||||||
|
"integrity": "sha512-Ux4ygGWsu2c7isFWe8Yu1YluJmqVhxqK2cLXNQA5AcC3QfbGNpM7fu0Y8b/z16pXLnFxZYvWhd3fhBY9DLmC6Q==",
|
||||||
|
"dev": true,
|
||||||
|
"license": "MIT",
|
||||||
|
"engines": {
|
||||||
|
"node": ">=6"
|
||||||
|
}
|
||||||
|
},
|
||||||
"node_modules/yocto-queue": {
|
"node_modules/yocto-queue": {
|
||||||
"version": "0.1.0",
|
"version": "0.1.0",
|
||||||
"resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz",
|
"resolved": "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz",
|
||||||
|
|||||||
@ -56,6 +56,7 @@
|
|||||||
"prettier": "^3.5.3",
|
"prettier": "^3.5.3",
|
||||||
"prisma": "^6.8.2",
|
"prisma": "^6.8.2",
|
||||||
"tailwindcss": "^4.1.7",
|
"tailwindcss": "^4.1.7",
|
||||||
|
"ts-node": "^10.9.2",
|
||||||
"typescript": "^5.0.0"
|
"typescript": "^5.0.0"
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@ -11,6 +11,27 @@ interface SessionCreateData {
|
|||||||
[key: string]: unknown;
|
[key: string]: unknown;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Fetches transcript content from a URL
|
||||||
|
* @param url The URL to fetch the transcript from
|
||||||
|
* @returns The transcript content or null if fetching fails
|
||||||
|
*/
|
||||||
|
async function fetchTranscriptContent(url: string): Promise<string | null> {
|
||||||
|
try {
|
||||||
|
const response = await fetch(url);
|
||||||
|
if (!response.ok) {
|
||||||
|
process.stderr.write(
|
||||||
|
`Error fetching transcript: ${response.statusText}\n`
|
||||||
|
);
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
return await response.text();
|
||||||
|
} catch (error) {
|
||||||
|
process.stderr.write(`Failed to fetch transcript: ${error}\n`);
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
export default async function handler(
|
export default async function handler(
|
||||||
req: NextApiRequest,
|
req: NextApiRequest,
|
||||||
res: NextApiResponse
|
res: NextApiResponse
|
||||||
@ -86,6 +107,14 @@ export default async function handler(
|
|||||||
? session.endTime
|
? session.endTime
|
||||||
: new Date();
|
: new Date();
|
||||||
|
|
||||||
|
// Fetch transcript content if URL is available
|
||||||
|
let transcriptContent: string | null = null;
|
||||||
|
if (session.fullTranscriptUrl) {
|
||||||
|
transcriptContent = await fetchTranscriptContent(
|
||||||
|
session.fullTranscriptUrl
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
// Only include fields that are properly typed for Prisma
|
// Only include fields that are properly typed for Prisma
|
||||||
await prisma.session.create({
|
await prisma.session.create({
|
||||||
data: {
|
data: {
|
||||||
@ -107,6 +136,7 @@ export default async function handler(
|
|||||||
? session.forwardedHr
|
? session.forwardedHr
|
||||||
: null,
|
: null,
|
||||||
fullTranscriptUrl: session.fullTranscriptUrl || null,
|
fullTranscriptUrl: session.fullTranscriptUrl || null,
|
||||||
|
transcriptContent: transcriptContent, // Add the transcript content
|
||||||
avgResponseTime:
|
avgResponseTime:
|
||||||
typeof session.avgResponseTime === "number"
|
typeof session.avgResponseTime === "number"
|
||||||
? session.avgResponseTime
|
? session.avgResponseTime
|
||||||
|
|||||||
@ -0,0 +1,2 @@
|
|||||||
|
-- AlterTable
|
||||||
|
ALTER TABLE "Session" ADD COLUMN "transcriptContent" TEXT;
|
||||||
@ -47,6 +47,7 @@ model Session {
|
|||||||
escalated Boolean?
|
escalated Boolean?
|
||||||
forwardedHr Boolean?
|
forwardedHr Boolean?
|
||||||
fullTranscriptUrl String?
|
fullTranscriptUrl String?
|
||||||
|
transcriptContent String? // Added to store the fetched transcript
|
||||||
avgResponseTime Float?
|
avgResponseTime Float?
|
||||||
tokens Int?
|
tokens Int?
|
||||||
tokensEur Float?
|
tokensEur Float?
|
||||||
|
|||||||
87
scripts/fetch_transcripts.ts
Normal file
87
scripts/fetch_transcripts.ts
Normal file
@ -0,0 +1,87 @@
|
|||||||
|
import { PrismaClient } from "@prisma/client";
|
||||||
|
|
||||||
|
const prisma = new PrismaClient();
|
||||||
|
|
||||||
|
async function main() {
|
||||||
|
console.log("Starting to fetch missing transcripts...");
|
||||||
|
|
||||||
|
const sessionsToUpdate = await prisma.session.findMany({
|
||||||
|
where: {
|
||||||
|
AND: [
|
||||||
|
{ fullTranscriptUrl: { not: null } },
|
||||||
|
{ fullTranscriptUrl: { not: "" } }, // Ensure URL is not an empty string
|
||||||
|
{ transcriptContent: null },
|
||||||
|
],
|
||||||
|
},
|
||||||
|
select: {
|
||||||
|
id: true,
|
||||||
|
fullTranscriptUrl: true,
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
if (sessionsToUpdate.length === 0) {
|
||||||
|
console.log("No sessions found requiring transcript fetching.");
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
console.log(`Found ${sessionsToUpdate.length} sessions to update.`);
|
||||||
|
let successCount = 0;
|
||||||
|
let errorCount = 0;
|
||||||
|
|
||||||
|
for (const session of sessionsToUpdate) {
|
||||||
|
if (!session.fullTranscriptUrl) {
|
||||||
|
// Should not happen due to query, but good for type safety
|
||||||
|
console.warn(`Session ${session.id} has no fullTranscriptUrl, skipping.`);
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
|
||||||
|
console.log(
|
||||||
|
`Fetching transcript for session ${session.id} from ${session.fullTranscriptUrl}...`
|
||||||
|
);
|
||||||
|
try {
|
||||||
|
const response = await fetch(session.fullTranscriptUrl);
|
||||||
|
if (!response.ok) {
|
||||||
|
console.error(
|
||||||
|
`Failed to fetch transcript for session ${session.id}: ${response.status} ${response.statusText}`
|
||||||
|
);
|
||||||
|
const errorBody = await response.text();
|
||||||
|
console.error(`Error details: ${errorBody.substring(0, 500)}`); // Log first 500 chars of error
|
||||||
|
errorCount++;
|
||||||
|
continue;
|
||||||
|
}
|
||||||
|
|
||||||
|
const transcriptText = await response.text();
|
||||||
|
|
||||||
|
if (transcriptText.trim() === "") {
|
||||||
|
console.warn(
|
||||||
|
`Fetched empty transcript for session ${session.id}. Storing as empty string.`
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
await prisma.session.update({
|
||||||
|
where: { id: session.id },
|
||||||
|
data: { transcriptContent: transcriptText },
|
||||||
|
});
|
||||||
|
console.log(
|
||||||
|
`Successfully fetched and stored transcript for session ${session.id}.`
|
||||||
|
);
|
||||||
|
successCount++;
|
||||||
|
} catch (error) {
|
||||||
|
console.error(`Error processing session ${session.id}:`, error);
|
||||||
|
errorCount++;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
console.log("Transcript fetching complete.");
|
||||||
|
console.log(`Successfully updated: ${successCount} sessions.`);
|
||||||
|
console.log(`Failed to update: ${errorCount} sessions.`);
|
||||||
|
}
|
||||||
|
|
||||||
|
main()
|
||||||
|
.catch((e) => {
|
||||||
|
console.error("An error occurred during the script execution:", e);
|
||||||
|
process.exitCode = 1;
|
||||||
|
})
|
||||||
|
.finally(async () => {
|
||||||
|
await prisma.$disconnect();
|
||||||
|
});
|
||||||
@ -25,6 +25,12 @@
|
|||||||
},
|
},
|
||||||
"strictNullChecks": true
|
"strictNullChecks": true
|
||||||
},
|
},
|
||||||
"include": ["next-env.d.ts", "**/*.ts", "**/*.tsx", ".next/types/**/*.ts"],
|
"include": [
|
||||||
|
"next-env.d.ts",
|
||||||
|
"**/*.ts",
|
||||||
|
"**/*.tsx",
|
||||||
|
".next/types/**/*.ts",
|
||||||
|
"components/SessionDetails.tsx.bak"
|
||||||
|
],
|
||||||
"exclude": ["node_modules"]
|
"exclude": ["node_modules"]
|
||||||
}
|
}
|
||||||
|
|||||||
Reference in New Issue
Block a user