(
+ function open(
+ Component: DialogComponent
,
+ payload: P,
+ options: OpenDialogOptions = {},
+ ) {
+ const { onClose = async () => {} } = options;
+ let resolve: ((result: R) => void) | undefined;
+ const promise = new Promise((resolveImpl) => {
+ resolve = resolveImpl;
+ });
+
+ if (!resolve) {
+ throw new Error("resolve not set");
+ }
+
+ const key = `${keyPrefix}-${nextId.current}`;
+
+ nextId.current += 1;
+
+ const newEntry: DialogStackEntry = {
+ key,
+ open: true,
+ promise,
+ Component,
+ payload,
+ onClose,
+ resolve,
+ msgProps: { count: options.count, mode: options.mode },
+ };
+
+ setStack((prevStack) => [...prevStack, newEntry]);
+
+ return promise;
+ },
+ [keyPrefix],
+ );
+ const closeDialogUi = useCallback(
+ function closeDialogUi(dialog: Promise) {
+ setStack((prevStack) =>
+ prevStack.map((entry) =>
+ entry.promise === dialog ? { ...entry, open: false } : entry,
+ ),
+ );
+ setTimeout(() => {
+ // wait for closing animation
+ setStack((prevStack) =>
+ prevStack.filter((entry) => entry.promise !== dialog),
+ );
+ }, unmountAfter);
+ },
+ [unmountAfter],
+ );
+ const closeDialog = useCallback(
+ async function closeDialog(dialog: Promise, result: R) {
+ const entryToClose = stack.find((entry) => entry.promise === dialog);
+
+ if (!entryToClose) {
+ throw new Error("dialog not found");
+ }
+
+ await entryToClose.onClose(result);
+ entryToClose.resolve(result);
+ closeDialogUi(dialog);
+
+ return dialog;
+ },
+ [stack, closeDialogUi],
+ );
+ const contextValue = useMemo(
+ () => ({
+ open: requestDialog,
+ close: closeDialog,
+ }),
+ [requestDialog, closeDialog],
+ );
+
+ return (
+
+ {children}
+ {stack.map(({ key, open, Component, payload, promise, msgProps }) => (
+ {
+ await closeDialog(promise, result);
+ }}
+ {...msgProps}
+ />
+ ))}
+
+ );
+}
+
+export { DialogsProvider };
diff --git a/frontend/src/hooks/useDialogs.ts b/frontend/src/hooks/useDialogs.ts
new file mode 100644
index 00000000..4b6ef29c
--- /dev/null
+++ b/frontend/src/hooks/useDialogs.ts
@@ -0,0 +1,58 @@
+/*
+ * Copyright © 2025 Hexastack. All rights reserved.
+ *
+ * Licensed under the GNU Affero General Public License v3.0 (AGPLv3) with the following additional terms:
+ * 1. The name "Hexabot" is a trademark of Hexastack. You may not use this name in derivative works without express written permission.
+ * 2. All derivative works must include clear attribution to the original creator and software, Hexastack and Hexabot, in a prominent location (e.g., in the software's "About" section, documentation, and README file).
+ */
+
+import React, { useContext } from "react";
+
+import { ConfirmDialog } from "@/app-components/dialogs";
+import { DialogsContext } from "@/contexts/dialogs.context";
+import {
+ CloseDialog,
+ OpenConfirmDialog,
+ OpenDialog,
+} from "@/types/common/dialogs.types";
+
+export interface DialogHook {
+ open: OpenDialog;
+ close: CloseDialog;
+ confirm: OpenConfirmDialog;
+}
+
+export const useDialogs = (): DialogHook => {
+ const context = useContext(DialogsContext);
+
+ if (!context) {
+ throw new Error("useDialogs must be used within a DialogsProvider");
+ }
+
+ const { open, close } = context;
+ const confirm = React.useCallback(
+ async (msg, { onClose, ...options } = {}) => {
+ const { count, mode, ...rest } = options;
+
+ return open(
+ ConfirmDialog,
+ {
+ ...rest,
+ msg: React.createElement(msg),
+ },
+ {
+ mode,
+ count,
+ onClose,
+ },
+ );
+ },
+ [open],
+ );
+
+ return {
+ open,
+ close,
+ confirm,
+ };
+};
diff --git a/frontend/src/pages/_app.tsx b/frontend/src/pages/_app.tsx
index 583f91f1..fcff228c 100644
--- a/frontend/src/pages/_app.tsx
+++ b/frontend/src/pages/_app.tsx
@@ -21,6 +21,7 @@ import { ApiClientProvider } from "@/contexts/apiClient.context";
import { AuthProvider } from "@/contexts/auth.context";
import BroadcastChannelProvider from "@/contexts/broadcast-channel.context";
import { ConfigProvider } from "@/contexts/config.context";
+import { DialogsProvider } from "@/contexts/dialogs.context";
import { PermissionProvider } from "@/contexts/permission.context";
import { SettingsProvider } from "@/contexts/setting.context";
import { ToastProvider } from "@/hooks/useToast";
@@ -73,33 +74,37 @@ const App = ({ Component, pageProps }: TAppPropsWithLayout) => {
- (
-
- )}
- >
-
-
-
-
-
-
-
-
-
- {getLayout()}
-
-
-
-
-
-
-
-
-
-
+
+ (
+
+ )}
+ >
+
+
+
+
+
+
+
+
+
+
+ {getLayout()}
+
+
+
+
+
+
+
+
+
+
+
+
diff --git a/frontend/src/types/common/dialogs.types.ts b/frontend/src/types/common/dialogs.types.ts
new file mode 100644
index 00000000..9c884f15
--- /dev/null
+++ b/frontend/src/types/common/dialogs.types.ts
@@ -0,0 +1,165 @@
+/*
+ * Copyright © 2025 Hexastack. All rights reserved.
+ *
+ * Licensed under the GNU Affero General Public License v3.0 (AGPLv3) with the following additional terms:
+ * 1. The name "Hexabot" is a trademark of Hexastack. You may not use this name in derivative works without express written permission.
+ * 2. All derivative works must include clear attribution to the original creator and software, Hexastack and Hexabot, in a prominent location (e.g., in the software's "About" section, documentation, and README file).
+ */
+
+import { DialogProps as MuiDialogProps } from "@mui/material";
+import { BaseSyntheticEvent } from "react";
+
+interface ConfirmDialogExtraOptions {
+ mode?: "click" | "selection";
+ count?: number;
+}
+// context
+export interface OpenDialogOptions extends ConfirmDialogExtraOptions {
+ /**
+ * A function that is called before closing the dialog closes. The dialog
+ * stays open as long as the returned promise is not resolved. Use this if
+ * you want to perform an async action on close and show a loading state.
+ *
+ * @param result The result that the dialog will return after closing.
+ * @returns A promise that resolves when the dialog can be closed.
+ */
+ onClose?: (result: R) => Promise;
+}
+
+/**
+ * The props that are passed to a dialog component.
+ */
+export interface DialogProps {
+ /**
+ * The payload that was passed when the dialog was opened.
+ */
+ payload: P;
+ /**
+ * Whether the dialog is open.
+ */
+ open: boolean;
+ /**
+ * A function to call when the dialog should be closed. If the dialog has a return
+ * value, it should be passed as an argument to this function. You should use the promise
+ * that is returned to show a loading state while the dialog is performing async actions
+ * on close.
+ * @param result The result to return from the dialog.
+ * @returns A promise that resolves when the dialog can be fully closed.
+ */
+ onClose: (result: R) => Promise;
+}
+
+export type DialogComponent = React.ComponentType>;
+
+export interface OpenDialog {
+ /**
+ * Open a dialog without payload.
+ * @param Component The dialog component to open.
+ * @param options Additional options for the dialog.
+ */
+ (
+ Component: DialogComponent
,
+ payload?: P,
+ options?: OpenDialogOptions,
+ ): Promise;
+ /**
+ * Open a dialog and pass a payload.
+ * @param Component The dialog component to open.
+ * @param payload The payload to pass to the dialog.
+ * @param options Additional options for the dialog.
+ */
+ (
+ Component: DialogComponent
,
+ payload: P,
+ options?: OpenDialogOptions,
+ ): Promise;
+}
+
+export interface CloseDialog {
+ /**
+ * Close a dialog and return a result.
+ * @param dialog The dialog to close. The promise returned by `open`.
+ * @param result The result to return from the dialog.
+ * @returns A promise that resolves when the dialog is fully closed.
+ */
+ (dialog: Promise, result: R): Promise;
+}
+
+export interface ConfirmOptions extends OpenDialogOptions {
+ /**
+ * A title for the dialog. Defaults to `'Confirm'`.
+ */
+ title?: React.ReactNode;
+ /**
+ * The text to show in the "Ok" button. Defaults to `'Ok'`.
+ */
+ okText?: React.ReactNode;
+ /**
+ * Denotes the purpose of the dialog. This will affect the color of the
+ * "Ok" button. Defaults to `undefined`.
+ */
+ severity?: "error" | "info" | "success" | "warning";
+ /**
+ * The text to show in the "Cancel" button. Defaults to `'Cancel'`.
+ */
+ cancelText?: React.ReactNode;
+}
+
+export interface OpenConfirmDialog {
+ /**
+ * Open a confirmation dialog. Returns a promise that resolves to true if
+ * the user confirms, false if the user cancels.
+ *
+ * @param msg The message to show in the dialog.
+ * @param options Additional options for the dialog.
+ * @returns A promise that resolves to true if the user confirms, false if the user cancels.
+ */
+ (msg: React.ComponentType, options?: ConfirmOptions): Promise;
+}
+
+export interface DialogHook {
+ // alert: OpenAlertDialog;
+ confirm: OpenConfirmDialog;
+ // prompt: OpenPromptDialog;
+ open: OpenDialog;
+ close: CloseDialog;
+}
+
+export interface DialogStackEntry {
+ key: string;
+ open: boolean;
+ promise: Promise;
+ Component: DialogComponent;
+ payload: P;
+ onClose: (result: R) => Promise;
+ resolve: (result: R) => void;
+ msgProps: ConfirmDialogExtraOptions;
+}
+
+export interface DialogProviderProps {
+ children?: React.ReactNode;
+ unmountAfter?: number;
+}
+
+// form dialog
+export interface FormDialogProps extends MuiDialogProps {
+ title?: string;
+ children?: React.ReactNode;
+ onSubmit: (e: BaseSyntheticEvent) => void;
+}
+
+// form
+export type ComponentFormProps = {
+ data: T | null;
+ onError?: () => void;
+ onSuccess?: () => void;
+ Wrapper?: React.FC;
+ WrapperProps?: Partial;
+};
+
+export interface FormButtonsProps {
+ onCancel?: () => void;
+ onSubmit: (e: BaseSyntheticEvent) => void;
+}
+
+export type ComponentFormDialogProps = DialogProps;
diff --git a/widget/src/UiChatWidget.tsx b/widget/src/UiChatWidget.tsx
index 9dab8432..32290344 100644
--- a/widget/src/UiChatWidget.tsx
+++ b/widget/src/UiChatWidget.tsx
@@ -1,11 +1,12 @@
/*
- * Copyright © 2024 Hexastack. All rights reserved.
+ * Copyright © 2025 Hexastack. All rights reserved.
*
* Licensed under the GNU Affero General Public License v3.0 (AGPLv3) with the following additional terms:
* 1. The name "Hexabot" is a trademark of Hexastack. You may not use this name in derivative works without express written permission.
* 2. All derivative works must include clear attribution to the original creator and software, Hexastack and Hexabot, in a prominent location (e.g., in the software's "About" section, documentation, and README file).
*/
+
import { PropsWithChildren } from "react";
import Launcher from "./components/Launcher";