courrier preview

This commit is contained in:
alma 2025-05-01 20:57:35 +02:00
parent 81ed21b6b4
commit 4a2297f4b0
2 changed files with 152 additions and 38 deletions

View File

@ -201,44 +201,86 @@ export async function DELETE(request: Request) {
export async function PATCH(request: Request) {
try {
// Authenticate user
const session = await getServerSession(authOptions);
if (!session?.user?.id) {
return NextResponse.json({ error: 'Unauthorized' }, { status: 401 });
return NextResponse.json(
{ error: 'Unauthorized' },
{ status: 401 }
);
}
// Parse request body
const body = await request.json();
const { accountId, newPassword } = body;
if (!accountId || !newPassword) {
return NextResponse.json({ error: 'Missing accountId or newPassword' }, { status: 400 });
const { accountId, newPassword, display_name, color } = body;
if (!accountId) {
return NextResponse.json(
{ error: 'Account ID is required' },
{ status: 400 }
);
}
// Find the account
// Check if at least one of the fields is provided
if (!newPassword && !display_name && !color) {
return NextResponse.json(
{ error: 'At least one field to update is required' },
{ status: 400 }
);
}
// Verify the account belongs to the user
const account = await prisma.mailCredentials.findFirst({
where: { id: accountId, userId: session.user.id },
where: {
id: accountId,
userId: session.user.id
}
});
if (!account) {
return NextResponse.json({ error: 'Account not found' }, { status: 404 });
return NextResponse.json(
{ error: 'Account not found' },
{ status: 404 }
);
}
// Test new credentials
const testResult = await testEmailConnection({
email: account.email,
password: newPassword,
host: account.host,
port: account.port,
secure: typeof (account as any).secure === 'boolean' ? (account as any).secure : true,
});
if (!testResult.imap) {
return NextResponse.json({ error: `Connection test failed: ${testResult.error || 'Could not connect to IMAP server'}` }, { status: 400 });
// Build update data object
const updateData: any = {};
// Add password if provided
if (newPassword) {
updateData.password = newPassword;
}
// Update password in database
// Add display_name if provided
if (display_name !== undefined) {
updateData.display_name = display_name;
}
// Add color if provided
if (color) {
updateData.color = color;
}
// Update the account
await prisma.mailCredentials.update({
where: { id: accountId },
data: { password: newPassword },
data: updateData
});
return NextResponse.json({
success: true,
message: 'Account updated successfully'
});
// Invalidate cache
await invalidateFolderCache(session.user.id, account.email, '*');
return NextResponse.json({ success: true, message: 'Password updated' });
} catch (error) {
console.error('Error updating account password:', error);
return NextResponse.json({ error: 'Failed to update password', details: error instanceof Error ? error.message : 'Unknown error' }, { status: 500 });
console.error('Error updating account:', error);
return NextResponse.json(
{
error: 'Failed to update account',
details: error instanceof Error ? error.message : 'Unknown error'
},
{ status: 500 }
);
}
}

View File

@ -9,7 +9,7 @@ import {
Inbox, Send, Star, Trash, Plus, ChevronLeft, ChevronRight,
Search, ChevronDown, Folder, ChevronUp, Reply, Forward, ReplyAll,
MoreHorizontal, FolderOpen, X, Paperclip, MessageSquare, Copy, EyeOff,
AlertOctagon, Archive, RefreshCw, Menu
AlertOctagon, Archive, Menu, Check
} from 'lucide-react';
import { Dialog, DialogContent, DialogTitle } from '@/components/ui/dialog';
import { Alert, AlertDescription, AlertTitle } from '@/components/ui/alert';
@ -901,37 +901,109 @@ export default function CourrierPage() {
{/* Edit Password Modal */}
<Dialog open={showEditModal} onOpenChange={open => { if (!open) setShowEditModal(false); }}>
<DialogContent className="sm:max-w-[400px]">
<DialogTitle>Edit Account Password</DialogTitle>
<DialogContent className="sm:max-w-[500px]">
<DialogTitle>Edit Account Settings</DialogTitle>
<form onSubmit={async e => {
e.preventDefault();
if (!accountToEdit) return;
setEditLoading(true);
try {
const formElement = e.target as HTMLFormElement;
const displayName = (formElement.querySelector('#display-name') as HTMLInputElement).value;
const color = (formElement.querySelector('input[name="color"]:checked') as HTMLInputElement)?.value || accountToEdit.color;
const res = await fetch('/api/courrier/account', {
method: 'PATCH',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({ accountId: accountToEdit.id, newPassword }),
body: JSON.stringify({
accountId: accountToEdit.id,
newPassword: newPassword || undefined,
display_name: displayName,
color: color
}),
});
const data = await res.json();
if (!res.ok) throw new Error(data.error || 'Failed to update password');
toast({ title: 'Password updated', description: 'Password changed successfully.' });
if (!res.ok) throw new Error(data.error || 'Failed to update account settings');
toast({ title: 'Account updated', description: 'Account settings updated successfully.' });
setShowEditModal(false);
setNewPassword('');
window.location.reload();
// Update the local account data
setAccounts(accounts.map(account =>
account.id === accountToEdit.id
? {...account, name: displayName, color: color}
: account
));
} catch (err) {
toast({ title: 'Error', description: err instanceof Error ? err.message : 'Failed to update password', variant: 'destructive' });
toast({ title: 'Error', description: err instanceof Error ? err.message : 'Failed to update account settings', variant: 'destructive' });
} finally {
setEditLoading(false);
}
}}>
<div className="mb-2">
<Label htmlFor="new-password">New Password</Label>
<Input id="new-password" type="password" value={newPassword} onChange={e => setNewPassword(e.target.value)} required className="mt-1" />
<div className="mb-4">
<Label htmlFor="display-name">Account Name</Label>
<Input
id="display-name"
type="text"
defaultValue={accountToEdit?.name}
className="mt-1 bg-white text-gray-800"
/>
</div>
<div className="flex justify-end gap-2 mt-4">
<Button type="button" variant="outline" onClick={() => setShowEditModal(false)}>Cancel</Button>
<Button type="submit" disabled={editLoading}>{editLoading ? <Loader2 className="h-4 w-4 animate-spin" /> : 'Save'}</Button>
<div className="mb-4">
<Label htmlFor="new-password">New Password (optional)</Label>
<Input
id="new-password"
type="password"
value={newPassword}
onChange={e => setNewPassword(e.target.value)}
className="mt-1 bg-white text-gray-800"
placeholder="Leave blank to keep current password"
/>
</div>
<div className="mb-4">
<Label className="block mb-2">Account Color</Label>
<div className="grid grid-cols-5 gap-2">
{colorPalette.map((color, index) => (
<div key={index} className="flex items-center">
<input
type="radio"
id={`color-${index}`}
name="color"
value={color}
defaultChecked={accountToEdit?.color === color}
className="sr-only"
/>
<label
htmlFor={`color-${index}`}
className={`w-8 h-8 rounded-full cursor-pointer flex items-center justify-center ${color} hover:ring-2 hover:ring-blue-300 transition-all`}
style={{ boxShadow: accountToEdit?.color === color ? '0 0 0 2px white, 0 0 0 4px #3b82f6' : 'none' }}
>
{accountToEdit?.color === color && (
<Check className="h-4 w-4 text-white" />
)}
</label>
</div>
))}
</div>
</div>
<div className="flex justify-end gap-2 mt-6">
<Button
type="button"
className="bg-red-500 hover:bg-red-600 text-white"
onClick={() => setShowEditModal(false)}
>
Cancel
</Button>
<Button
type="submit"
className="bg-blue-500 hover:bg-blue-600 text-white"
disabled={editLoading}
>
{editLoading ? <Loader2 className="h-4 w-4 animate-spin mr-2" /> : null}
Save Changes
</Button>
</div>
</form>
</DialogContent>