blob: 5779a7c55e0da816e5dd8eb105f7211078379c28 [file] [log] [blame]
<!--
Licensed to the Apache Software Foundation (ASF) under one
or more contributor license agreements. See the NOTICE file
distributed with this work for additional information
regarding copyright ownership. The ASF licenses this file
to you under the Apache License, Version 2.0 (the
"License"); you may not use this file except in compliance
with the License. You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing,
software distributed under the License is distributed on an
"AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
KIND, either express or implied. See the License for the
specific language governing permissions and limitations
under the License.
-->
<script lang="ts">
import type { CloseModalFn } from '$lib/types/utilTypes';
import type { TopicDetails } from '$lib/domain/TopicDetails';
import { z } from 'zod';
import Button from '../Button.svelte';
import Icon from '../Icon.svelte';
import Input from '../Input.svelte';
import ModalBase from './ModalBase.svelte';
import { setError, superForm, defaults } from 'sveltekit-superforms/client';
import { zod4 } from 'sveltekit-superforms/adapters';
import { fetchRouteApi } from '$lib/api/fetchRouteApi';
import { goto } from '$app/navigation';
import { resolve } from '$app/paths';
import { showToast } from '../AppToasts.svelte';
import ModalConfirmation from '../ModalConfirmation.svelte';
import { browser } from '$app/environment';
import { customInvalidateAll } from '../PeriodicInvalidator.svelte';
import { numberSizes } from '$lib/utils/constants/numberSizes';
import { page } from '$app/state';
import { durationFormatter } from '$lib/utils/formatters/durationFormatter';
interface Props {
topic: TopicDetails;
closeModal: CloseModalFn;
onDeleteRedirectPath: string;
}
let { topic, closeModal, onDeleteRedirectPath }: Props = $props();
let confirmationOpen = $state(false);
const schema = z.object({
name: z
.string()
.min(1, 'Name must contain at least 1 character')
.max(255, 'Name must not exceed 255 characters')
.default(topic.name),
message_expiry: z.number().min(0).max(numberSizes.max.u32).default(topic.messageExpiry)
});
const { form, errors, enhance, constraints, submitting, tainted } = superForm(
defaults(zod4(schema)),
{
SPA: true,
validators: zod4(schema),
invalidateAll: false,
taintedMessage: false,
async onUpdate({ form }) {
if (!form.valid) return;
if (!page.params.streamId) return;
const { data, ok } = await fetchRouteApi({
method: 'PUT',
path: `/streams/${+page.params.streamId}/topics/${topic.id}`,
body: {
name: form.data.name,
message_expiry: form.data.message_expiry,
compression_algorithm: topic.compressionAlgorithm,
max_topic_size: 0
}
});
if (!ok) {
// Handle API errors
if (data?.field && data?.reason) {
// Field-specific error - show in form
return setError(form, data.field, data.reason);
} else if (data?.reason) {
// General error with reason - show toast
let errorMessage = data.reason;
if (data.code && data.id) {
errorMessage += `\n${data.code} (${data.id})`;
} else if (data.code) {
errorMessage += `\n${data.code}`;
}
showToast({
type: 'error',
description: errorMessage,
duration: 5000
});
} else {
// Fallback error message
showToast({
type: 'error',
description: 'Operation failed',
duration: 5000
});
}
return;
}
// Success
if (ok) {
closeModal(async () => {
await customInvalidateAll();
showToast({
type: 'success',
description: `Stream ${form.data.name} has been updated.`,
duration: 3500
});
});
}
}
}
);
const onConfirmationResult = async (e: any) => {
const result = e.detail as boolean;
confirmationOpen = false;
if (result) {
const { ok } = await fetchRouteApi({
method: 'DELETE',
path: `/streams/${+(page.params.streamId || '')}/topics/${topic.id}`
});
if (ok) {
closeModal(async () => {
if (!browser) return;
await goto(resolve(onDeleteRedirectPath));
await customInvalidateAll();
showToast({
type: 'success',
description: `Topic ${topic.name} has been deleted.`,
duration: 3500
});
});
}
}
};
</script>
<ModalBase {closeModal} title="Topic settings">
<ModalConfirmation
open={confirmationOpen}
retypeText={topic.name}
deleteButtonTitle="Delete Topic"
on:result={onConfirmationResult}
>
{#snippet message()}
Deleting the topic "<span class="font-semibold">{topic.name}</span>" will permenently remove
all associated <span class="font-semibold">partitions ({topic.partitionsCount})</span> and
<span class="font-semibold">messages ({topic.messagesCount})</span>.
{/snippet}
</ModalConfirmation>
<div class="h-[400px] flex flex-col">
<form method="POST" class="flex flex-col gap-4 flex-3 pb-5" use:enhance>
<Input name="name" label="Name" bind:value={$form.name} errorMessage={$errors.name?.[0]} />
<Input
label="Message expiry"
type="number"
name="messageExpiry"
bind:value={$form.message_expiry}
{...$constraints.message_expiry}
errorMessage={$errors.message_expiry?.[0]}
/>
<span class="-mt-1 text-xs text-shade-d200 dark:text-shade-l700">
{#if !$form.message_expiry || $form.message_expiry > numberSizes.max.u32}
{#if $form.message_expiry === 0}
never
{/if}
{:else}
{durationFormatter(+$form.message_expiry)}
{/if}
</span>
<div class="flex justify-end gap-3 w-full mt-auto">
<Button type="button" variant="text" class="w-2/5" onclick={() => closeModal()}
>Cancel</Button
>
<Button type="submit" variant="contained" class="w-2/5" disabled={$submitting || !$tainted}
>Update</Button
>
</div>
</form>
<div class="relative w-full flex-1">
<div class="h-px border-b absolute -left-7 -right-7"></div>
<h2 class="text-xl text-color font-semibold mb-7 mt-5">Delete topic</h2>
<form class="w-full">
<div class="flex text-color text-sm justify-between items-center mt-3">
<span>Make sure it's safe operation</span>
<Button
variant="containedRed"
class="max-h-[36px]"
onclick={() => (confirmationOpen = true)}
>
<Icon name="trash" class="w-[20px] -ml-1" />
Delete</Button
>
</div>
</form>
</div>
</div>
</ModalBase>