"use client"; import ConfirmDeleteDialog from "@app/components/ConfirmDeleteDialog"; import AuthPageSettings, { AuthPageSettingsRef } from "@app/components/private/AuthPageSettings"; import { Button } from "@app/components/ui/button"; import { useOrgContext } from "@app/hooks/useOrgContext"; import { userOrgUserContext } from "@app/hooks/useOrgUserContext"; import { toast } from "@app/hooks/useToast"; import { useState, useRef } from "react"; import { Form, FormControl, FormDescription, FormField, FormItem, FormLabel, FormMessage } from "@/components/ui/form"; import { Input } from "@/components/ui/input"; import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue } from "@/components/ui/select"; import { z } from "zod"; import { useForm } from "react-hook-form"; import { zodResolver } from "@hookform/resolvers/zod"; import { createApiClient } from "@app/lib/api"; import { useEnvContext } from "@app/hooks/useEnvContext"; import { formatAxiosError } from "@app/lib/api"; import { AxiosResponse } from "axios"; import { DeleteOrgResponse, ListUserOrgsResponse } from "@server/routers/org"; import { useRouter } from "next/navigation"; import { SettingsContainer, SettingsSection, SettingsSectionHeader, SettingsSectionTitle, SettingsSectionDescription, SettingsSectionBody, SettingsSectionForm, SettingsSectionFooter } from "@app/components/Settings"; import { useUserContext } from "@app/hooks/useUserContext"; import { useTranslations } from "next-intl"; import { build } from "@server/build"; import { SwitchInput } from "@app/components/SwitchInput"; import { useLicenseStatusContext } from "@app/hooks/useLicenseStatusContext"; import { useSubscriptionStatusContext } from "@app/hooks/useSubscriptionStatusContext"; import { Badge } from "@app/components/ui/badge"; // Session length options in hours const SESSION_LENGTH_OPTIONS = [ { value: null, label: "Unenforced" }, { value: 72, label: "3 days" }, // 3 * 24 = 72 hours { value: 168, label: "7 days" }, // 7 * 24 = 168 hours { value: 336, label: "14 days" }, // 14 * 24 = 336 hours { value: 720, label: "30 days" }, // 30 * 24 = 720 hours { value: 2160, label: "90 days" }, // 90 * 24 = 2160 hours { value: 4320, label: "180 days" } // 180 * 24 = 4320 hours ]; // Password expiry options in days - will be translated in component const PASSWORD_EXPIRY_OPTIONS = [ { value: null, labelKey: "neverExpire" }, { value: 30, labelKey: "30Days" }, { value: 60, labelKey: "60Days" }, { value: 90, labelKey: "90Days" }, { value: 180, labelKey: "180Days" }, { value: 365, labelKey: "1Year" } ]; // Schema for general organization settings const GeneralFormSchema = z.object({ name: z.string(), subnet: z.string().optional(), requireTwoFactor: z.boolean().optional(), maxSessionLengthHours: z.number().nullable().optional(), passwordExpiryDays: z.number().nullable().optional() }); type GeneralFormValues = z.infer; export default function GeneralPage() { const [isDeleteModalOpen, setIsDeleteModalOpen] = useState(false); const { orgUser } = userOrgUserContext(); const router = useRouter(); const { org } = useOrgContext(); const api = createApiClient(useEnvContext()); const { user } = useUserContext(); const t = useTranslations(); const { env } = useEnvContext(); const { licenseStatus, isUnlocked } = useLicenseStatusContext(); const subscriptionStatus = useSubscriptionStatusContext(); // Check if security features are disabled due to licensing/subscription const isSecurityFeatureDisabled = () => { const isEnterpriseNotLicensed = build === "enterprise" && !isUnlocked(); const isSaasNotSubscribed = build === "saas" && !subscriptionStatus?.isSubscribed(); return isEnterpriseNotLicensed || isSaasNotSubscribed; }; const [loadingDelete, setLoadingDelete] = useState(false); const [loadingSave, setLoadingSave] = useState(false); const authPageSettingsRef = useRef(null); const form = useForm({ resolver: zodResolver(GeneralFormSchema), defaultValues: { name: org?.org.name, subnet: org?.org.subnet || "", // Add default value for subnet requireTwoFactor: org?.org.requireTwoFactor || false, maxSessionLengthHours: org?.org.maxSessionLengthHours || null, passwordExpiryDays: org?.org.passwordExpiryDays || null }, mode: "onChange" }); async function deleteOrg() { setLoadingDelete(true); try { const res = await api.delete>( `/org/${org?.org.orgId}` ); toast({ title: t("orgDeleted"), description: t("orgDeletedMessage") }); if (res.status === 200) { pickNewOrgAndNavigate(); } } catch (err) { console.error(err); toast({ variant: "destructive", title: t("orgErrorDelete"), description: formatAxiosError(err, t("orgErrorDeleteMessage")) }); } finally { setLoadingDelete(false); } } async function pickNewOrgAndNavigate() { try { const res = await api.get>( `/user/${user.userId}/orgs` ); if (res.status === 200) { if (res.data.data.orgs.length > 0) { const orgId = res.data.data.orgs[0].orgId; // go to `/${orgId}/settings`); router.push(`/${orgId}/settings`); } else { // go to `/setup` router.push("/setup"); } } } catch (err) { console.error(err); toast({ variant: "destructive", title: t("orgErrorFetch"), description: formatAxiosError(err, t("orgErrorFetchMessage")) }); } } async function onSubmit(data: GeneralFormValues) { setLoadingSave(true); try { const reqData = { name: data.name } as any; if (build !== "oss") { reqData.requireTwoFactor = data.requireTwoFactor || false; reqData.maxSessionLengthHours = data.maxSessionLengthHours; reqData.passwordExpiryDays = data.passwordExpiryDays; } // Update organization await api.post(`/org/${org?.org.orgId}`, reqData); // Also save auth page settings if they have unsaved changes if ( build === "saas" && authPageSettingsRef.current?.hasUnsavedChanges() ) { await authPageSettingsRef.current.saveAuthSettings(); } toast({ title: t("orgUpdated"), description: t("orgUpdatedDescription") }); router.refresh(); } catch (e) { toast({ variant: "destructive", title: t("orgErrorUpdate"), description: formatAxiosError(e, t("orgErrorUpdateMessage")) }); } finally { setLoadingSave(false); } } return ( { setIsDeleteModalOpen(val); }} dialog={

