Merge pull request #69 from mollersuite/proper-validation

Proper validation via Zod
This commit is contained in:
May 2024-05-01 00:05:49 -07:00 committed by GitHub
commit 5c3a324c64
No known key found for this signature in database
GPG key ID: B5690EEEBB952194
15 changed files with 189 additions and 254 deletions

11
package-lock.json generated
View file

@ -26,7 +26,8 @@
"multer": "^1.4.5-lts.1", "multer": "^1.4.5-lts.1",
"node-fetch": "^3.3.2", "node-fetch": "^3.3.2",
"nodemailer": "^6.9.3", "nodemailer": "^6.9.3",
"typescript": "^5.2.2" "typescript": "^5.2.2",
"zod": "^3.23.5"
}, },
"devDependencies": { "devDependencies": {
"@sveltejs/vite-plugin-svelte": "^2.4.6", "@sveltejs/vite-plugin-svelte": "^2.4.6",
@ -1941,6 +1942,14 @@
"engines": { "engines": {
"node": ">=0.4" "node": ">=0.4"
} }
},
"node_modules/zod": {
"version": "3.23.5",
"resolved": "https://registry.npmjs.org/zod/-/zod-3.23.5.tgz",
"integrity": "sha512-fkwiq0VIQTksNNA131rDOsVJcns0pfVUjHzLrNBiF/O/Xxb5lQyEXkhZWcJ7npWsYlvs+h0jFWXXy4X46Em1JA==",
"funding": {
"url": "https://github.com/sponsors/colinhacks"
}
} }
} }
} }

View file

