mirror of
https://dev.azure.com/globalhealthx/EMR/_git/helix-engage
synced 2026-04-11 18:28:15 +00:00
- DispositionModal: single modal for all call endings. Dismissable (agent can resume call). Agent clicks End → modal → select reason → hangup + dispose. Caller disconnects → same modal. - One call screen: CallWidget stripped to ringing notification + auto-redirect to Call Desk. - Persistent top bar in AppShell: agent status toggle + network indicator on all pages. - Network indicator always visible (Connected/Unstable/No connection). - Pagination: Untitled UI PaginationCardDefault on Call History + Appointments (20/page). - Pinned table headers/footers: sticky column headers, scrollable body, pinned pagination. Applied to Call Desk worklist, Call History, Appointments, Call Recordings, Missed Calls. - "Patient" → "Caller" column label in Call History. - Offline → Ready toggle enabled. - Profile status dot reflects Ozonetel state. - NavAccountCard: popover placement top, View Profile + Account Settings restored. - WIP pages for /profile and /account-settings. - Enquiry form PHONE_INQUIRY → PHONE enum fix. - Force Ready / View Profile / Account Settings removed then restored properly. Co-Authored-By: Claude Opus 4.6 (1M context) <noreply@anthropic.com>
312 lines
15 KiB
TypeScript
312 lines
15 KiB
TypeScript
import { useEffect, useMemo, useRef, useState } from 'react';
|
|
import type { FC } from 'react';
|
|
import { FontAwesomeIcon } from '@fortawesome/react-fontawesome';
|
|
import {
|
|
faPhoneArrowDown,
|
|
faPhoneArrowUp,
|
|
faPhoneXmark,
|
|
faPlay,
|
|
faPause,
|
|
faMagnifyingGlass,
|
|
} from '@fortawesome/pro-duotone-svg-icons';
|
|
|
|
const SearchLg: FC<{ className?: string }> = ({ className }) => <FontAwesomeIcon icon={faMagnifyingGlass} className={className} />;
|
|
import { Table, TableCard } from '@/components/application/table/table';
|
|
import { Badge } from '@/components/base/badges/badges';
|
|
import { Button } from '@/components/base/buttons/button';
|
|
import { Input } from '@/components/base/input/input';
|
|
import { Select } from '@/components/base/select/select';
|
|
import { TopBar } from '@/components/layout/top-bar';
|
|
import { ClickToCallButton } from '@/components/call-desk/click-to-call-button';
|
|
import { formatShortDate, formatPhone } from '@/lib/format';
|
|
import { useData } from '@/providers/data-provider';
|
|
import { PaginationCardDefault } from '@/components/application/pagination/pagination';
|
|
import type { Call, CallDirection, CallDisposition } from '@/types/entities';
|
|
|
|
type FilterKey = 'all' | 'inbound' | 'outbound' | 'missed';
|
|
|
|
const filterItems = [
|
|
{ id: 'all' as const, label: 'All Calls' },
|
|
{ id: 'inbound' as const, label: 'Inbound' },
|
|
{ id: 'outbound' as const, label: 'Outbound' },
|
|
{ id: 'missed' as const, label: 'Missed' },
|
|
];
|
|
|
|
const dispositionConfig: Record<CallDisposition, { label: string; color: 'success' | 'brand' | 'blue-light' | 'warning' | 'gray' | 'error' }> = {
|
|
APPOINTMENT_BOOKED: { label: 'Appt Booked', color: 'success' },
|
|
FOLLOW_UP_SCHEDULED: { label: 'Follow-up', color: 'brand' },
|
|
INFO_PROVIDED: { label: 'Info Provided', color: 'blue-light' },
|
|
NO_ANSWER: { label: 'No Answer', color: 'warning' },
|
|
WRONG_NUMBER: { label: 'Wrong Number', color: 'gray' },
|
|
CALLBACK_REQUESTED: { label: 'Callback', color: 'brand' },
|
|
};
|
|
|
|
const formatDuration = (seconds: number | null): string => {
|
|
if (seconds === null || seconds === 0) return '\u2014';
|
|
if (seconds < 60) return `${seconds}s`;
|
|
const mins = Math.floor(seconds / 60);
|
|
const secs = seconds % 60;
|
|
return secs > 0 ? `${mins}m ${secs}s` : `${mins}m`;
|
|
};
|
|
|
|
const formatPhoneDisplay = (call: Call): string => {
|
|
if (call.callerNumber && call.callerNumber.length > 0) {
|
|
return formatPhone(call.callerNumber[0]);
|
|
}
|
|
return '\u2014';
|
|
};
|
|
|
|
const DirectionIcon: FC<{ direction: CallDirection | null; status: Call['callStatus'] }> = ({ direction, status }) => {
|
|
if (status === 'MISSED') {
|
|
return <FontAwesomeIcon icon={faPhoneXmark} className="size-4 text-fg-error-secondary" />;
|
|
}
|
|
if (direction === 'OUTBOUND') {
|
|
return <FontAwesomeIcon icon={faPhoneArrowUp} className="size-4 text-fg-brand-secondary" />;
|
|
}
|
|
return <FontAwesomeIcon icon={faPhoneArrowDown} className="size-4 text-fg-success-secondary" />;
|
|
};
|
|
|
|
const RecordingPlayer: FC<{ url: string }> = ({ url }) => {
|
|
const audioRef = useRef<HTMLAudioElement>(null);
|
|
const [isPlaying, setIsPlaying] = useState(false);
|
|
|
|
const togglePlay = () => {
|
|
const audio = audioRef.current;
|
|
if (!audio) return;
|
|
if (isPlaying) {
|
|
audio.pause();
|
|
setIsPlaying(false);
|
|
} else {
|
|
audio.play().catch(() => setIsPlaying(false));
|
|
setIsPlaying(true);
|
|
}
|
|
};
|
|
|
|
const handleEnded = () => setIsPlaying(false);
|
|
|
|
return (
|
|
<>
|
|
<audio ref={audioRef} src={url} preload="none" onEnded={handleEnded} />
|
|
<Button
|
|
size="sm"
|
|
color="tertiary"
|
|
iconLeading={
|
|
<FontAwesomeIcon
|
|
icon={isPlaying ? faPause : faPlay}
|
|
data-icon
|
|
className="size-3.5"
|
|
/>
|
|
}
|
|
onClick={togglePlay}
|
|
aria-label={isPlaying ? 'Pause recording' : 'Play recording'}
|
|
/>
|
|
</>
|
|
);
|
|
};
|
|
|
|
const PAGE_SIZE = 20;
|
|
|
|
export const CallHistoryPage = () => {
|
|
const { calls, leads } = useData();
|
|
const [search, setSearch] = useState('');
|
|
const [filter, setFilter] = useState<FilterKey>('all');
|
|
const [page, setPage] = useState(1);
|
|
|
|
// Build a map of lead names by ID for enrichment
|
|
const leadNameMap = useMemo(() => {
|
|
const map = new Map<string, string>();
|
|
for (const lead of leads) {
|
|
if (lead.id && lead.contactName) {
|
|
const name = `${lead.contactName.firstName ?? ''} ${lead.contactName.lastName ?? ''}`.trim();
|
|
if (name) map.set(lead.id, name);
|
|
}
|
|
}
|
|
return map;
|
|
}, [leads]);
|
|
|
|
// Sort by time (newest first) and apply filters
|
|
const filteredCalls = useMemo(() => {
|
|
let result = [...calls].sort((a, b) => {
|
|
const dateA = a.startedAt ? new Date(a.startedAt).getTime() : 0;
|
|
const dateB = b.startedAt ? new Date(b.startedAt).getTime() : 0;
|
|
return dateB - dateA;
|
|
});
|
|
|
|
// Direction / status filter
|
|
if (filter === 'inbound') result = result.filter((c) => c.callDirection === 'INBOUND');
|
|
else if (filter === 'outbound') result = result.filter((c) => c.callDirection === 'OUTBOUND');
|
|
else if (filter === 'missed') result = result.filter((c) => c.callStatus === 'MISSED');
|
|
|
|
// Search filter
|
|
if (search.trim()) {
|
|
const q = search.toLowerCase();
|
|
result = result.filter((c) => {
|
|
const name = c.leadName ?? leadNameMap.get(c.leadId ?? '') ?? '';
|
|
const phone = c.callerNumber?.[0]?.number ?? '';
|
|
const agent = c.agentName ?? '';
|
|
return (
|
|
name.toLowerCase().includes(q) ||
|
|
phone.includes(q) ||
|
|
agent.toLowerCase().includes(q)
|
|
);
|
|
});
|
|
}
|
|
|
|
return result;
|
|
}, [calls, filter, search, leadNameMap]);
|
|
|
|
const completedCount = filteredCalls.filter((c) => c.callStatus !== 'MISSED').length;
|
|
const missedCount = filteredCalls.filter((c) => c.callStatus === 'MISSED').length;
|
|
|
|
const totalPages = Math.max(1, Math.ceil(filteredCalls.length / PAGE_SIZE));
|
|
const pagedCalls = filteredCalls.slice((page - 1) * PAGE_SIZE, page * PAGE_SIZE);
|
|
|
|
// Reset page when filter/search changes
|
|
useEffect(() => { setPage(1); }, [filter, search]); // eslint-disable-line react-hooks/exhaustive-deps
|
|
|
|
return (
|
|
<div className="flex flex-1 flex-col overflow-hidden">
|
|
<TopBar title="Call History" subtitle={`${filteredCalls.length} total calls`} />
|
|
|
|
<div className="flex flex-1 flex-col overflow-hidden p-7">
|
|
<TableCard.Root size="md" className="flex-1 min-h-0">
|
|
<TableCard.Header
|
|
title="Call History"
|
|
badge={String(filteredCalls.length)}
|
|
description={`${completedCount} completed \u00B7 ${missedCount} missed`}
|
|
contentTrailing={
|
|
<div className="flex items-center gap-2">
|
|
<div className="w-44">
|
|
<Select
|
|
size="sm"
|
|
placeholder="All Calls"
|
|
selectedKey={filter}
|
|
onSelectionChange={(key) => setFilter(key as FilterKey)}
|
|
items={filterItems}
|
|
aria-label="Filter calls"
|
|
>
|
|
{(item) => (
|
|
<Select.Item id={item.id} label={item.label}>
|
|
{item.label}
|
|
</Select.Item>
|
|
)}
|
|
</Select>
|
|
</div>
|
|
<div className="w-56">
|
|
<Input
|
|
placeholder="Search calls..."
|
|
icon={SearchLg}
|
|
size="sm"
|
|
value={search}
|
|
onChange={(value) => setSearch(value)}
|
|
aria-label="Search calls"
|
|
/>
|
|
</div>
|
|
</div>
|
|
}
|
|
/>
|
|
|
|
{filteredCalls.length === 0 ? (
|
|
<div className="flex flex-col items-center justify-center py-16">
|
|
<h3 className="text-sm font-semibold text-primary">No calls found</h3>
|
|
<p className="text-sm text-tertiary mt-1">
|
|
{search ? 'Try a different search term' : 'No call history available yet.'}
|
|
</p>
|
|
</div>
|
|
) : (
|
|
<Table>
|
|
<Table.Header>
|
|
<Table.Head label="TYPE" className="w-14" isRowHeader />
|
|
<Table.Head label="CALLER" />
|
|
<Table.Head label="PHONE" />
|
|
<Table.Head label="DURATION" className="w-24" />
|
|
<Table.Head label="OUTCOME" />
|
|
<Table.Head label="AGENT" />
|
|
<Table.Head label="RECORDING" className="w-24" />
|
|
<Table.Head label="TIME" />
|
|
<Table.Head label="ACTIONS" className="w-24" />
|
|
</Table.Header>
|
|
<Table.Body items={pagedCalls}>
|
|
{(call) => {
|
|
const patientName = call.leadName ?? leadNameMap.get(call.leadId ?? '') ?? 'Unknown';
|
|
const phoneDisplay = formatPhoneDisplay(call);
|
|
const phoneRaw = call.callerNumber?.[0]?.number ?? '';
|
|
const dispositionCfg = call.disposition !== null ? dispositionConfig[call.disposition] : null;
|
|
|
|
return (
|
|
<Table.Row id={call.id}>
|
|
<Table.Cell>
|
|
<DirectionIcon direction={call.callDirection} status={call.callStatus} />
|
|
</Table.Cell>
|
|
<Table.Cell>
|
|
<span className="text-sm font-medium text-primary truncate max-w-[160px] block">
|
|
{patientName}
|
|
</span>
|
|
</Table.Cell>
|
|
<Table.Cell>
|
|
<span className="text-sm text-tertiary whitespace-nowrap">
|
|
{phoneDisplay}
|
|
</span>
|
|
</Table.Cell>
|
|
<Table.Cell>
|
|
<span className="text-sm text-secondary whitespace-nowrap">
|
|
{formatDuration(call.durationSeconds)}
|
|
</span>
|
|
</Table.Cell>
|
|
<Table.Cell>
|
|
{dispositionCfg ? (
|
|
<Badge size="sm" color={dispositionCfg.color} type="pill-color">
|
|
{dispositionCfg.label}
|
|
</Badge>
|
|
) : (
|
|
<span className="text-sm text-quaternary">{'\u2014'}</span>
|
|
)}
|
|
</Table.Cell>
|
|
<Table.Cell>
|
|
<span className="text-sm text-secondary">
|
|
{call.agentName ?? '\u2014'}
|
|
</span>
|
|
</Table.Cell>
|
|
<Table.Cell>
|
|
{call.recordingUrl ? (
|
|
<RecordingPlayer url={call.recordingUrl} />
|
|
) : (
|
|
<span className="text-xs text-quaternary">{'\u2014'}</span>
|
|
)}
|
|
</Table.Cell>
|
|
<Table.Cell>
|
|
<span className="text-sm text-tertiary whitespace-nowrap">
|
|
{call.startedAt ? formatShortDate(call.startedAt) : '\u2014'}
|
|
</span>
|
|
</Table.Cell>
|
|
<Table.Cell>
|
|
{phoneRaw ? (
|
|
<ClickToCallButton
|
|
phoneNumber={phoneRaw}
|
|
leadId={call.leadId ?? undefined}
|
|
label="Call"
|
|
size="sm"
|
|
/>
|
|
) : (
|
|
<span className="text-xs text-quaternary">{'\u2014'}</span>
|
|
)}
|
|
</Table.Cell>
|
|
</Table.Row>
|
|
);
|
|
}}
|
|
</Table.Body>
|
|
</Table>
|
|
)}
|
|
<div className="shrink-0">
|
|
<PaginationCardDefault
|
|
page={page}
|
|
total={totalPages}
|
|
onPageChange={setPage}
|
|
/>
|
|
</div>
|
|
</TableCard.Root>
|
|
</div>
|
|
</div>
|
|
);
|
|
};
|