{t("orgQuestionRemove")}

{t("orgMessageRemove")}

} buttonText={t("orgDeleteConfirm")} onConfirm={deleteOrg} string={org?.org.name || ""} title={t("orgDelete")} /> {t("orgGeneralSettings")} {t("orgGeneralSettingsDescription")}
( {t("name")} {t("orgDisplayName")} )} /> {env.flags.enableClients && ( ( {t("subnet")} {t("subnetDescription")} )} /> )}
{/* Security Settings Section */}
{t("securitySettings")} {build === "enterprise" && !isUnlocked() ? ( {build === "enterprise" ? t("licenseBadge") : t("subscriptionBadge")} ) : null}
{t("securitySettingsDescription")}
{ const isDisabled = isSecurityFeatureDisabled(); return (
{ if ( !isDisabled ) { form.setValue( "requireTwoFactor", val ); } }} />
{t( "requireTwoFactorDescription" )}
); }} /> { const isDisabled = isSecurityFeatureDisabled(); return ( {t("maxSessionLength")} {t( "maxSessionLengthDescription" )} ); }} /> { const isDisabled = isSecurityFeatureDisabled(); return ( {t("passwordExpiryDays")} {t( "editPasswordExpiryDescription" )} ); }} />
{build === "saas" && }
{build !== "saas" && ( )}
); }