Merge pull request #7 from rafiarrafif/fix/linting-issues

Fix/linting issues
This commit is contained in:
Rafi Arrafif
2026-01-31 09:04:57 +07:00
committed by GitHub
20 changed files with 33 additions and 47 deletions

0
.github/workflows/ci.yaml vendored Normal file
View File

View File

@ -5,7 +5,7 @@ import { defineConfig } from "eslint/config";
export default defineConfig([ export default defineConfig([
{ {
ignores: ["src/modules/debug/**"], ignores: ["src/modules/debug/**", "src/helpers/characters/generateSlug.ts"],
}, },
{ {
files: ["src/**/*.{js,mjs,cjs,ts,mts,cts}"], files: ["src/**/*.{js,mjs,cjs,ts,mts,cts}"],

View File

@ -7,7 +7,7 @@ async function main() {
console.log("🔌 Connecting to database..."); console.log("🔌 Connecting to database...");
const userSystemSeedResult = await userSystemSeed(); const userSystemSeedResult = await userSystemSeed();
const userRoleSeedResult = await userRoleSeed(userSystemSeedResult.id); await userRoleSeed(userSystemSeedResult.id);
console.log("🌳 All seeds completed"); console.log("🌳 All seeds completed");
} }

View File

@ -50,7 +50,7 @@ try {
// Extract the key and the remainder after "=" // Extract the key and the remainder after "="
const key = line.substring(0, delimiterIndex).trim(); const key = line.substring(0, delimiterIndex).trim();
let remainder = line.substring(delimiterIndex + 1); const remainder = line.substring(delimiterIndex + 1);
// Attempt to separate value and inline comment (if any) // Attempt to separate value and inline comment (if any)
let value = remainder; let value = remainder;

View File

@ -14,7 +14,7 @@ for (const remote of remotes) {
try { try {
execSync(`git push ${remote} main`, { stdio: "inherit" }); execSync(`git push ${remote} main`, { stdio: "inherit" });
} catch (err) { } catch (err) {
console.error(`❌ Failed to push to ${remote}`); console.error(`❌ Failed to push to ${remote}`, err);
} }
} }

View File

@ -14,17 +14,13 @@ export async function generateSlug(
const baseSlug = slugify(input, { lower: true, strict: true }); const baseSlug = slugify(input, { lower: true, strict: true });
let uniqueSlug = baseSlug; let uniqueSlug = baseSlug;
// CASE 1: Tidak ada config → langsung return slug
if (!config) return uniqueSlug; if (!config) return uniqueSlug;
const { model, target } = config; const { model, target } = config;
// CASE 2: Validasi pasangan model-target
if (!model || !target) { if (!model || !target) {
throw new Error(`Both "model" and "target" must be provided together.`); throw new Error(`Both "model" and "target" must be provided together.`);
} }
// CASE 3: Cek unique
const prismaModel = (prisma as any)[model]; const prismaModel = (prisma as any)[model];
if (!prismaModel) { if (!prismaModel) {
throw new Error(`Model "${model as string}" not found in PrismaClient.`); throw new Error(`Model "${model as string}" not found in PrismaClient.`);

View File

@ -1,8 +1,10 @@
import { generateUUIDv7 } from "./uuidv7"; import { generateUUIDv7 } from "./uuidv7";
function createManyWithUUID<T extends { id?: string }>(items: T[]): T[] { export const createManyWithUUID = <T extends { id?: string }>(
items: T[],
): T[] => {
return items.map((i) => ({ return items.map((i) => ({
...i, ...i,
id: i.id ?? generateUUIDv7(), id: i.id ?? generateUUIDv7(),
})); }));
} };

View File

@ -1,3 +1,5 @@
/* eslint-disable @typescript-eslint/no-require-imports */
import { middleware } from "./middleware"; import { middleware } from "./middleware";
import { validateEnv } from "./utils/startups/validateEnv"; import { validateEnv } from "./utils/startups/validateEnv";
@ -12,7 +14,7 @@ async function bootstrap() {
sentryInit(); sentryInit();
console.log("\x1b[1m\x1b[33m🚀 Starting backend services...\x1b[0m"); console.log("\x1b[1m\x1b[33m🚀 Starting backend services...\x1b[0m");
const app = new Elysia() new Elysia()
.use(middleware) .use(middleware)
.use(routes) .use(routes)
.listen(process.env.APP_PORT || 3000); .listen(process.env.APP_PORT || 3000);

View File

@ -1,4 +1,4 @@
import Elysia, { Context } from "elysia"; import Elysia from "elysia";
import { returnErrorResponse } from "../../helpers/callback/httpResponse"; import { returnErrorResponse } from "../../helpers/callback/httpResponse";
export const appAccessTokenMiddleware = () => export const appAccessTokenMiddleware = () =>

View File

@ -1,5 +1,12 @@
import { Context } from "elysia"; import { Context } from "elysia";
export const isAdminMiddleware = (ctx: Context) => { export const isAdminMiddleware = (ctx: Context) => {
//validate here const isAdmin = ctx.headers["isAdmin"];
if (!isAdmin) {
ctx.set.status = 403;
return {
error: "Forbidden",
message: "You don't have access to this resource",
};
}
}; };

View File

@ -1,6 +1,5 @@
import { AppError } from "../../../../helpers/error/instances/app"; import { AppError } from "../../../../helpers/error/instances/app";
import { jwtDecode } from "../../../../helpers/http/jwt/decode"; import { jwtDecode } from "../../../../helpers/http/jwt/decode";
import { jwtEncode } from "../../../../helpers/http/jwt/encode";
export const tokenValidationService = (payload: string) => { export const tokenValidationService = (payload: string) => {
try { try {

View File

@ -1,4 +1,3 @@
import { Prisma } from "@prisma/client";
import { getEpisodeReferenceAPI } from "../../../../config/apis/episode.reference"; import { getEpisodeReferenceAPI } from "../../../../config/apis/episode.reference";
import { ErrorForwarder } from "../../../../helpers/error/instances/forwarder"; import { ErrorForwarder } from "../../../../helpers/error/instances/forwarder";
import { MediaEpisodeInfoResponse } from "../../types/mediaEpisodeInfo.type"; import { MediaEpisodeInfoResponse } from "../../types/mediaEpisodeInfo.type";

View File

@ -1,6 +1,5 @@
import { SystemAccountId } from "../../../../config/account/system"; import { SystemAccountId } from "../../../../config/account/system";
import { getContentReferenceAPI } from "../../../../config/apis/media.reference"; import { getContentReferenceAPI } from "../../../../config/apis/media.reference";
import { generateUUIDv7 } from "../../../../helpers/databases/uuidv7";
import { ErrorForwarder } from "../../../../helpers/error/instances/forwarder"; import { ErrorForwarder } from "../../../../helpers/error/instances/forwarder";
import { bulkInsertCharactersRepository } from "../../repositories/bulkInsertCharacters.repository"; import { bulkInsertCharactersRepository } from "../../repositories/bulkInsertCharacters.repository";
import { bulkInsertLangVARepository } from "../../repositories/bulkInsertLangVA.repository"; import { bulkInsertLangVARepository } from "../../repositories/bulkInsertLangVA.repository";

View File

@ -1,5 +1,4 @@
import { SystemAccountId } from "../../../../config/account/system"; import { SystemAccountId } from "../../../../config/account/system";
import { generateUUIDv7 } from "../../../../helpers/databases/uuidv7";
import { ErrorForwarder } from "../../../../helpers/error/instances/forwarder"; import { ErrorForwarder } from "../../../../helpers/error/instances/forwarder";
import { bulkInsertVoiceActorRepository } from "../../repositories/bulkInsertVoiceActor.repository"; import { bulkInsertVoiceActorRepository } from "../../repositories/bulkInsertVoiceActor.repository";
import { Person } from "../../types/mediaCharWithVAInfo"; import { Person } from "../../types/mediaCharWithVAInfo";

View File

@ -34,12 +34,12 @@ interface Data {
year: number; year: number;
broadcast: Broadcast; broadcast: Broadcast;
producers: Genre[]; producers: Genre[];
licensors: any[]; licensors: unknown[];
studios: Genre[]; studios: Genre[];
genres: Genre[]; genres: Genre[];
explicit_genres: any[]; explicit_genres: unknown[];
themes: Genre[]; themes: Genre[];
demographics: any[]; demographics: unknown[];
relations: Relation[]; relations: Relation[];
theme: Theme; theme: Theme;
external: External[]; external: External[];

View File

@ -10,7 +10,7 @@ interface Data {
name: string; name: string;
given_name: null; given_name: null;
family_name: null; family_name: null;
alternate_names: any[]; alternate_names: string[];
birthday: Date; birthday: Date;
favorites: number; favorites: number;
about: string; about: string;

View File

@ -6,14 +6,17 @@ const includeOptions = ["preference", "assignedRoles"] as const;
export const getUserOptionsSchema = z.object({ export const getUserOptionsSchema = z.object({
verbosity: z.enum( verbosity: z.enum(
["exists", "basic", "full"], ["exists", "basic", "full"],
"option: verbosity value must match with enum types" "option: verbosity value must match with enum types",
), ),
include: z include: z
.string() .string()
.optional() .optional()
.transform((val) => val?.split(",") ?? []) .transform((val) => val?.split(",") ?? [])
.refine( .refine(
(arr) => arr.every((val) => includeOptions.includes(val.trim() as any)), (arr) =>
"option: include value didn't match with enum types" arr.every((val) =>
includeOptions.includes(val.trim() as typeof includeOptions[number]),
),
"option: include value didn't match with enum types",
), ),
}); });

View File

@ -2,26 +2,6 @@ import { Prisma } from "@prisma/client";
import { ErrorForwarder } from "../../../helpers/error/instances/forwarder"; import { ErrorForwarder } from "../../../helpers/error/instances/forwarder";
import { userSessionModel } from "../userSession.model"; import { userSessionModel } from "../userSession.model";
type CreateUserSessionResponse = Prisma.UserSessionGetPayload<{
select: {
id: true;
deviceType: true;
isAuthenticated: true;
validUntil: true;
user: {
select: {
id: true;
name: true;
email: true;
username: true;
avatar: true;
birthDate: true;
bioProfile: true;
};
};
};
}>;
export const createUserSessionRepository = async ( export const createUserSessionRepository = async (
data: Prisma.UserSessionUncheckedCreateInput, data: Prisma.UserSessionUncheckedCreateInput,
) => { ) => {

View File

@ -1,4 +1,4 @@
import { minioBucketName, minioClient } from "../client"; import { minioClient } from "../client";
import { ensureBucketExists } from "../validations/ensureBucketExists"; import { ensureBucketExists } from "../validations/ensureBucketExists";
export const getStreamFile = async (filename: string) => { export const getStreamFile = async (filename: string) => {

View File

@ -1,4 +1,4 @@
import { minioBucketName, minioClient, minioProtocol } from "../client"; import { minioBucketName, minioClient } from "../client";
import { ensureBucketExists } from "../validations/ensureBucketExists"; import { ensureBucketExists } from "../validations/ensureBucketExists";
import { Readable } from "stream"; import { Readable } from "stream";
@ -7,7 +7,7 @@ export const uploadFile = async (
options?: { options?: {
fileDir?: string; fileDir?: string;
fileName?: string; fileName?: string;
} },
): Promise<string> => { ): Promise<string> => {
// Ensure the target MinIO bucket exists before performing any upload // Ensure the target MinIO bucket exists before performing any upload
await ensureBucketExists(); await ensureBucketExists();