import React from "react";
import {
ActionGroup,
AlertVariant,
Button,
ButtonVariant,
DropdownItem,
DropdownSeparator,
Form,
PageSection,
Tab,
TabTitleText,
} from "@patternfly/react-core";
import { LdapSettingsAdvanced } from "./ldap/LdapSettingsAdvanced";
import { LdapSettingsKerberosIntegration } from "./ldap/LdapSettingsKerberosIntegration";
import { SettingsCache } from "./shared/SettingsCache";
import { LdapSettingsSynchronization } from "./ldap/LdapSettingsSynchronization";
import { LdapSettingsGeneral } from "./ldap/LdapSettingsGeneral";
import { LdapSettingsConnection } from "./ldap/LdapSettingsConnection";
import { LdapSettingsSearching } from "./ldap/LdapSettingsSearching";
import { useRealm } from "../context/realm-context/RealmContext";
import { convertToFormValues } from "../util";
import type ComponentRepresentation from "@keycloak/keycloak-admin-client/lib/defs/componentRepresentation";
import { Controller, useForm } from "react-hook-form";
import { useConfirmDialog } from "../components/confirm-dialog/ConfirmDialog";
import { useAdminClient, useFetch } from "../context/auth/AdminClient";
import { useAlerts } from "../components/alert/Alerts";
import { useTranslation } from "react-i18next";
import { ViewHeader } from "../components/view-header/ViewHeader";
import { useHistory, useParams } from "react-router-dom";
import { ScrollForm } from "../components/scroll-form/ScrollForm";
import { KeycloakTabs } from "../components/keycloak-tabs/KeycloakTabs";
import { LdapMapperList } from "./ldap/mappers/LdapMapperList";
type ldapComponentRepresentation = ComponentRepresentation & {
config?: {
periodicChangedUsersSync?: boolean;
periodicFullSync?: boolean;
};
};
type LdapSettingsHeaderProps = {
onChange: (value: string) => void;
value: string;
save: () => void;
toggleDeleteDialog: () => void;
toggleRemoveUsersDialog: () => void;
};
const LdapSettingsHeader = ({
onChange,
value,
save,
toggleDeleteDialog,
toggleRemoveUsersDialog,
}: LdapSettingsHeaderProps) => {
const { t } = useTranslation("user-federation");
const { id } = useParams<{ id: string }>();
const adminClient = useAdminClient();
const { addAlert, addError } = useAlerts();
const [toggleDisableDialog, DisableConfirm] = useConfirmDialog({
titleKey: "user-federation:userFedDisableConfirmTitle",
messageKey: "user-federation:userFedDisableConfirm",
continueButtonLabel: "common:disable",
onConfirm: () => {
onChange("false");
save();
},
});
const syncChangedUsers = async () => {
try {
if (id) {
const response = await adminClient.userStorageProvider.sync({
id: id,
action: "triggerChangedUsersSync",
});
if (response.ignored) {
addAlert(`${response.status}.`, AlertVariant.warning);
} else {
addAlert(
t("syncUsersSuccess") +
`${response.added} users added, ${response.updated} users updated, ${response.removed} users removed, ${response.failed} users failed.`,
AlertVariant.success
);
}
}
} catch (error) {
addError("user-federation:syncUsersError", error);
}
};
const syncAllUsers = async () => {
try {
if (id) {
const response = await adminClient.userStorageProvider.sync({
id: id,
action: "triggerFullSync",
});
if (response.ignored) {
addAlert(`${response.status}.`, AlertVariant.warning);
} else {
addAlert(
t("syncUsersSuccess") +
`${response.added} users added, ${response.updated} users updated, ${response.removed} users removed, ${response.failed} users failed.`,
AlertVariant.success
);
}
}
} catch (error) {
addError("user-federation:syncUsersError", error);
}
};
const unlinkUsers = async () => {
try {
if (id) {
await adminClient.userStorageProvider.unlinkUsers({ id });
}
addAlert(t("unlinkUsersSuccess"), AlertVariant.success);
} catch (error) {
addError("user-federation:unlinkUsersError", error);
}
};
return (
<>
{!id ? (
) : (
{t("syncChangedUsers")}
,
{t("syncAllUsers")}
,
{t("unlinkUsers")}
,
{t("removeImported")}
,
,
{t("deleteProvider")}
,
]}
isEnabled={value === "true"}
onToggle={(value) => {
if (!value) {
toggleDisableDialog();
} else {
onChange("" + value);
save();
}
}}
/>
)}
>
);
};
export default function UserFederationLdapSettings() {
const { t } = useTranslation("user-federation");
const form = useForm({ mode: "onChange" });
const history = useHistory();
const adminClient = useAdminClient();
const { realm } = useRealm();
const { id } = useParams<{ id: string }>();
const { addAlert, addError } = useAlerts();
useFetch(
async () => {
if (id) {
return await adminClient.components.findOne({ id });
}
return undefined;
},
(fetchedComponent) => {
if (fetchedComponent) {
setupForm(fetchedComponent);
} else if (id) {
throw new Error(t("common:notFound"));
}
},
[]
);
const setupForm = (component: ComponentRepresentation) => {
Object.entries(component).map((entry) => {
if (entry[0] === "config") {
form.setValue(
"config.periodicChangedUsersSync",
entry[1].changedSyncPeriod[0] !== "-1"
);
form.setValue(
"config.periodicFullSync",
entry[1].fullSyncPeriod[0] !== "-1"
);
convertToFormValues(entry[1], "config", form.setValue);
}
form.setValue(entry[0], entry[1]);
});
};
const removeImportedUsers = async () => {
try {
if (id) {
await adminClient.userStorageProvider.removeImportedUsers({ id });
}
addAlert(t("removeImportedUsersSuccess"), AlertVariant.success);
} catch (error) {
addError("user-federation:removeImportedUsersError", error);
}
};
const save = async (component: ldapComponentRepresentation) => {
if (component.config?.periodicChangedUsersSync !== null) {
if (component.config?.periodicChangedUsersSync === false) {
component.config.changedSyncPeriod = ["-1"];
}
delete component.config?.periodicChangedUsersSync;
}
if (component.config?.periodicFullSync !== null) {
if (component.config?.periodicFullSync === false) {
component.config.fullSyncPeriod = ["-1"];
}
delete component.config?.periodicFullSync;
}
try {
if (!id) {
await adminClient.components.create(component);
history.push(`/${realm}/user-federation`);
} else {
await adminClient.components.update({ id }, component);
}
addAlert(t(id ? "saveSuccess" : "createSuccess"), AlertVariant.success);
} catch (error) {
addError(`user-federation:${id ? "saveError" : "createError"}`, error);
}
};
const [toggleRemoveUsersDialog, RemoveUsersConfirm] = useConfirmDialog({
titleKey: t("removeImportedUsers"),
messageKey: t("removeImportedUsersMessage"),
continueButtonLabel: "common:remove",
onConfirm: async () => {
try {
removeImportedUsers();
addAlert(t("removeImportedUsersSuccess"), AlertVariant.success);
} catch (error) {
addError("user-federation:removeImportedUsersError", error);
}
},
});
const [toggleDeleteDialog, DeleteConfirm] = useConfirmDialog({
titleKey: "user-federation:userFedDeleteConfirmTitle",
messageKey: "user-federation:userFedDeleteConfirm",
continueButtonLabel: "common:delete",
continueButtonVariant: ButtonVariant.danger,
onConfirm: async () => {
try {
await adminClient.components.del({ id });
addAlert(t("userFedDeletedSuccess"), AlertVariant.success);
history.replace(`/${realm}/user-federation`);
} catch (error) {
addError("user-federation:userFedDeleteError", error);
}
},
});
const addLdapFormContent = () => {
return (
<>
>
);
};
return (
<>
(
save(form.getValues())}
onChange={onChange}
toggleDeleteDialog={toggleDeleteDialog}
toggleRemoveUsersDialog={toggleRemoveUsersDialog}
/>
)}
/>
{id ? (
{t("common:settings")}}
>
{addLdapFormContent()}
{t("common:mappers")}}
data-testid="ldap-mappers-tab"
>
) : (
addLdapFormContent()
)}
>
);
}