Files
dockhand/routes/settings/notifications/NotificationModal.svelte
Jarek Krochmalski 62e3c6439e Initial commit
2025-12-28 21:16:03 +01:00

480 lines
16 KiB
Svelte

<script lang="ts">
import { Button } from '$lib/components/ui/button';
import * as Dialog from '$lib/components/ui/dialog';
import * as Select from '$lib/components/ui/select';
import { Label } from '$lib/components/ui/label';
import { Input } from '$lib/components/ui/input';
import { Badge } from '$lib/components/ui/badge';
import { TogglePill } from '$lib/components/ui/toggle-pill';
import { Checkbox } from '$lib/components/ui/checkbox';
import { Plus, Check, RefreshCw, Mail, Zap, Info, Send, CheckCircle2, XCircle, Key, ChevronDown } from 'lucide-svelte';
import { toast } from 'svelte-sonner';
import { focusFirstInput } from '$lib/utils';
// System-only events (configured at channel level, not per-environment)
const SYSTEM_EVENTS = [
{ id: 'license_expiring', label: 'License expiring', description: 'Enterprise license expiring soon' }
] as const;
export interface NotificationSetting {
id: number;
name: string;
type: 'smtp' | 'apprise';
enabled: boolean;
config: Record<string, any>;
eventTypes: string[];
created_at: string;
}
interface Props {
open: boolean;
notification?: NotificationSetting | null;
onClose: () => void;
onSaved: () => void;
}
let { open = $bindable(), notification = null, onClose, onSaved }: Props = $props();
const isEditing = $derived(notification !== null);
// Form state
let formType = $state<'smtp' | 'apprise'>('smtp');
let formName = $state('');
let formEnabled = $state(true);
// SMTP specific
let formSmtpHost = $state('');
let formSmtpPort = $state(587);
let formSmtpSecure = $state(false);
let formSmtpUsername = $state('');
let formSmtpPassword = $state('');
let formSmtpFromEmail = $state('');
let formSmtpFromName = $state('');
let formSmtpToEmails = $state('');
// Apprise specific
let formAppriseUrls = $state('');
// System events
let formSystemEvents = $state<string[]>([]);
let showSystemEvents = $state(false);
let formError = $state('');
let formSaving = $state(false);
let formTesting = $state(false);
let testResult = $state<'idle' | 'success' | 'error'>('idle');
let initializedForId = $state<number | null>(null);
function resetForm() {
formType = 'smtp';
formName = '';
formEnabled = true;
formSmtpHost = '';
formSmtpPort = 587;
formSmtpSecure = false;
formSmtpUsername = '';
formSmtpPassword = '';
formSmtpFromEmail = '';
formSmtpFromName = '';
formSmtpToEmails = '';
formAppriseUrls = '';
formSystemEvents = [];
showSystemEvents = false;
formError = '';
formSaving = false;
formTesting = false;
testResult = 'idle';
}
// Initialize form when notification changes or modal opens
$effect(() => {
if (open) {
if (notification) {
// Only initialize if this is a different notification than before
if (initializedForId === notification.id) return;
initializedForId = notification.id;
formType = notification.type;
formName = notification.name;
formEnabled = notification.enabled;
if (notification.type === 'smtp') {
formSmtpHost = notification.config.host || '';
formSmtpPort = notification.config.port || 587;
formSmtpSecure = notification.config.secure || false;
formSmtpUsername = notification.config.username || '';
formSmtpPassword = '';
formSmtpFromEmail = notification.config.from_email || '';
formSmtpFromName = notification.config.from_name || '';
formSmtpToEmails = notification.config.to_emails?.join(', ') || '';
} else {
formAppriseUrls = notification.config.urls?.join('\n') || '';
}
// Load system events (filter to only system-scoped events)
const systemEventIds = SYSTEM_EVENTS.map(e => e.id);
formSystemEvents = (notification.eventTypes || []).filter(e => systemEventIds.includes(e as typeof SYSTEM_EVENTS[number]['id']));
showSystemEvents = formSystemEvents.length > 0;
formError = '';
formSaving = false;
} else {
// New notification - only reset if we haven't already
if (initializedForId !== -1) {
initializedForId = -1; // Use -1 to mark "new notification" mode
resetForm();
}
}
} else {
// Modal closed - reset the guard so next open will initialize
initializedForId = null;
}
});
function getFormConfig() {
if (formType === 'smtp') {
return {
host: formSmtpHost.trim(),
port: formSmtpPort,
secure: formSmtpSecure,
username: formSmtpUsername.trim() || undefined,
password: formSmtpPassword || undefined,
from_email: formSmtpFromEmail.trim(),
from_name: formSmtpFromName.trim() || undefined,
to_emails: formSmtpToEmails.split(',').map(e => e.trim()).filter(Boolean)
};
} else {
return {
urls: formAppriseUrls.split('\n').map(u => u.trim()).filter(Boolean)
};
}
}
function validateConfig(): string | null {
const config = getFormConfig();
if (formType === 'smtp') {
if (!config.host || !config.from_email || !config.to_emails?.length) {
return 'Host, from email, and at least one recipient are required';
}
} else {
if (!config.urls?.length) {
return 'At least one Apprise URL is required';
}
}
return null;
}
async function testConfig() {
const validationError = validateConfig();
if (validationError) {
formError = validationError;
return;
}
formTesting = true;
formError = '';
testResult = 'idle';
try {
const config = getFormConfig();
// For editing, if password is empty, we can't test without the original password
if (isEditing && formType === 'smtp' && !formSmtpPassword && notification?.config?.username) {
formError = 'Please enter the password to test the connection';
formTesting = false;
return;
}
const response = await fetch('/api/notifications/test', {
method: 'POST',
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify({
type: formType,
name: formName.trim() || 'Test',
config
})
});
const data = await response.json();
if (data.success) {
testResult = 'success';
toast.success('Test notification sent successfully');
setTimeout(() => { testResult = 'idle'; }, 3000);
} else {
testResult = 'error';
formError = data.error || 'Failed to send test notification';
setTimeout(() => { testResult = 'idle'; }, 3000);
}
} catch {
testResult = 'error';
formError = 'Failed to test notification';
setTimeout(() => { testResult = 'idle'; }, 3000);
} finally {
formTesting = false;
}
}
async function save() {
if (!formName.trim()) {
formError = 'Name is required';
return;
}
const config = getFormConfig();
if (formType === 'smtp') {
if (!config.host || !config.from_email || !config.to_emails?.length) {
formError = 'Host, from email, and at least one recipient are required';
return;
}
} else {
if (!config.urls?.length) {
formError = 'At least one Apprise URL is required';
return;
}
}
formSaving = true;
formError = '';
try {
const url = isEditing ? `/api/notifications/${notification!.id}` : '/api/notifications';
const method = isEditing ? 'PUT' : 'POST';
const body: Record<string, any> = {
name: formName.trim(),
enabled: formEnabled,
config,
eventTypes: formSystemEvents
};
// Only include type for new notifications
if (!isEditing) {
body.type = formType;
}
const response = await fetch(url, {
method,
headers: { 'Content-Type': 'application/json' },
body: JSON.stringify(body)
});
if (response.ok) {
open = false;
onSaved();
} else {
const data = await response.json();
formError = data.error || `Failed to ${isEditing ? 'update' : 'create'} notification`;
}
} catch {
formError = `Failed to ${isEditing ? 'update' : 'create'} notification`;
} finally {
formSaving = false;
}
}
function handleClose() {
open = false;
onClose();
}
function toggleSystemEvent(eventId: string, checked: boolean) {
if (checked) {
formSystemEvents = [...formSystemEvents, eventId];
} else {
formSystemEvents = formSystemEvents.filter(e => e !== eventId);
}
}
</script>
<Dialog.Root bind:open onOpenChange={(o) => { if (o) { formError = ''; focusFirstInput(); } }}>
<Dialog.Content class="max-w-3xl max-h-[90vh] overflow-y-auto">
<Dialog.Header>
<Dialog.Title>{isEditing ? 'Edit' : 'Add'} notification channel</Dialog.Title>
</Dialog.Header>
<div class="space-y-4">
{#if formError}
<div class="text-sm text-red-600 dark:text-red-400">{formError}</div>
{/if}
<div class="grid grid-cols-2 gap-4">
<div class="space-y-2">
<Label for="notif-name">Name *</Label>
<Input id="notif-name" bind:value={formName} placeholder="My notification channel" />
</div>
<div class="space-y-2">
<Label>Type</Label>
{#if isEditing}
<Badge variant="secondary" class="h-9 flex items-center justify-center">
{formType === 'smtp' ? 'SMTP (Email)' : 'Apprise (Webhooks)'}
</Badge>
{:else}
<Select.Root
type="single"
value={formType}
onValueChange={(v) => formType = v as 'smtp' | 'apprise'}
>
<Select.Trigger class="w-full">
<span class="flex items-center gap-2">
{#if formType === 'smtp'}
<Mail class="w-4 h-4" />SMTP (Email)
{:else}
<Zap class="w-4 h-4" />Apprise (Webhooks)
{/if}
</span>
</Select.Trigger>
<Select.Content>
<Select.Item value="smtp">
<span class="flex items-center gap-2"><Mail class="w-4 h-4" />SMTP (Email)</span>
</Select.Item>
<Select.Item value="apprise">
<span class="flex items-center gap-2"><Zap class="w-4 h-4" />Apprise (Webhooks)</span>
</Select.Item>
</Select.Content>
</Select.Root>
{/if}
</div>
</div>
<div class="flex items-center gap-2">
<Label>Status</Label>
<TogglePill bind:checked={formEnabled} onLabel="Enabled" offLabel="Disabled" />
</div>
{#if formType === 'smtp'}
<div class="space-y-4 border-t pt-4 min-h-[380px]">
<p class="text-xs font-semibold uppercase tracking-wider text-muted-foreground">SMTP configuration</p>
<div class="grid grid-cols-3 gap-4">
<div class="space-y-2 col-span-2">
<Label for="notif-smtp-host">SMTP host *</Label>
<Input id="notif-smtp-host" bind:value={formSmtpHost} placeholder="smtp.gmail.com" />
</div>
<div class="space-y-2">
<Label for="notif-smtp-port">Port *</Label>
<Input id="notif-smtp-port" type="number" bind:value={formSmtpPort} />
</div>
</div>
<div class="flex items-center gap-2">
<Label>TLS/SSL</Label>
<TogglePill bind:checked={formSmtpSecure} onLabel="Yes" offLabel="No" />
</div>
<div class="grid grid-cols-2 gap-4">
<div class="space-y-2">
<Label for="notif-smtp-username">Username</Label>
<Input id="notif-smtp-username" bind:value={formSmtpUsername} placeholder="user@example.com" />
</div>
<div class="space-y-2">
<Label for="notif-smtp-password">Password</Label>
<Input id="notif-smtp-password" type="password" bind:value={formSmtpPassword} placeholder={isEditing ? 'Leave blank to keep existing' : 'App password or token'} />
</div>
</div>
<div class="grid grid-cols-2 gap-4">
<div class="space-y-2">
<Label for="notif-smtp-from-email">From email *</Label>
<Input id="notif-smtp-from-email" bind:value={formSmtpFromEmail} placeholder="alerts@example.com" />
</div>
<div class="space-y-2">
<Label for="notif-smtp-from-name">From name</Label>
<Input id="notif-smtp-from-name" bind:value={formSmtpFromName} placeholder="Dockhand Alerts" />
</div>
</div>
<div class="space-y-2">
<Label for="notif-smtp-to">Recipients * (comma-separated)</Label>
<Input id="notif-smtp-to" bind:value={formSmtpToEmails} placeholder="admin@example.com, ops@example.com" />
</div>
</div>
{:else}
<div class="space-y-4 border-t pt-4 min-h-[380px]">
<p class="text-xs font-semibold uppercase tracking-wider text-muted-foreground">Apprise configuration</p>
<div class="space-y-2">
<Label for="notif-apprise-urls">Apprise URLs * (one per line)</Label>
<textarea
id="notif-apprise-urls"
bind:value={formAppriseUrls}
placeholder="gotify://hostname/app-token
discord://webhook_id/webhook_token
slack://token_a/token_b/token_c
tgram://bot_token/chat_id
ntfy://my-topic
pushover://user_key/api_token
jsons://hostname/webhook/path"
class="flex min-h-[220px] w-full rounded-md border border-input bg-transparent px-3 py-2 text-sm shadow-sm placeholder:text-muted-foreground focus-visible:outline-none focus-visible:ring-1 focus-visible:ring-ring"
></textarea>
<p class="text-xs text-muted-foreground">
Supports Gotify (gotify:// or gotifys:// for HTTPS), Discord, Slack, Telegram, ntfy, Pushover, and generic JSON webhooks.
</p>
</div>
</div>
{/if}
<!-- System events configuration -->
<div class="border-t pt-4">
<button
type="button"
class="w-full flex items-center justify-between text-left"
onclick={() => showSystemEvents = !showSystemEvents}
>
<div class="flex items-center gap-2">
<Key class="w-4 h-4 text-muted-foreground" />
<span class="text-xs font-semibold uppercase tracking-wider text-muted-foreground">Global system events</span>
</div>
<ChevronDown class="w-4 h-4 text-muted-foreground transition-transform {showSystemEvents ? 'rotate-180' : ''}" />
</button>
{#if showSystemEvents}
<div class="mt-3 space-y-2">
<p class="text-xs text-muted-foreground mb-3">
These events are not tied to specific environments and are configured globally here.
</p>
{#each SYSTEM_EVENTS as event}
<label class="flex items-start gap-3 p-2 rounded hover:bg-muted/50 cursor-pointer">
<Checkbox
checked={formSystemEvents.includes(event.id)}
onCheckedChange={(checked) => toggleSystemEvent(event.id, !!checked)}
/>
<div class="flex-1 min-w-0">
<span class="text-sm font-medium">{event.label}</span>
<p class="text-xs text-muted-foreground">{event.description}</p>
</div>
</label>
{/each}
</div>
{/if}
</div>
<!-- Info about per-env config -->
<div class="border-t pt-4">
<div class="text-xs text-muted-foreground bg-muted/50 rounded-md p-3 flex items-start gap-2">
<Info class="w-4 h-4 mt-0.5 shrink-0" />
<span>Environment-specific events (containers, stacks, auto-updates) are configured in each environment's settings.</span>
</div>
</div>
</div>
<Dialog.Footer class="flex justify-between sm:justify-between">
<Button variant="outline" onclick={testConfig} disabled={formTesting || formSaving}>
{#if formTesting}
<RefreshCw class="w-4 h-4 mr-1 animate-spin" />
Testing...
{:else if testResult === 'success'}
<CheckCircle2 class="w-4 h-4 mr-1 text-green-500" />
Sent!
{:else if testResult === 'error'}
<XCircle class="w-4 h-4 mr-1 text-destructive" />
Failed
{:else}
<Send class="w-4 h-4 mr-1" />
Test
{/if}
</Button>
<div class="flex gap-2">
<Button variant="outline" onclick={handleClose}>Cancel</Button>
<Button onclick={save} disabled={formSaving || formTesting}>
{#if formSaving}
<RefreshCw class="w-4 h-4 mr-1 animate-spin" />
{:else if isEditing}
<Check class="w-4 h-4 mr-1" />
{:else}
<Plus class="w-4 h-4 mr-1" />
{/if}
{isEditing ? 'Save' : 'Add'}
</Button>
</div>
</Dialog.Footer>
</Dialog.Content>
</Dialog.Root>