start unify config, create dockerfile

This commit is contained in:
cirroskais 2024-04-28 03:33:06 -04:00
parent d5cf1470cf
commit 21329458e5
No known key found for this signature in database
GPG key ID: 5FC73EBF2678E33D
7 changed files with 390 additions and 207 deletions

12
.dockerignore Normal file
View file

@ -0,0 +1,12 @@
.vscode
.gitignore
.prettierrc
config.json
LICENSE
README.md
node_modules
.env
.data
out
dist
tsconfig.tsbuildinfo

23
.env.example Normal file
View file

@ -0,0 +1,23 @@
PORT=
REQUEST_TIMEOUT=
TRUST_PROXY=
FORCE_SSL=
DISCORD__TOKEN=
MAX__DISCORD_FILES=
MAX__DISCORD_FILE_SIZE=
MAX__UPLOAD_ID_LENGTH=
TARGET__GUILD=
TARGET__CHANNEL=
ACCOUNTS__REGISTRATION_ENABLED=
ACCOUNTS__REQUIRED_FOR_UPLOAD=
MAIL__HOST=
MAIL__PORT=
MAIL__SECURE=
MAIL__SEND_FROM=
MAIL__USER=
MAIL__PASS=

25
Dockerfile Normal file
View file

@ -0,0 +1,25 @@
FROM node:21-alpine AS base
WORKDIR /usr/src/app
FROM base AS install
RUN mkdir -p /tmp/dev
COPY package.json package-lock.json /tmp/dev/
RUN cd /tmp/dev && npm install
RUN mkdir -p /tmp/prod
COPY package.json package-lock.json /tmp/prod/
RUN cd /tmp/prod && npm install --omit=dev
FROM base AS build
COPY --from=install /tmp/dev/node_modules node_modules
COPY . .
RUN npm run build
FROM base AS app
COPY --from=install /tmp/prod/node_modules node_modules
COPY --from=build out ./
COPY package.json .
EXPOSE 3000
ENTRYPOINT [ "node", "./index.js" ]

View file