@ -35,7 +35,8 @@
"multer": "^1.4.5-lts.1", "multer": "^1.4.5-lts.1",
"node-fetch": "^3.3.2", "node-fetch": "^3.3.2",
"nodemailer": "^6.9.3", "nodemailer": "^6.9.3",
"typescript": "^5.2.2" "typescript": "^5.2.2",
"zod": "^3.23.5"
}, },
"devDependencies": { "devDependencies": {
"@sveltejs/vite-plugin-svelte": "^2.4.6", "@sveltejs/vite-plugin-svelte": "^2.4.6",

View file

@ -9,7 +9,7 @@ import { fileURLToPath } from "url"
import { dirname } from "path" import { dirname } from "path"
import config from "./lib/config.js" import config from "./lib/config.js"
const app = new Hono() const app = new Hono({strict: false})
app.get( app.get(
"/static/assets/*", "/static/assets/*",
@ -78,7 +78,7 @@ apiRouter.loadAPIMethods().then(() => {
app.fetch( app.fetch(
new Request( new Request(
new URL( new URL(
"/api/v1/info", "/api/v1",
ctx.req.raw.url ctx.req.raw.url
).href, ).href,
ctx.req.raw ctx.req.raw

View file

@ -8,22 +8,24 @@ import config, { Configuration } from "./config.js"
import "dotenv/config" import "dotenv/config"
import * as Accounts from "./accounts.js" import * as Accounts from "./accounts.js"
import { z } from "zod"
import * as schemas from "./schemas/files.js"
import { issuesToMessage } from "./middleware.js"
export let id_check_regex = /[A-Za-z0-9_\-\.\!\=\:\&\$\,\+\;\@\~\*\(\)\']+/
export let alphanum = Array.from( export let alphanum = Array.from(
"abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ1234567890" "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ1234567890"
) )
// bad solution but whatever // bad solution but whatever
export type FileVisibility = "public" | "anonymous" | "private" export type FileVisibility = z.infer<typeof schemas.FileVisibility>
/** /**
* @description Generates an alphanumeric string, used for files * @description Generates an alphanumeric string, used for files
* @param length Length of the ID * @param length Length of the ID
* @returns a random alphanumeric string * @returns a random alphanumeric string
*/ */
export function generateFileId(length: number = 5) { export function generateFileId(length: number = 5): z.infer<typeof schemas.FileId> {
let fid = "" let fid = ""
for (let i = 0; i < length; i++) { for (let i = 0; i < length; i++) {
fid += alphanum[crypto.randomInt(0, alphanum.length)] fid += alphanum[crypto.randomInt(0, alphanum.length)]
@ -31,35 +33,7 @@ export function generateFileId(length: number = 5) {
return fid return fid
} }
/** export type FilePointer = z.infer<typeof schemas.FilePointer>
* @description Assert multiple conditions... this exists out of pure laziness
* @param conditions
*/
function multiAssert(
conditions: Map<boolean, { message: string; status: number }>
) {
for (let [cond, err] of conditions.entries()) {
if (cond) return err
}
}
export type FileUploadSettings = Partial<Pick<FilePointer, "mime" | "owner">> &
Pick<FilePointer, "mime" | "filename"> & { uploadId?: string }
export interface FilePointer {
filename: string
mime: string
messageids: string[]
owner?: string
sizeInBytes?: number
tag?: string
visibility?: FileVisibility
reserved?: boolean
chunkSize?: number
lastModified?: number
md5?: string
}
export interface StatusCodeError { export interface StatusCodeError {
status: number status: number
@ -470,9 +444,9 @@ export class UploadStream extends Writable {
sizeInBytes: this.filled, sizeInBytes: this.filled,
visibility: ogf visibility: ogf
? ogf.visibility ? ogf.visibility
: this.owner : this.owner
? Accounts.getFromId(this.owner)?.defaultFileVisibility && Accounts.getFromId(this.owner)?.defaultFileVisibility
: undefined, || "public",
// so that json.stringify doesnt include tag:undefined // so that json.stringify doesnt include tag:undefined
...((ogf || {}).tag ? { tag: ogf.tag } : {}), ...((ogf || {}).tag ? { tag: ogf.tag } : {}),
@ -527,12 +501,11 @@ export class UploadStream extends Writable {
return this.destroy( return this.destroy(
new WebError(400, "duplicate attempt to set upload ID") new WebError(400, "duplicate attempt to set upload ID")
) )
if (
!id || let check = schemas.FileId.safeParse(id);
id.match(id_check_regex)?.[0] != id ||
id.length > this.files.config.maxUploadIdLength if (!check.success)
) return this.destroy(new WebError(400, issuesToMessage(check.error.issues)))
return this.destroy(new WebError(400, "invalid file ID"))
if (this.files.files[id] && this.files.files[id].owner != this.owner) if (this.files.files[id] && this.files.files[id].owner != this.owner)
return this.destroy(new WebError(403, "you don't own this file")) return this.destroy(new WebError(403, "you don't own this file"))
@ -717,4 +690,4 @@ export default class Files {
throw err throw err
}) })
} }
} }

View file

@ -3,6 +3,7 @@ import type { Context, Handler as RequestHandler } from "hono"
import ServeError from "../lib/errors.js" import ServeError from "../lib/errors.js"
import * as auth from "./auth.js" import * as auth from "./auth.js"
import { setCookie } from "hono/cookie" import { setCookie } from "hono/cookie"
import { z } from "zod"
/** /**
* @description Middleware which adds an account, if any, to ctx.get("account") * @description Middleware which adds an account, if any, to ctx.get("account")
@ -37,7 +38,6 @@ export const requiresAdmin: RequestHandler = function (ctx, next) {
* @param tokenPermissions Permissions which your route requires. * @param tokenPermissions Permissions which your route requires.
* @returns Express middleware * @returns Express middleware
*/ */
export const requiresPermissions = function ( export const requiresPermissions = function (
...tokenPermissions: auth.TokenPermission[] ...tokenPermissions: auth.TokenPermission[]
): RequestHandler { ): RequestHandler {
@ -93,6 +93,18 @@ export const assertAPI = function (
} }
} }
export const issuesToMessage = function(issues: z.ZodIssue[]) {
return issues.map(e => `${e.path}: ${e.code} :: ${e.message}`).join("; ")
}
export const scheme = function(scheme: z.ZodTypeAny): RequestHandler {
return async function(ctx, next) {
let chk = scheme.safeParse(await ctx.req.json())
if (chk.success) return next()
else return ServeError(ctx, 400, issuesToMessage(chk.error.issues))
}
}
// Not really middleware but a utility // Not really middleware but a utility
export const login = (ctx: Context, account: string) => setCookie(ctx, "auth", auth.create(account, 3 * 24 * 60 * 60 * 1000), { export const login = (ctx: Context, account: string) => setCookie(ctx, "auth", auth.create(account, 3 * 24 * 60 * 60 * 1000), {
@ -100,22 +112,4 @@ export const login = (ctx: Context, account: string) => setCookie(ctx, "auth", a
sameSite: "Strict", sameSite: "Strict",
secure: true, secure: true,
httpOnly: true httpOnly: true
}) })
type SchemeType = "array" | "object" | "string" | "number" | "boolean"
interface SchemeObject {
type: "object"
children: {
[key: string]: SchemeParameter
}
}
interface SchemeArray {
type: "array"
children:
| SchemeParameter /* All children of the array must be this type */
| SchemeParameter[] /* Array must match this pattern */
}
type SchemeParameter = SchemeType | SchemeObject | SchemeArray

View file

@ -0,0 +1,21 @@
import {z} from "zod"
import { FileVisibility } from "./files.js"
export const StringPassword = z.string().min(8,"password must be at least 8 characters")
export const Password =
z.object({
hash: z.string(),
salt: z.string()
})
export const Username =
z.string().min(3, "username too short").max(20, "username too long").regex(/[A-Za-z0-9_\-\.]+/, "username contains invalid characters")
export const Account =
z.object({
id: z.string(),
username: Username,
email: z.optional(z.string().email("must be an email")),
password: Password,
files: z.array(z.string()),
admin: z.boolean(),
defaultFileVisibility: FileVisibility
})

View file

@ -0,0 +1,21 @@
import {z} from "zod"
import config from "../config.js"
export const FileId = z.string()
.regex(/[A-Za-z0-9_\-\.\!\=\:\&\$\,\+\;\@\~\*\(\)\']+/,"file ID uses invalid characters")
.max(config.maxUploadIdLength,"file ID too long")
.min(1, "you... *need* a file ID")
export const FileVisibility = z.enum(["public", "anonymous", "private"])
export const FileTag = z.string().toLowerCase().max(30, "tag length too long")
export const FilePointer = z.object({
filename: z.string().max(256, "filename too long"),
mime: z.string().max(256, "mimetype too long"),
messageids: z.array(z.string()),
owner: z.optional(z.string()),
sizeInBytes: z.optional(z.number()),
tag: z.optional(FileTag),
visibility: z.optional(FileVisibility).default("public"),
chunkSize: z.optional(z.number()),
lastModified: z.optional(z.number()),
md5: z.optional(z.string())
})

View file

@ -0,0 +1,2 @@
export * as AccountSchemas from "./accounts.js"
export * as FileSchemas from "./files.js"

View file

@ -14,8 +14,7 @@ import config from "../../../lib/config.js"
import ServeError from "../../../lib/errors.js" import ServeError from "../../../lib/errors.js"
import Files, { import Files, {
FileVisibility, FileVisibility,
generateFileId, generateFileId
id_check_regex,
} from "../../../lib/files.js" } from "../../../lib/files.js"
import { writeFile } from "fs/promises" import { writeFile } from "fs/promises"

View file

@ -68,10 +68,6 @@ export default function (files: Files) {
let fp = files.files[e] let fp = files.files[e]
if (fp.reserved) {
return
}
switch (body.action) { switch (body.action) {
case "delete": case "delete":
files.unlink(e, true) files.unlink(e, true)

View file

@ -5,21 +5,25 @@ import { getCookie, setCookie } from "hono/cookie"
// Libs // Libs
import Files, { id_check_regex } from "../../../lib/files.js" import Files from "../../../lib/files.js"
import * as Accounts from "../../../lib/accounts.js" import * as Accounts from "../../../lib/accounts.js"
import * as auth from "../../../lib/auth.js" import * as auth from "../../../lib/auth.js"
import { import {
assertAPI, assertAPI,
getAccount, getAccount,
issuesToMessage,
login, login,
noAPIAccess, noAPIAccess,
requiresAccount, requiresAccount,
requiresPermissions, requiresPermissions,
scheme,
} from "../../../lib/middleware.js" } from "../../../lib/middleware.js"
import ServeError from "../../../lib/errors.js" import ServeError from "../../../lib/errors.js"
import { CodeMgr, sendMail } from "../../../lib/mail.js" import { CodeMgr, sendMail } from "../../../lib/mail.js"
import Configuration from "../../../lib/config.js" import Configuration from "../../../lib/config.js"
import { AccountSchemas, FileSchemas } from "../../../lib/schemas/index.js"
import { z } from "zod"
const router = new Hono<{ const router = new Hono<{
Variables: { Variables: {
@ -40,8 +44,7 @@ type Message = [200 | 400 | 401 | 403 | 429 | 501, string]
// @Jack5079 make typings better if possible // @Jack5079 make typings better if possible
type Validator< type Validator<
T extends keyof Partial<Accounts.Account>, T extends keyof Partial<Accounts.Account>
ValueNotNull extends boolean,
> = > =
/** /**
* @param actor The account performing this action * @param actor The account performing this action
@ -52,44 +55,33 @@ type Validator<
actor: Accounts.Account, actor: Accounts.Account,
target: Accounts.Account, target: Accounts.Account,
params: UserUpdateParameters & params: UserUpdateParameters &
(ValueNotNull extends true {
? { [K in keyof Pick<
[K in keyof Pick< UserUpdateParameters,
UserUpdateParameters, T
T >]-?: UserUpdateParameters[K]
>]-?: UserUpdateParameters[K] },
}
: {}),
ctx: Context ctx: Context
) => Accounts.Account[T] | Message ) => Accounts.Account[T] | Message
// this type is so stupid stg type SchemedValidator<
type ValidatorWithSettings<T extends keyof Partial<Accounts.Account>> = T extends keyof Partial<Accounts.Account>
| { > = {
acceptsNull: true validator: Validator<T>,
validator: Validator<T, false> schema: z.ZodTypeAny
} }
| {
acceptsNull?: false
validator: Validator<T, true>
}
const validators: { const validators: {
[T in keyof Partial<Accounts.Account>]: [T in keyof Partial<Accounts.Account>]: SchemedValidator<T>
| Validator<T, true>
| ValidatorWithSettings<T>
} = { } = {
defaultFileVisibility(actor, target, params) { defaultFileVisibility: {
if ( schema: FileSchemas.FileVisibility,
["public", "private", "anonymous"].includes( validator: (actor, target, params) => {
params.defaultFileVisibility
)
)
return params.defaultFileVisibility return params.defaultFileVisibility
else return [400, "invalid file visibility"] }
}, },
email: { email: {
acceptsNull: true, schema: AccountSchemas.Account.shape.email.optional(),
validator: (actor, target, params, ctx) => { validator: (actor, target, params, ctx) => {
if ( if (
!params.currentPassword || // actor on purpose here to allow admins !params.currentPassword || // actor on purpose here to allow admins
@ -109,8 +101,8 @@ const validators: {
return undefined return undefined
} }
if (typeof params.email !== "string") if (!z.string().email().safeParse(typeof params.email).success)
return [400, "email must be string"] return [400, "bad email"]
if (actor.admin) return params.email if (actor.admin) return params.email
// send verification email // send verification email
@ -142,106 +134,62 @@ const validators: {
return [200, "please check your inbox"] return [200, "please check your inbox"]
}, },
}, },
password(actor, target, params) { password: {
if ( schema: AccountSchemas.StringPassword,
!params.currentPassword || // actor on purpose here to allow admins
(params.currentPassword &&
Accounts.password.check(actor.id, params.currentPassword))
)
return [401, "current password incorrect"]
if (typeof params.password != "string" || params.password.length < 8)
return [400, "password must be 8 characters or longer"]
if (target.email) {
sendMail(
target.email,
`Your login details have been updated`,
`<b>Hello there!</b> Your password on your account, <span username>${target.username}</span>, has been updated` +
`${actor != target ? ` by <span username>${actor.username}</span>` : ""}. ` +
`Please update your saved login details accordingly.`
).catch()
}
return Accounts.password.hash(params.password)
},
username(actor, target, params) {
if (
!params.currentPassword || // actor on purpose here to allow admins
(params.currentPassword &&
Accounts.password.check(actor.id, params.currentPassword))
)
return [401, "current password incorrect"]
if (
typeof params.username != "string" ||
params.username.length < 3 ||
params.username.length > 20
)
return [
400,
"username must be between 3 and 20 characters in length",
]
if (Accounts.getFromUsername(params.username))
return [400, "account with this username already exists"]
if (
(params.username.match(/[A-Za-z0-9_\-\.]+/) || [])[0] !=
params.username
)
return [400, "username has invalid characters"]
if (target.email) {
sendMail(
target.email,
`Your login details have been updated`,
`<b>Hello there!</b> Your username on your account, <span username>${target.username}</span>, has been updated` +
`${actor != target ? ` by <span username>${actor.username}</span>` : ""} to <span username>${params.username}</span>. ` +
`Please update your saved login details accordingly.`
).catch()
}
return params.username
},
customCSS: {
acceptsNull: true,
validator: (actor, target, params) => { validator: (actor, target, params) => {
if ( if (
!params.customCSS || !params.currentPassword || // actor on purpose here to allow admins
(params.customCSS.match(id_check_regex)?.[0] == (params.currentPassword &&
params.customCSS && Accounts.password.check(actor.id, params.currentPassword))
params.customCSS.length <= Configuration.maxUploadIdLength)
) )
return params.customCSS return [401, "current password incorrect"]
else return [400, "bad file id"]
}, if (target.email) {
sendMail(
target.email,
`Your login details have been updated`,
`<b>Hello there!</b> Your password on your account, <span username>${target.username}</span>, has been updated` +
`${actor != target ? ` by <span username>${actor.username}</span>` : ""}. ` +
`Please update your saved login details accordingly.`
).catch()
}
return Accounts.password.hash(params.password)
}
}, },
embed(actor, target, params) { username: {
if (typeof params.embed !== "object") schema: AccountSchemas.Username,
return [400, "must use an object for embed"] validator: (actor, target, params) => {
if (params.embed.color === undefined) { if (
params.embed.color = target.embed?.color !params.currentPassword || // actor on purpose here to allow admins
} else if ( (params.currentPassword &&
!( Accounts.password.check(actor.id, params.currentPassword))
(params.embed.color.toLowerCase().match(/[a-f0-9]+/)?.[0] ==
params.embed.color.toLowerCase() &&
params.embed.color.length == 6) ||
params.embed.color == null
) )
) return [401, "current password incorrect"]
return [400, "bad embed color"]
if (params.embed.largeImage === undefined) { if (Accounts.getFromUsername(params.username))
params.embed.largeImage = target.embed?.largeImage return [400, "account with this username already exists"]
} else params.embed.largeImage = Boolean(params.embed.largeImage)
return params.embed if (target.email) {
sendMail(
target.email,
`Your login details have been updated`,
`<b>Hello there!</b> Your username on your account, <span username>${target.username}</span>, has been updated` +
`${actor != target ? ` by <span username>${actor.username}</span>` : ""} to <span username>${params.username}</span>. ` +
`Please update your saved login details accordingly.`
).catch()
}
return params.username
}
}, },
admin(actor, target, params) { admin: {
if (actor.admin && !target.admin) return params.admin schema: z.boolean(),
else if (!actor.admin) return [400, "cannot promote yourself"] validator: (actor, target, params) => {
else return [400, "cannot demote an admin"] if (actor.admin && !target.admin) return params.admin
else if (!actor.admin) return [400, "cannot promote yourself"]
else return [400, "cannot demote an admin"]
}
}, },
} }
@ -272,7 +220,10 @@ function isMessage(object: any): object is Message {
} }
export default function (files: Files) { export default function (files: Files) {
router.post("/", async (ctx) => { router.post("/", scheme(z.object({
username: AccountSchemas.Username,
password: AccountSchemas.StringPassword
})), async (ctx) => {
const body = await ctx.req.json() const body = await ctx.req.json()
if (!Configuration.accounts.registrationEnabled) { if (!Configuration.accounts.registrationEnabled) {
return ServeError(ctx, 403, "account registration disabled") return ServeError(ctx, 403, "account registration disabled")
@ -290,28 +241,6 @@ export default function (files: Files) {
) )
} }
if (body.username.length < 3 || body.username.length > 20) {
return ServeError(
ctx,
400,
"username must be over or equal to 3 characters or under or equal to 20 characters in length"
)
}
if (
(body.username.match(/[A-Za-z0-9_\-\.]+/) || [])[0] != body.username
) {
return ServeError(ctx, 400, "username contains invalid characters")
}
if (body.password.length < 8) {
return ServeError(
ctx,
400,
"password must be 8 characters or longer"
)
}
return Accounts.create(body.username, body.password) return Accounts.create(body.username, body.password)
.then((account) => { .then((account) => {
login(ctx, account) login(ctx, account)
@ -352,23 +281,11 @@ export default function (files: Files) {
`the ${x} parameter cannot be set or is not a valid parameter`, `the ${x} parameter cannot be set or is not a valid parameter`,
] as Message ] as Message
let validator = ( let validator = validators[x]!
typeof validators[x] == "object"
? validators[x]
: {
validator: validators[x] as Validator<
typeof x,
false
>,
acceptsNull: false,
}
) as ValidatorWithSettings<typeof x>
if (!validator.acceptsNull && !v) let check = validator.schema.safeParse(v)
return [ if (!check.success)
400, return [400, issuesToMessage(check.error.issues)]
`the ${x} validator does not accept null values`,
] as Message
return [ return [
x, x,
@ -437,7 +354,7 @@ export default function (files: Files) {
}) })
}) })
router.get("/css", async (ctx) => { router.get("/:user/css", async (ctx) => {
let acc = ctx.get("account") let acc = ctx.get("account")
if (acc?.customCSS) return ctx.redirect(`/file/${acc.customCSS}`) if (acc?.customCSS) return ctx.redirect(`/file/${acc.customCSS}`)
else return ctx.text("") else return ctx.text("")

View file

@ -4,7 +4,10 @@
"mount": [ "mount": [
"account", "account",
"session", "session",
"info", {
"file": "index",
"to": "/"
},
{ {
"file": "file/index", "file": "file/index",
"to": "/file" "to": "/file"

View file

@ -6,15 +6,18 @@ import { getCookie, setCookie } from "hono/cookie"
// Libs // Libs
import Files, { id_check_regex } from "../../../lib/files.js" import Files from "../../../lib/files.js"
import * as Accounts from "../../../lib/accounts.js" import * as Accounts from "../../../lib/accounts.js"
import * as auth from "../../../lib/auth.js" import * as auth from "../../../lib/auth.js"
import { import {
getAccount, getAccount,
login, login,
requiresAccount requiresAccount,
scheme
} from "../../../lib/middleware.js" } from "../../../lib/middleware.js"
import ServeError from "../../../lib/errors.js" import ServeError from "../../../lib/errors.js"
import { AccountSchemas } from "../../../lib/schemas/index.js"
import { z } from "zod"
const router = new Hono<{ const router = new Hono<{
Variables: { Variables: {
@ -25,15 +28,11 @@ const router = new Hono<{
router.use(getAccount) router.use(getAccount)
export default function (files: Files) { export default function (files: Files) {
router.post("/", async (ctx, res) => { router.post("/",scheme(z.object({
username: AccountSchemas.Username,
password: AccountSchemas.StringPassword
})), async (ctx) => {
const body = await ctx.req.json() const body = await ctx.req.json()
if (
typeof body.username != "string" ||
typeof body.password != "string"
) {
ServeError(ctx, 400, "please provide a username or password")
return
}
if (auth.validate(getCookie(ctx, "auth")!)) { if (auth.validate(getCookie(ctx, "auth")!)) {
ServeError(ctx, 400, "you are already logged in") ServeError(ctx, 400, "you are already logged in")

View file

@ -1,19 +1,19 @@
import fs from "fs" import fs from "fs"
import { stat } from "fs/promises" import { stat } from "fs/promises"
import Files from "./lib/files.js" import Files from "../lib/files.js"
import { program } from "commander" import { program } from "commander"
import { basename } from "path" import { basename } from "path"
import { Writable } from "node:stream" import { Writable } from "node:stream"
import config from "./lib/config.js" import config from "../lib/config.js"
import pkg from "../../package.json" assert { type: "json" } import pkg from "../../../package.json" assert { type: "json" }
import { fileURLToPath } from "url" import { fileURLToPath } from "url"
import { dirname } from "path" import { dirname } from "path"
// init data // init data
const __dirname = dirname(fileURLToPath(import.meta.url)) const __dirname = dirname(fileURLToPath(import.meta.url))
if (!fs.existsSync(__dirname + "/../../.data/")) if (!fs.existsSync(__dirname + "/../../../.data/"))
fs.mkdirSync(__dirname + "/../../.data/") fs.mkdirSync(__dirname + "/../../../.data/")
// discord // discord
let files = new Files(config) let files = new Files(config)