ff-admin-server/src/service/userService.ts

85 lines
2.2 KiB
TypeScript
Raw Normal View History

import { dataSource } from "../data-source";
import { user } from "../entity/user";
import InternalException from "../exceptions/internalException";
export default abstract class UserService {
/**
* @description get user by id
* @param id number
* @returns {Promise<user>}
*/
static async getById(id: number): Promise<user> {
return await dataSource
.getRepository(user)
.createQueryBuilder("user")
.where("user.id = :id", { id: id })
.getOneOrFail()
.then((res) => {
return res;
})
.catch((err) => {
throw new InternalException("user not found by id");
});
}
/**
* @description get user by username
* @param username string
* @returns {Promise<user>}
*/
static async getByUsername(username: string): Promise<user> {
return await dataSource
.getRepository(user)
.createQueryBuilder("user")
.select()
.where("user.username = :username", { username: username })
.getOneOrFail()
.then((res) => {
return res;
})
.catch((err) => {
throw new InternalException("user not found by username");
});
}
2024-08-25 11:36:19 +00:00
/**
* @description get users by mail or username
* @param username string
* @param mail string
* @returns {Promise<Array<user>>}
*/
static async getByMailOrUsername(mail?: string, username?: string): Promise<Array<user>> {
return await dataSource
.getRepository(user)
.createQueryBuilder("user")
.select()
.where("user.mail = :mail", { mail: mail })
.orWhere("user.username = :username", { username: username })
.getMany()
.then((res) => {
return res;
})
.catch((err) => {
throw new InternalException("user not found by mail or username");
});
}
/**
* @description get count of users
* @returns {Promise<number>}
*/
static async count(): Promise<number> {
return await dataSource
.getRepository(user)
.createQueryBuilder("user")
.select()
.getCount()
.then((res) => {
return res;
})
.catch((err) => {
throw new InternalException("could not count users");
});
}
}