@ -36,10 +36,8 @@ app.get(
// haha... // haha...
app.on(["MOLLER"], "*", async (ctx) => { app.on(["MOLLER"], "*", async (ctx) => {
ctx.header("Content-Type", "image/webp") ctx.header("Content-Type", "image/webp")
return ctx.body(await readFile("./assets/moller.png")) return ctx.body(await readFile("./assets/moller.png"))
}) })
//app.use(bodyParser.text({limit:(config.maxDiscordFileSize*config.maxDiscordFiles)+1048576,type:["application/json","text/plain"]})) //app.use(bodyParser.text({limit:(config.maxDiscordFileSize*config.maxDiscordFiles)+1048576,type:["application/json","text/plain"]}))
@ -64,9 +62,11 @@ if (config.forceSSL) {
app.get("/server", (ctx) => app.get("/server", (ctx) =>
ctx.json({ ctx.json({
...config,
version: pkg.version, version: pkg.version,
files: Object.keys(files.files).length, files: Object.keys(files.files).length,
maxDiscordFiles: config.maxDiscordFiles,
maxDiscordFileSize: config.maxDiscordFileSize,
accounts: config.accounts,
}) })
) )
@ -90,25 +90,27 @@ apiRouter.loadAPIMethods().then(() => {
app.get("/:fileId", async (ctx) => app.get("/:fileId", async (ctx) =>
app.fetch( app.fetch(
new Request( new Request(
(new URL( new URL(
`/api/v1/file/${ctx.req.param("fileId")}`, ctx.req.raw.url)).href, `/api/v1/file/${ctx.req.param("fileId")}`,
ctx.req.raw.url
).href,
ctx.req.raw ctx.req.raw
), ),
ctx.env ctx.env
) )
) )
// listen on 3000 or MONOFILE_PORT // listen on 3000 or PORT
// moved here to prevent a crash if someone manages to access monofile before api routes are mounted // moved here to prevent a crash if someone manages to access monofile before api routes are mounted
serve( serve(
{ {
fetch: app.fetch, fetch: app.fetch,
port: Number(process.env.MONOFILE_PORT || 3000), port: Number(process.env.PORT || 3000),
serverOptions: { serverOptions: {
//@ts-ignore //@ts-ignore
requestTimeout: config.requestTimeout requestTimeout: config.requestTimeout,
} },
}, },
(info) => { (info) => {
console.log("Web OK!", info.port, info.address) console.log("Web OK!", info.port, info.address)

32
src/server/lib/config.ts Normal file
View file

@ -0,0 +1,32 @@
import "dotenv/config"
export default {
port: Number(process.env.PORT),
requestTimeout: Number(process.env.REQUEST_TIMEOUT),
trustProxy: process.env.TRUST_PROXY === "true",
forceSSL: process.env.FORCE_SSL === "true",
discordToken: process.env.DISCORD__TOKEN,
maxDiscordFiles: Number(process.env.MAX__DISCORD_FILES),
maxDiscordFileSize: Number(process.env.MAX__DISCORD_FILES),
maxUploadIdLength: Number(process.env.MAX__UPLOAD_ID_LENGTH),
targetGuild: process.env.TARGET__GUILD,
targetChannel: process.env.TARGET__CHANNEL,
accounts: {
registrationEnabled:
process.env.ACCOUNTS__REGISTRATION_ENABLED === "true",
requiredForUpload: process.env.ACCOUNTS__REQUIRED_FOR_UPLOAD === "true",
},
mail: {
transport: {
host: process.env.MAIL__HOST,
port: Number(process.env.MAIL__PORT),
secure: process.env.MAIL__SECURE === "true",
},
send: {
from: process.env.MAIL__SEND_FROM,
},
user: process.env.MAIL__USER,
pass: process.env.MAIL__PASS,
},
}

View file

@ -4,6 +4,7 @@ import crypto from "node:crypto"
import { files } from "./accounts.js" import { files } from "./accounts.js"
import { Client as API } from "./DiscordAPI/index.js" import { Client as API } from "./DiscordAPI/index.js"
import type { APIAttachment } from "discord-api-types/v10" import type { APIAttachment } from "discord-api-types/v10"
import config from "./config.js"
import "dotenv/config" import "dotenv/config"
import * as Accounts from "./accounts.js" import * as Accounts from "./accounts.js"
@ -35,7 +36,9 @@ export function generateFileId(length: number = 5) {
* @param conditions * @param conditions
*/ */
function multiAssert(conditions: Map<boolean, { message: string, status: number }>) { function multiAssert(
conditions: Map<boolean, { message: string; status: number }>
) {
for (let [cond, err] of conditions.entries()) { for (let [cond, err] of conditions.entries()) {
if (cond) return err if (cond) return err
} }
@ -80,18 +83,15 @@ export interface StatusCodeError {
} }
export class WebError extends Error { export class WebError extends Error {
readonly statusCode: number = 500 readonly statusCode: number = 500
constructor(status: number, message: string) { constructor(status: number, message: string) {
super(message) super(message)
this.statusCode = status this.statusCode = status
} }
} }
export class ReadStream extends Readable { export class ReadStream extends Readable {
files: Files files: Files
pointer: FilePointer pointer: FilePointer
@ -100,52 +100,60 @@ export class ReadStream extends Readable {
position: number = 0 position: number = 0
ranges: { ranges: {
useRanges: boolean, useRanges: boolean
byteStart: number, byteStart: number
byteEnd: number byteEnd: number
scan_msg_begin: number, scan_msg_begin: number
scan_msg_end: number, scan_msg_end: number
scan_files_begin: number, scan_files_begin: number
scan_files_end: number scan_files_end: number
} }
id: number = Math.random() id: number = Math.random()
aborter?: AbortController aborter?: AbortController
constructor(files: Files, pointer: FilePointer, range?: {start: number, end: number}) { constructor(
files: Files,
pointer: FilePointer,
range?: { start: number; end: number }
) {
super() super()
console.log(this.id, range) console.log(this.id, range)
this.files = files this.files = files
this.pointer = pointer this.pointer = pointer
let useRanges = let useRanges = Boolean(
Boolean(range && pointer.chunkSize && pointer.sizeInBytes) range && pointer.chunkSize && pointer.sizeInBytes
)
this.ranges = { this.ranges = {
useRanges, useRanges,
scan_msg_begin: 0, scan_msg_begin: 0,
scan_msg_end: pointer.messageids.length - 1, scan_msg_end: pointer.messageids.length - 1,
scan_files_begin: scan_files_begin: useRanges
useRanges
? Math.floor(range!.start / pointer.chunkSize!) ? Math.floor(range!.start / pointer.chunkSize!)
: 0, : 0,
scan_files_end: scan_files_end: useRanges
useRanges
? Math.ceil(range!.end / pointer.chunkSize!) - 1 ? Math.ceil(range!.end / pointer.chunkSize!) - 1
: -1, : -1,
byteStart: range?.start || 0, byteStart: range?.start || 0,
byteEnd: range?.end || 0 byteEnd: range?.end || 0,
} }
if (useRanges) if (useRanges)
this.ranges.scan_msg_begin = Math.floor(this.ranges.scan_files_begin / 10), (this.ranges.scan_msg_begin = Math.floor(
this.ranges.scan_msg_end = Math.ceil(this.ranges.scan_files_end / 10), this.ranges.scan_files_begin / 10
this.msgIdx = this.ranges.scan_msg_begin )),
(this.ranges.scan_msg_end = Math.ceil(
this.ranges.scan_files_end / 10
)),
(this.msgIdx = this.ranges.scan_msg_begin)
console.log(this.ranges) console.log(this.ranges)
} }
async _read() {/* async _read() {
/*
console.log("Calling for more data") console.log("Calling for more data")
if (this.busy) return if (this.busy) return
this.busy = true this.busy = true
@ -160,9 +168,11 @@ export class ReadStream extends Readable {
this.pushData() this.pushData()
} }
async _destroy(error: Error | null, callback: (error?: Error | null | undefined) => void): Promise<void> { async _destroy(
if (this.aborter) error: Error | null,
this.aborter.abort() callback: (error?: Error | null | undefined) => void
): Promise<void> {
if (this.aborter) this.aborter.abort()
callback() callback()
} }
@ -171,13 +181,19 @@ export class ReadStream extends Readable {
let ret = this.attachmentBuffer.splice(0, 1)[0] let ret = this.attachmentBuffer.splice(0, 1)[0]
if (ret) return ret if (ret) return ret
console.log(this.id, this.msgIdx, this.ranges.scan_msg_end, this.pointer.messageids[this.msgIdx]) console.log(
this.id,
this.msgIdx,
this.ranges.scan_msg_end,
this.pointer.messageids[this.msgIdx]
)
// oh, there's none left. let's fetch a new message, then. // oh, there's none left. let's fetch a new message, then.
if ( if (
!this.pointer.messageids[this.msgIdx] !this.pointer.messageids[this.msgIdx] ||
|| this.msgIdx > this.ranges.scan_msg_end this.msgIdx > this.ranges.scan_msg_end
) return null )
return null
let msg = await this.files.api let msg = await this.files.api
.fetchMessage(this.pointer.messageids[this.msgIdx]) .fetchMessage(this.pointer.messageids[this.msgIdx])
@ -190,14 +206,19 @@ export class ReadStream extends Readable {
let attach = msg.attachments let attach = msg.attachments
console.log(attach) console.log(attach)
this.attachmentBuffer = this.ranges.useRanges ? attach.slice( this.attachmentBuffer = this.ranges.useRanges
? attach.slice(
this.msgIdx == this.ranges.scan_msg_begin this.msgIdx == this.ranges.scan_msg_begin
? this.ranges.scan_files_begin - this.ranges.scan_msg_begin * 10 ? this.ranges.scan_files_begin -
this.ranges.scan_msg_begin * 10
: 0, : 0,
this.msgIdx == this.ranges.scan_msg_end this.msgIdx == this.ranges.scan_msg_end
? this.ranges.scan_files_end - this.ranges.scan_msg_end * 10 + 1 ? this.ranges.scan_files_end -
this.ranges.scan_msg_end * 10 +
1
: attach.length : attach.length
) : attach )
: attach
console.log(this.attachmentBuffer) console.log(this.attachmentBuffer)
} }
@ -218,13 +239,16 @@ export class ReadStream extends Readable {
if (pushing) return if (pushing) return
pushing = true pushing = true
return reader.read().catch(e => { return reader
.read()
.catch((e) => {
// Probably means an AbortError; whatever it is we'll need to abort // Probably means an AbortError; whatever it is we'll need to abort
if (webStream.locked) reader.releaseLock() if (webStream.locked) reader.releaseLock()
webStream.cancel().catch(e => undefined) webStream.cancel().catch((e) => undefined)
if (!stream.destroyed) stream.destroy() if (!stream.destroyed) stream.destroy()
return e return e
}).then(result => { })
.then((result) => {
if (result instanceof Error || !result) return result if (result instanceof Error || !result) return result
let pushed let pushed
@ -232,29 +256,36 @@ export class ReadStream extends Readable {
pushing = false pushing = false
pushed = pushToStream(result.value) pushed = pushToStream(result.value)
} }
return {readyForMore: pushed || false, streamDone: result.done } return {
readyForMore: pushed || false,
streamDone: result.done,
}
}) })
} }
} }
async getNextChunk() { async getNextChunk() {
let scanning_chunk = await this.getNextAttachment() let scanning_chunk = await this.getNextAttachment()
console.log(this.id, "Next chunk requested; got attachment", scanning_chunk) console.log(
this.id,
"Next chunk requested; got attachment",
scanning_chunk
)
if (!scanning_chunk) return null if (!scanning_chunk) return null
let { let { byteStart, byteEnd, scan_files_begin, scan_files_end } =
byteStart, byteEnd, scan_files_begin, scan_files_end this.ranges
} = this.ranges
let headers: HeadersInit = let headers: HeadersInit = this.ranges.useRanges
this.ranges.useRanges
? { ? {
Range: `bytes=${ Range: `bytes=${
this.position == 0 this.position == 0
? byteStart - scan_files_begin * this.pointer.chunkSize! ? byteStart -
scan_files_begin * this.pointer.chunkSize!
: "0" : "0"
}-${ }-${
this.attachmentBuffer.length == 0 && this.msgIdx == scan_files_end this.attachmentBuffer.length == 0 &&
this.msgIdx == scan_files_end
? byteEnd - scan_files_end * this.pointer.chunkSize! ? byteEnd - scan_files_end * this.pointer.chunkSize!
: "" : ""
}`, }`,
@ -263,8 +294,10 @@ export class ReadStream extends Readable {
this.aborter = new AbortController() this.aborter = new AbortController()
let response = await fetch(scanning_chunk.url, {headers, signal: this.aborter.signal}) let response = await fetch(scanning_chunk.url, {
.catch((e: Error) => { headers,
signal: this.aborter.signal,
}).catch((e: Error) => {
console.error(e) console.error(e)
return { body: e } return { body: e }
}) })
@ -274,11 +307,12 @@ export class ReadStream extends Readable {
return response.body return response.body
} }
currentPusher?: (() => Promise<{readyForMore: boolean, streamDone: boolean } | void> | undefined) currentPusher?: () =>
| Promise<{ readyForMore: boolean; streamDone: boolean } | void>
| undefined
busy: boolean = false busy: boolean = false
async pushData(): Promise<boolean | undefined> { async pushData(): Promise<boolean | undefined> {
// uh oh, we don't have a currentPusher // uh oh, we don't have a currentPusher
// let's make one then // let's make one then
if (!this.currentPusher) { if (!this.currentPusher) {
@ -292,7 +326,8 @@ export class ReadStream extends Readable {
// or the stream has ended. // or the stream has ended.
// let's destroy the stream // let's destroy the stream
console.log(this.id, "Ending", next) console.log(this.id, "Ending", next)
if (next) this.destroy(next); else this.push(null) if (next) this.destroy(next)
else this.push(null)
return return
} }
} }
@ -304,12 +339,10 @@ export class ReadStream extends Readable {
this.currentPusher = undefined this.currentPusher = undefined
return this.pushData() return this.pushData()
} else return result?.readyForMore } else return result?.readyForMore
} }
} }
export class UploadStream extends Writable { export class UploadStream extends Writable {
uploadId?: string uploadId?: string
name?: string name?: string
mime?: string mime?: string
@ -331,7 +364,11 @@ export class UploadStream extends Writable {
async _write(data: Buffer, encoding: string, callback: () => void) { async _write(data: Buffer, encoding: string, callback: () => void) {
console.log("Write to stream attempted") console.log("Write to stream attempted")
if (this.filled + data.byteLength > (this.files.config.maxDiscordFileSize*this.files.config.maxDiscordFiles)) if (
this.filled + data.byteLength >
this.files.config.maxDiscordFileSize *
this.files.config.maxDiscordFiles
)
return this.destroy(new WebError(413, "maximum file size exceeded")) return this.destroy(new WebError(413, "maximum file size exceeded"))
this.hash.update(data) this.hash.update(data)
@ -343,21 +380,30 @@ export class UploadStream extends Writable {
while (position < data.byteLength) { while (position < data.byteLength) {
let capture = Math.min( let capture = Math.min(
((this.files.config.maxDiscordFileSize*10) - (this.filled % (this.files.config.maxDiscordFileSize*10))), this.files.config.maxDiscordFileSize * 10 -
(this.filled % (this.files.config.maxDiscordFileSize * 10)),
data.byteLength - position data.byteLength - position
) )
console.log(`Capturing ${capture} bytes for megachunk, ${data.subarray(position, position + capture).byteLength}`) console.log(
`Capturing ${capture} bytes for megachunk, ${data.subarray(position, position + capture).byteLength}`
)
if (!this.current) await this.getNextStream() if (!this.current) await this.getNextStream()
if (!this.current) { if (!this.current) {
this.destroy(new Error("getNextStream called during debounce")); return this.destroy(new Error("getNextStream called during debounce"))
return
} }
readyForMore = this.current.push( data.subarray(position, position+capture) ) readyForMore = this.current.push(
console.log(`pushed ${data.byteLength} byte chunk`); data.subarray(position, position + capture)
position += capture, this.filled += capture )
console.log(`pushed ${data.byteLength} byte chunk`)
;(position += capture), (this.filled += capture)
// message is full, so tell the next run to get a new message // message is full, so tell the next run to get a new message
if (this.filled % (this.files.config.maxDiscordFileSize*10) == 0) { if (
this.filled % (this.files.config.maxDiscordFileSize * 10) ==
0
) {
this.current!.push(null) this.current!.push(null)
this.current = undefined this.current = undefined
} }
@ -369,7 +415,7 @@ export class UploadStream extends Writable {
async _final(callback: (error?: Error | null | undefined) => void) { async _final(callback: (error?: Error | null | undefined) => void) {
if (this.current) { if (this.current) {
this.current.push(null); this.current.push(null)
// i probably dnt need this but whateverrr :3 // i probably dnt need this but whateverrr :3
await new Promise((res, rej) => this.once("debounceReleased", res)) await new Promise((res, rej) => this.once("debounceReleased", res))
} }
@ -378,7 +424,10 @@ export class UploadStream extends Writable {
aborted: boolean = false aborted: boolean = false
async _destroy(error: Error | null, callback: (err?: Error|null) => void) { async _destroy(
error: Error | null,
callback: (err?: Error | null) => void
) {
this.error = error || undefined this.error = error || undefined
await this.abort() await this.abort()
callback(error) callback(error)
@ -406,8 +455,13 @@ export class UploadStream extends Writable {
async commit() { async commit() {
if (this.errored) throw this.error if (this.errored) throw this.error
if (!this.writableFinished) { if (!this.writableFinished) {
let err = Error("attempted to commit file when the stream was still unfinished") let err = Error(
if (!this.destroyed) {this.destroy(err)}; throw err "attempted to commit file when the stream was still unfinished"
)
if (!this.destroyed) {
this.destroy(err)
}
throw err
} }
// Perform checks // Perform checks
@ -430,19 +484,18 @@ export class UploadStream extends Writable {
messageids: this.messages, messageids: this.messages,
owner: this.owner, owner: this.owner,
sizeInBytes: this.filled, sizeInBytes: this.filled,
visibility: ogf ? ogf.visibility visibility: ogf
: ( ? ogf.visibility
this.owner : this.owner
? Accounts.getFromId(this.owner)?.defaultFileVisibility ? Accounts.getFromId(this.owner)?.defaultFileVisibility
: undefined : undefined,
),
// 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 } : {}),
chunkSize: this.files.config.maxDiscordFileSize, chunkSize: this.files.config.maxDiscordFileSize,
md5: this.hash.digest("hex"), md5: this.hash.digest("hex"),
lastModified: Date.now() lastModified: Date.now(),
} }
delete this.files.locks[this.uploadId!] delete this.files.locks[this.uploadId!]
@ -456,36 +509,57 @@ export class UploadStream extends Writable {
setName(name: string) { setName(name: string) {
if (this.name) if (this.name)
return this.destroy( new WebError(400, "duplicate attempt to set filename") ) return this.destroy(
new WebError(400, "duplicate attempt to set filename")
)
if (name.length > 512) if (name.length > 512)
return this.destroy( new WebError(400, "filename can be a maximum of 512 characters") ) return this.destroy(
new WebError(400, "filename can be a maximum of 512 characters")
)
this.name = name; this.name = name
return this return this
} }
setType(type: string) { setType(type: string) {
if (this.mime) if (this.mime)
return this.destroy( new WebError(400, "duplicate attempt to set mime type") ) return this.destroy(
new WebError(400, "duplicate attempt to set mime type")
)
if (type.length > 256) if (type.length > 256)
return this.destroy( new WebError(400, "mime type can be a maximum of 256 characters") ) return this.destroy(
new WebError(
400,
"mime type can be a maximum of 256 characters"
)
)
this.mime = type; this.mime = type
return this return this
} }
setUploadId(id: string) { setUploadId(id: string) {
if (this.uploadId) if (this.uploadId)
return this.destroy( new WebError(400, "duplicate attempt to set upload ID") ) return this.destroy(
if (!id || id.match(id_check_regex)?.[0] != id new WebError(400, "duplicate attempt to set upload ID")
|| id.length > this.files.config.maxUploadIdLength) )
if (
!id ||
id.match(id_check_regex)?.[0] != id ||
id.length > this.files.config.maxUploadIdLength
)
return this.destroy(new WebError(400, "invalid file ID")) 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"))
if (this.files.locks[id]) if (this.files.locks[id])
return this.destroy( new WebError(409, "a file with this ID is already being uploaded") ) return this.destroy(
new WebError(
409,
"a file with this ID is already being uploaded"
)
)
this.files.locks[id] = true this.files.locks[id] = true
this.uploadId = id this.uploadId = id
@ -501,7 +575,6 @@ export class UploadStream extends Writable {
private newmessage_debounce: boolean = true private newmessage_debounce: boolean = true
private async startMessage(): Promise<Readable | undefined> { private async startMessage(): Promise<Readable | undefined> {
if (!this.newmessage_debounce) return if (!this.newmessage_debounce) return
this.newmessage_debounce = false this.newmessage_debounce = false
@ -510,24 +583,28 @@ export class UploadStream extends Writable {
let stream = new Readable({ let stream = new Readable({
read() { read() {
// this is stupid but it should work // this is stupid but it should work
console.log("Read called; calling on server to execute callback") console.log(
"Read called; calling on server to execute callback"
)
wrt.emit("exec-callback") wrt.emit("exec-callback")
} },
}) })
stream.pause() stream.pause()
console.log(`Starting a message`) console.log(`Starting a message`)
this.files.api.send(stream).then(message => { this.files.api
.send(stream)
.then((message) => {
this.messages.push(message.id) this.messages.push(message.id)
console.log(`Sent: ${message.id}`) console.log(`Sent: ${message.id}`)
this.newmessage_debounce = true this.newmessage_debounce = true
this.emit("debounceReleased") this.emit("debounceReleased")
}).catch(e => { })
.catch((e) => {
if (!this.errored) this.destroy(e) if (!this.errored) this.destroy(e)
}) })
return stream return stream
} }
private async getNextStream() { private async getNextStream() {
@ -536,12 +613,14 @@ export class UploadStream extends Writable {
if (this.current) return this.current if (this.current) return this.current
else if (this.newmessage_debounce) { else if (this.newmessage_debounce) {
// startmessage.... idk // startmessage.... idk
this.current = await this.startMessage(); this.current = await this.startMessage()
return this.current return this.current
} else { } else {
return new Promise((resolve, reject) => { return new Promise((resolve, reject) => {
console.log("Waiting for debounce to be released...") console.log("Waiting for debounce to be released...")
this.once("debounceReleased", async () => resolve(await this.getNextStream())) this.once("debounceReleased", async () =>
resolve(await this.getNextStream())
)
}) })
} }
} }
@ -557,7 +636,7 @@ export default class Files {
constructor(config: Configuration) { constructor(config: Configuration) {
this.config = config this.config = config
this.api = new API(process.env.TOKEN!, config) this.api = new API(config.discordToken!, config)
readFile(this.data_directory + "/files.json") readFile(this.data_directory + "/files.json")
.then((buf) => { .then((buf) => {
@ -604,12 +683,12 @@ export default class Files {
} }
if (!target_file.sizeInBytes) if (!target_file.sizeInBytes)
target_file.sizeInBytes = attachment_sizes.reduce((a, b) => a + b, 0) target_file.sizeInBytes = attachment_sizes.reduce(
(a, b) => a + b,
if (!target_file.chunkSize) 0
target_file.chunkSize = attachment_sizes[0] )
if (!target_file.chunkSize) target_file.chunkSize = attachment_sizes[0]
} }
/** /**
@ -624,7 +703,8 @@ export default class Files {
): Promise<ReadStream> { ): Promise<ReadStream> {
if (this.files[uploadId]) { if (this.files[uploadId]) {
let file = this.files[uploadId] let file = this.files[uploadId]
if (!file.sizeInBytes || !file.chunkSize) await this.update(uploadId) if (!file.sizeInBytes || !file.chunkSize)
await this.update(uploadId)
return new ReadStream(this, file, range) return new ReadStream(this, file, range)
} else { } else {
throw { status: 404, message: "not found" } throw { status: 404, message: "not found" }
@ -648,9 +728,9 @@ export default class Files {
} }
delete this.files[uploadId] delete this.files[uploadId]
if (!noWrite) this.write().catch((err) => { if (!noWrite)
this.write().catch((err) => {
throw err throw err
}) })
} }
} }

View file

@ -7,8 +7,8 @@ let mailConfig = config.mail,
transport = createTransport({ transport = createTransport({
...mailConfig.transport, ...mailConfig.transport,
auth: { auth: {
user: process.env.MAIL_USER, user: process.env.MAIL__USER,
pass: process.env.MAIL_PASS, pass: process.env.MAIL__PASS,
}, },
}) })
@ -37,21 +37,26 @@ export function sendMail(to: string, subject: string, content: string) {
} }
export namespace CodeMgr { export namespace CodeMgr {
export const Intents = ["verifyEmail", "recoverAccount"] as const
export const Intents = [ export type Intent = (typeof Intents)[number]
"verifyEmail",
"recoverAccount"
] as const
export type Intent = typeof Intents[number] export function isIntent(intent: string): intent is Intent {
return intent in Intents
export function isIntent(intent: string): intent is Intent { return intent in Intents } }
export let codes = Object.fromEntries( export let codes = Object.fromEntries(
Intents.map(e => [ Intents.map((e) => [
e, e,
{byId: new Map<string, Code>(), byUser: new Map<string, Code[]>()} {
])) as Record<Intent, { byId: Map<string, Code>, byUser: Map<string, Code[]> }> byId: new Map<string, Code>(),
byUser: new Map<string, Code[]>(),
},
])
) as Record<
Intent,
{ byId: Map<string, Code>; byUser: Map<string, Code[]> }
>
// this is stupid whyd i write this // this is stupid whyd i write this
@ -65,25 +70,30 @@ export namespace CodeMgr {
readonly data: any readonly data: any
constructor(intent: Intent, forUser: string, data?: any, time: number = 15*60*1000) { constructor(
this.for = forUser; intent: Intent,
forUser: string,
data?: any,
time: number = 15 * 60 * 1000
) {
this.for = forUser
this.intent = intent this.intent = intent
this.expiryClear = setTimeout(this.terminate.bind(this), time) this.expiryClear = setTimeout(this.terminate.bind(this), time)
this.data = data this.data = data
codes[intent].byId.set(this.id, this); codes[intent].byId.set(this.id, this)
let byUser = codes[intent].byUser.get(this.for) let byUser = codes[intent].byUser.get(this.for)
if (!byUser) { if (!byUser) {
byUser = [] byUser = []
codes[intent].byUser.set(this.for, byUser); codes[intent].byUser.set(this.for, byUser)
} }
byUser.push(this) byUser.push(this)
} }
terminate() { terminate() {
codes[this.intent].byId.delete(this.id); codes[this.intent].byId.delete(this.id)
let bu = codes[this.intent].byUser.get(this.id)! let bu = codes[this.intent].byUser.get(this.id)!
bu.splice(bu.indexOf(this), 1) bu.splice(bu.indexOf(this), 1)
clearTimeout(this.expiryClear) clearTimeout(this.expiryClear)
@ -93,5 +103,4 @@ export namespace CodeMgr {
return forUser === this.for return forUser === this.for
} }
} }
} }