0
Fork 0
mirror of https://github.com/logto-io/logto.git synced 2025-01-06 20:40:08 -05:00
logto/packages/core/src/routes/admin-user.ts

130 lines
3.3 KiB
TypeScript
Raw Normal View History

import { userInfoSelectFields } from '@logto/schemas';
import pick from 'lodash.pick';
import { InvalidInputError } from 'slonik';
import { object, string } from 'zod';
2022-02-16 03:34:32 -05:00
import RequestError from '@/errors/RequestError';
import { encryptUserPassword, generateUserId } from '@/lib/user';
import koaGuard from '@/middleware/koa-guard';
2022-02-16 02:55:08 -05:00
import koaPagination from '@/middleware/koa-pagination';
import { findRolesByRoleNames } from '@/queries/roles';
2022-02-16 03:34:32 -05:00
import {
findAllUsers,
findTotalNumberOfUsers,
findUserById,
hasUser,
insertUser,
updateUserById,
} from '@/queries/user';
import assertThat from '@/utils/assert-that';
import { AuthedRouter } from './types';
export default function adminUserRoutes<T extends AuthedRouter>(router: T) {
2022-02-16 02:55:08 -05:00
router.get('/users', koaPagination(), async (ctx, next) => {
const { limit, offset } = ctx.pagination;
const [{ count }, users] = await Promise.all([
findTotalNumberOfUsers(),
findAllUsers(limit, offset),
]);
ctx.pagination.totalCount = count;
ctx.body = users.map((user) => pick(user, ...userInfoSelectFields));
return next();
});
2022-02-16 02:56:51 -05:00
router.get(
'/users/:userId',
koaGuard({
params: object({ userId: string().min(1) }),
}),
async (ctx, next) => {
const {
params: { userId },
} = ctx.guard;
const user = await findUserById(userId);
ctx.body = pick(user, ...userInfoSelectFields);
return next();
}
);
2022-02-16 03:34:32 -05:00
router.post(
'/users',
koaGuard({
body: object({
username: string().min(3),
password: string().min(6),
name: string().min(3),
}),
}),
async (ctx, next) => {
const { username, password, name } = ctx.guard.body;
assertThat(
!(await hasUser(username)),
new RequestError({
code: 'user.username_exists_register',
status: 422,
})
);
const id = await generateUserId();
const { passwordEncryptionSalt, passwordEncrypted, passwordEncryptionMethod } =
encryptUserPassword(id, password);
const user = await insertUser({
id,
username,
passwordEncrypted,
passwordEncryptionMethod,
passwordEncryptionSalt,
name,
});
ctx.body = pick(user, ...userInfoSelectFields);
return next();
}
);
router.patch(
'/users/:userId/roleNames',
koaGuard({
params: object({ userId: string().min(1) }),
body: object({ roleNames: string().array() }),
}),
async (ctx, next) => {
const {
params: { userId },
body: { roleNames },
} = ctx.guard;
await findUserById(userId);
// Temp solution to validate the existence of input roleNames
if (roleNames.length > 0) {
const roles = await findRolesByRoleNames(roleNames);
if (roles.length !== roleNames.length) {
const resourcesNotFound = roleNames.filter(
(roleName) => !roles.some(({ name }) => roleName === name)
);
// TODO: Should be cached by the error handler and return request error
throw new InvalidInputError(`role names (${resourcesNotFound.join(',')}) are not valid`);
}
}
const user = await updateUserById(userId, { roleNames });
ctx.body = pick(user, ...userInfoSelectFields);
return next();
}
);
}