backend/src/components/user/User.tsx

344 lines
9.0 KiB
TypeScript
Raw Normal View History

2023-02-21 20:11:03 +00:00
import { createForm } from '@felte/solid';
2023-03-02 12:18:40 +00:00
import {
Component,
createSignal,
Index,
Match,
onMount,
Show,
Switch,
} from 'solid-js';
import { TextField, Button, Progress } from '@kobalte/core';
2023-02-24 17:00:40 +00:00
import reporter from '@felte/reporter-tippy';
import './style.css';
2023-02-22 10:19:10 +00:00
import { useNavigate } from 'solid-start';
2023-02-24 17:00:40 +00:00
import { adminCredentials } from '../credentials';
import { put } from '~/lib/put';
import { del } from '~/lib/del';
import { isFunction } from 'lodash';
2023-02-26 17:10:33 +00:00
import { userId } from '~/lib/user-id';
import { userExists } from '~/lib/user-exists';
2023-02-21 10:23:35 +00:00
2023-02-22 10:19:10 +00:00
interface Props {
2023-02-24 17:00:40 +00:00
values?: () => any;
2023-02-22 10:19:10 +00:00
}
2023-02-21 10:23:35 +00:00
2023-02-22 20:18:57 +00:00
const User: Component<Props> = (props) => {
2023-02-22 10:19:10 +00:00
const navigate = useNavigate();
2023-03-02 12:18:40 +00:00
const [progress, setProgress] = createSignal(-1);
2023-02-27 18:15:43 +00:00
const credentials = adminCredentials();
const { database } = credentials || { database: null };
const isNew = () => !isFunction(props?.values);
2023-02-24 17:00:40 +00:00
const getValues = () => {
2023-02-27 18:15:43 +00:00
if (isNew()) {
return { database, subscriptions: [] };
2023-02-22 14:32:02 +00:00
}
2023-02-27 18:15:43 +00:00
return { subscriptions: [], ...props.values() };
2023-02-24 17:00:40 +00:00
};
2023-02-22 10:19:10 +00:00
const submitHandler = async (values: any, context: any) => {
2023-02-21 10:23:35 +00:00
console.log({
2023-02-22 20:18:57 +00:00
caller: 'User / submitHandler',
2023-02-21 10:23:35 +00:00
props,
values,
context,
});
2023-03-02 12:18:40 +00:00
setProgress(0);
2023-02-26 17:10:33 +00:00
const id = getValues()?._id ?? userId(values.username, values.database);
2023-02-24 17:00:40 +00:00
await put(id, values, isNew());
const couchUserId = `org.couchdb.user:${values.username}`;
const userDoc = {
_id: couchUserId,
name: values.username,
password: values.password,
type: 'user',
roles: [],
};
await put(couchUserId, userDoc, isNew(), '_users');
2023-03-02 12:18:40 +00:00
setProgress(1);
2023-03-02 10:33:38 +00:00
const subscriptions = !!props?.values
? props.values().subscriptions ?? []
: [];
const updatedSubscriptions = values.subscriptions ?? [];
const isIn = (username: string, subs: any[]) => {
for (let i = 0; i < subs.length; i++) {
let sub = subs[i];
if (username === sub.username) {
return true;
}
}
return false;
};
for (let i = 0; i < updatedSubscriptions.length; i++) {
let subscription = updatedSubscriptions[i];
if (!isIn(subscription.username, subscriptions)) {
console.log({
caller: 'User / submitHandler / new subscription',
username: subscription.username,
});
}
2023-02-22 10:19:10 +00:00
}
2023-03-02 10:33:38 +00:00
2023-03-02 12:18:40 +00:00
setProgress(2);
2023-03-02 10:33:38 +00:00
for (let i = 0; i < subscriptions.length; i++) {
let subscription = subscriptions[i];
if (!isIn(subscription.username, updatedSubscriptions)) {
console.log({
caller: 'User / submitHandler / deleted subscription',
username: subscription.username,
});
}
}
2023-03-02 12:18:40 +00:00
setProgress(3);
2023-03-02 10:33:38 +00:00
setInitialValues(values);
setIsDirty(false);
2023-03-02 12:18:40 +00:00
setProgress(-1);
2023-03-02 10:33:38 +00:00
navigate(`/user/${id}`);
2023-02-21 10:23:35 +00:00
};
2023-02-22 10:58:56 +00:00
const cancelHandler = () => {
2023-02-22 20:18:57 +00:00
navigate(`/user/`);
2023-02-22 10:58:56 +00:00
};
const deleteHandler = async () => {
console.log({
2023-02-22 20:18:57 +00:00
caller: 'User / deleteHandler',
2023-02-24 17:00:40 +00:00
id: getValues()?._id,
2023-02-22 10:58:56 +00:00
props,
});
2023-02-24 17:00:40 +00:00
await del(getValues()?._id);
2023-02-22 20:18:57 +00:00
navigate(`/user/`);
2023-02-22 10:58:56 +00:00
};
2023-02-24 17:00:40 +00:00
const validationHandler = async (values: any) => {
let errors: any = {};
const credentials = adminCredentials();
if (!credentials) {
return errors;
}
const { database, username, password } = credentials;
try {
const response = await fetch(database, { mode: 'cors' });
const dbStatus = await response.json();
if (!dbStatus.couchdb) {
errors.database = 'The URL is not a couchdb instance';
}
} catch (error) {
errors.database = "Can't access the database";
}
if (!!errors.database) {
return errors;
}
const subscriptions = values.subscriptions ?? [];
for (let i = 0; i < subscriptions.length; i++) {
let subscription = subscriptions[i];
if (
!!subscription.username &&
!(await userExists(subscription.username))
) {
if (!errors.subscriptions) {
errors.subscriptions = [];
2023-02-24 17:00:40 +00:00
}
errors.subscriptions[i] = { username: "User doesn't exist" };
2023-02-24 17:00:40 +00:00
}
}
if (isNew()) {
if (await userExists(values.username)) {
errors.username = 'The user is already existing';
}
}
console.log({ caller: 'Users / validationHandler', values, errors });
2023-02-24 17:00:40 +00:00
return errors;
};
const {
form,
data,
setData,
2023-03-02 10:33:38 +00:00
setIsDirty,
setInitialValues,
reset,
addField,
unsetField,
isDirty,
isValid,
} = createForm({
onSubmit: submitHandler,
extend: reporter(),
validate: validationHandler,
initialValues: getValues(),
});
2023-02-22 13:54:41 +00:00
2023-02-22 14:45:52 +00:00
const createUserHandler = async () => {
console.log({
2023-02-22 20:18:57 +00:00
caller: 'User / createUserHandler',
2023-02-22 14:45:52 +00:00
props,
data: data(),
});
2023-02-24 17:00:40 +00:00
// setOpenUserNamePasswordDialog(true);
2023-02-22 17:24:06 +00:00
};
2023-02-27 18:15:43 +00:00
const subscriptions = () => data('subscriptions');
function removeSubscription(index: number) {
2023-03-02 10:33:38 +00:00
return () => {
unsetField(`subscriptions.${index}`);
setIsDirty(true);
};
2023-02-27 18:15:43 +00:00
}
function addSubscription(index?: number) {
2023-03-02 10:33:38 +00:00
return () => {
2023-02-27 18:28:18 +00:00
addField(`subscriptions`, { username: '', direction: '' }, index);
2023-03-02 10:33:38 +00:00
setIsDirty(true);
};
2023-02-27 18:15:43 +00:00
}
2023-02-22 10:19:10 +00:00
console.log({
2023-02-22 20:18:57 +00:00
caller: 'User ',
2023-02-22 10:19:10 +00:00
props,
2023-02-24 17:00:40 +00:00
values: getValues(),
2023-02-27 18:15:43 +00:00
data: data(),
2023-02-22 10:19:10 +00:00
});
2023-02-21 10:23:35 +00:00
return (
2023-02-27 18:28:18 +00:00
<>
2023-03-02 12:18:40 +00:00
<Show when={progress() >= 0}>
<Progress.Root
value={progress()}
minValue={0}
maxValue={10}
getValueLabel={({ value, max }) =>
`${value} of ${max} tasks completed`
}
class='progress'
>
<div class='progress__label-container'>
<Progress.Label class='progress__label'>
Processing...
</Progress.Label>
<Progress.ValueLabel class='progress__value-label' />
</div>
<Progress.Track class='progress__track'>
<Progress.Fill class='progress__fill' />
</Progress.Track>
</Progress.Root>
</Show>
<Show when={progress() < 0}>
<Show when={!isNew()}>
<h2>{userId(data('username'), data('database'))}</h2>
</Show>
<form use:form>
<TextField.Root>
<TextField.Label>Mail address</TextField.Label>
<TextField.Input
type='mail'
name='mail'
required={true}
placeholder='Email address'
/>
<TextField.ErrorMessage>
Please provide a valid URL
</TextField.ErrorMessage>
</TextField.Root>
<TextField.Root>
<TextField.Label>Database</TextField.Label>
<TextField.Input
type='url'
name='database'
required={true}
placeholder='Database URL'
readOnly={true}
/>
</TextField.Root>
<TextField.Root>
<TextField.Label>User name</TextField.Label>
<TextField.Input
type='text'
name='username'
required={true}
placeholder='user name'
readOnly={!isNew()}
/>
</TextField.Root>
<TextField.Root>
<TextField.Label>Password</TextField.Label>
<TextField.Input
type='text'
name='password'
required={true}
placeholder='Password'
autocomplete='off'
/>
</TextField.Root>
<table>
<thead>
<tr>
<th>
<button type='button' onClick={addSubscription()}>
+
</button>
</th>
<th>User name</th>
</tr>
</thead>
<tbody>
<Index each={subscriptions()}>
{(_, index) => (
<tr>
<td>
<button type='button' onClick={removeSubscription(index)}>
-
</button>
</td>
<td>
<TextField.Root>
<TextField.Input
type='text'
name={`subscriptions.${index}.username`}
required={true}
placeholder='user name'
/>
</TextField.Root>
</td>
</tr>
)}
</Index>
</tbody>
</table>
<Switch>
<Match when={!isNew()}>
<Button.Root type='submit' disabled={!isDirty() || !isValid()}>
Save
</Button.Root>
<Button.Root onclick={deleteHandler}>Delete</Button.Root>
</Match>
<Match when={isNew()}>
<Button.Root type='submit' isDisabled={!isValid()}>
Create
</Button.Root>
</Match>
</Switch>
<Button.Root onclick={cancelHandler}>Back</Button.Root>
</form>
2023-02-27 18:28:18 +00:00
</Show>
</>
2023-02-21 10:23:35 +00:00
);
};
2023-02-22 20:18:57 +00:00
export default User;