rpc documentation
This commit is contained in:
parent
b640f742ba
commit
9f0506f526
11 changed files with 186 additions and 120 deletions
|
@ -1,4 +1,4 @@
|
||||||
import { Pool, PoolClient, QueryResult } from "pg";
|
import { Client, Pool, PoolClient, QueryResult } from "pg";
|
||||||
|
|
||||||
const pool = new Pool();
|
const pool = new Pool();
|
||||||
|
|
||||||
|
@ -40,3 +40,32 @@ export async function withClient(callback: (client: PoolClient) => Promise<any>)
|
||||||
client.release();
|
client.release();
|
||||||
return result;
|
return result;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const tries = 60;
|
||||||
|
|
||||||
|
export async function waitForDatabase(): Promise<boolean> {
|
||||||
|
let success = false;
|
||||||
|
|
||||||
|
for (let i = 0; i < tries; i++) {
|
||||||
|
const waitingClient = new Client({ connectionTimeoutMillis: 1000 });
|
||||||
|
try {
|
||||||
|
await waitingClient.connect();
|
||||||
|
success = true;
|
||||||
|
} catch(o_O) {
|
||||||
|
console.log("database connection failed, trying again...");
|
||||||
|
} finally {
|
||||||
|
await waitingClient.end();
|
||||||
|
}
|
||||||
|
|
||||||
|
if (success) {
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
if (success) {
|
||||||
|
return true;
|
||||||
|
} else {
|
||||||
|
console.error(`failed to connect to database after ${tries} tries`);
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
|
@ -1,23 +1,18 @@
|
||||||
import { query } from ".";
|
import { Client } from "pg";
|
||||||
|
import { query, waitForDatabase } from ".";
|
||||||
|
|
||||||
export default async function databaseInit() {
|
const migrationQuery = `
|
||||||
const migrations = [
|
|
||||||
`
|
|
||||||
CREATE TABLE IF NOT EXISTS users(
|
CREATE TABLE IF NOT EXISTS users(
|
||||||
id SERIAL PRIMARY KEY,
|
id SERIAL PRIMARY KEY,
|
||||||
username VARCHAR(32) UNIQUE NOT NULL,
|
username VARCHAR(32) UNIQUE NOT NULL,
|
||||||
password TEXT,
|
password TEXT,
|
||||||
is_superuser BOOLEAN
|
is_superuser BOOLEAN
|
||||||
);
|
);
|
||||||
`,
|
|
||||||
`
|
|
||||||
CREATE TABLE IF NOT EXISTS channels(
|
CREATE TABLE IF NOT EXISTS channels(
|
||||||
id SERIAL PRIMARY KEY,
|
id SERIAL PRIMARY KEY,
|
||||||
name VARCHAR(32) NOT NULL,
|
name VARCHAR(32) NOT NULL,
|
||||||
owner_id SERIAL REFERENCES users ON DELETE CASCADE
|
owner_id SERIAL REFERENCES users ON DELETE CASCADE
|
||||||
);
|
);
|
||||||
`,
|
|
||||||
`
|
|
||||||
CREATE TABLE IF NOT EXISTS messages(
|
CREATE TABLE IF NOT EXISTS messages(
|
||||||
id SERIAL PRIMARY KEY,
|
id SERIAL PRIMARY KEY,
|
||||||
content VARCHAR(4000) NOT NULL,
|
content VARCHAR(4000) NOT NULL,
|
||||||
|
@ -25,14 +20,8 @@ export default async function databaseInit() {
|
||||||
author_id SERIAL REFERENCES users ON DELETE CASCADE,
|
author_id SERIAL REFERENCES users ON DELETE CASCADE,
|
||||||
created_at BIGINT
|
created_at BIGINT
|
||||||
);
|
);
|
||||||
`,
|
|
||||||
`
|
|
||||||
ALTER TABLE messages ADD COLUMN IF NOT EXISTS nick_username VARCHAR(64) DEFAULT NULL;
|
ALTER TABLE messages ADD COLUMN IF NOT EXISTS nick_username VARCHAR(64) DEFAULT NULL;
|
||||||
`,
|
|
||||||
`
|
|
||||||
ALTER TABLE users ADD COLUMN IF NOT EXISTS avatar VARCHAR(48) DEFAULT NULL;
|
ALTER TABLE users ADD COLUMN IF NOT EXISTS avatar VARCHAR(48) DEFAULT NULL;
|
||||||
`,
|
|
||||||
`
|
|
||||||
CREATE TABLE IF NOT EXISTS communities(
|
CREATE TABLE IF NOT EXISTS communities(
|
||||||
id SERIAL PRIMARY KEY,
|
id SERIAL PRIMARY KEY,
|
||||||
name VARCHAR(64) NOT NULL,
|
name VARCHAR(64) NOT NULL,
|
||||||
|
@ -40,11 +29,7 @@ export default async function databaseInit() {
|
||||||
avatar VARCHAR(48) DEFAULT NULL,
|
avatar VARCHAR(48) DEFAULT NULL,
|
||||||
created_at BIGINT
|
created_at BIGINT
|
||||||
);
|
);
|
||||||
`,
|
|
||||||
`
|
|
||||||
ALTER TABLE channels ADD COLUMN IF NOT EXISTS community_id INT NULL REFERENCES communities(id) ON DELETE CASCADE;
|
ALTER TABLE channels ADD COLUMN IF NOT EXISTS community_id INT NULL REFERENCES communities(id) ON DELETE CASCADE;
|
||||||
`,
|
|
||||||
`
|
|
||||||
CREATE TABLE IF NOT EXISTS message_attachments(
|
CREATE TABLE IF NOT EXISTS message_attachments(
|
||||||
id SERIAL PRIMARY KEY,
|
id SERIAL PRIMARY KEY,
|
||||||
type VARCHAR(64) NOT NULL,
|
type VARCHAR(64) NOT NULL,
|
||||||
|
@ -56,22 +41,37 @@ export default async function databaseInit() {
|
||||||
file_mime VARCHAR(256) DEFAULT NULL,
|
file_mime VARCHAR(256) DEFAULT NULL,
|
||||||
file_size_bytes BIGINT DEFAULT NULL
|
file_size_bytes BIGINT DEFAULT NULL
|
||||||
);
|
);
|
||||||
`,
|
|
||||||
`
|
|
||||||
ALTER TABLE messages ADD COLUMN IF NOT EXISTS pending_attachments INT DEFAULT NULL;
|
ALTER TABLE messages ADD COLUMN IF NOT EXISTS pending_attachments INT DEFAULT NULL;
|
||||||
`,
|
|
||||||
`
|
|
||||||
ALTER TABLE message_attachments ADD COLUMN IF NOT EXISTS width INT DEFAULT NULL;
|
ALTER TABLE message_attachments ADD COLUMN IF NOT EXISTS width INT DEFAULT NULL;
|
||||||
`,
|
|
||||||
`
|
|
||||||
ALTER TABLE message_attachments ADD COLUMN IF NOT EXISTS height INT DEFAULT NULL;
|
ALTER TABLE message_attachments ADD COLUMN IF NOT EXISTS height INT DEFAULT NULL;
|
||||||
`,
|
|
||||||
`
|
|
||||||
ALTER TABLE message_attachments ADD COLUMN IF NOT EXISTS file_name VARCHAR(256) DEFAULT NULL;
|
ALTER TABLE message_attachments ADD COLUMN IF NOT EXISTS file_name VARCHAR(256) DEFAULT NULL;
|
||||||
`,
|
`;
|
||||||
];
|
|
||||||
|
|
||||||
for (let i = 0; i < migrations.length; i++) {
|
export default async function databaseInit() {
|
||||||
await query(migrations[i], [], false);
|
const success = await waitForDatabase();
|
||||||
|
if (!success) {
|
||||||
|
console.error("databaseInit: database is not available, exiting...");
|
||||||
|
process.exit(1);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const start = performance.now();
|
||||||
|
|
||||||
|
const client = new Client();
|
||||||
|
await client.connect();
|
||||||
|
|
||||||
|
try {
|
||||||
|
await client.query("BEGIN");
|
||||||
|
await client.query(migrationQuery);
|
||||||
|
await client.query("COMMIT");
|
||||||
|
} catch (O_o) {
|
||||||
|
console.error("failed to apply migrations, rolling back", O_o);
|
||||||
|
await client.query("ROLLBACK");
|
||||||
|
process.exit(1);
|
||||||
|
} finally {
|
||||||
|
await client.end();
|
||||||
|
}
|
||||||
|
|
||||||
|
const delta = performance.now() - start;
|
||||||
|
|
||||||
|
console.log(`refreshed migrations in ${delta}ms`);
|
||||||
}
|
}
|
|
@ -18,14 +18,7 @@ function serve() {
|
||||||
}
|
}
|
||||||
|
|
||||||
async function main() {
|
async function main() {
|
||||||
if (process.argv[2] === "db-init") {
|
|
||||||
console.log("db-init: initializing database...");
|
|
||||||
await databaseInit();
|
await databaseInit();
|
||||||
console.log("db-init: databaseInit() finished");
|
|
||||||
console.log("database initialized, exiting...");
|
|
||||||
process.exit(0);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
|
|
||||||
serve();
|
serve();
|
||||||
}
|
}
|
||||||
|
|
|
@ -2,6 +2,7 @@ import { errors } from "../../../errors";
|
||||||
import express from "express";
|
import express from "express";
|
||||||
import { authenticateRoute } from "../../../auth";
|
import { authenticateRoute } from "../../../auth";
|
||||||
import { processMethodBatch } from "../../../rpc/rpc";
|
import { processMethodBatch } from "../../../rpc/rpc";
|
||||||
|
import { methodMap } from "../../../rpc";
|
||||||
|
|
||||||
const router = express.Router();
|
const router = express.Router();
|
||||||
|
|
||||||
|
@ -31,4 +32,12 @@ router.get(
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
|
|
||||||
|
router.get(
|
||||||
|
"/methods",
|
||||||
|
authenticateRoute(false),
|
||||||
|
async (req, res) => {
|
||||||
|
res.json(methodMap);
|
||||||
|
}
|
||||||
|
);
|
||||||
|
|
||||||
export default router;
|
export default router;
|
||||||
|
|
|
@ -8,14 +8,13 @@ import path from "node:path";
|
||||||
import { promises as fsPromises } from "node:fs";
|
import { promises as fsPromises } from "node:fs";
|
||||||
import { getMessageById } from "../../database/templates";
|
import { getMessageById } from "../../database/templates";
|
||||||
import { uploadsMode } from "../../serverconfig";
|
import { uploadsMode } from "../../serverconfig";
|
||||||
import { dispatch } from "../../gateway";
|
|
||||||
import { GatewayPayloadType } from "../../gateway/gatewaypayloadtype";
|
import { GatewayPayloadType } from "../../gateway/gatewaypayloadtype";
|
||||||
|
|
||||||
const fileType = eval("import('file-type')");
|
const fileType = eval("import('file-type')");
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"createMessageAttachment",
|
"createMessageAttachment",
|
||||||
[uint(), string(2, 128), bufferSlice()],
|
[uint("messageId", "ID of the target message"), string("filenameUnsafe", "Name of the file", 2, 128), bufferSlice("inputBuffer", "File data")],
|
||||||
async (user: User, messageId: number, filenameUnsafe: string, inputBuffer: Buffer, ctx: RPCContext) => {
|
async (user: User, messageId: number, filenameUnsafe: string, inputBuffer: Buffer, ctx: RPCContext) => {
|
||||||
if (inputBuffer.byteLength >= 16777220) {
|
if (inputBuffer.byteLength >= 16777220) {
|
||||||
return { ...errors.BAD_REQUEST, detail: "Uploaded file exceeds 16MiB limit." };
|
return { ...errors.BAD_REQUEST, detail: "Uploaded file exceeds 16MiB limit." };
|
||||||
|
|
|
@ -2,14 +2,14 @@ import { channelNameRegex, method, int, string, uint, withOptional, withRegexp,
|
||||||
import { query } from "../../database";
|
import { query } from "../../database";
|
||||||
import { getMessagesByChannelFirstPage, getMessagesByChannelPage } from "../../database/templates";
|
import { getMessagesByChannelFirstPage, getMessagesByChannelPage } from "../../database/templates";
|
||||||
import { errors } from "../../errors";
|
import { errors } from "../../errors";
|
||||||
import { dispatch, dispatchChannelSubscribe } from "../../gateway";
|
import { dispatchChannelSubscribe } from "../../gateway";
|
||||||
import { GatewayPayloadType } from "../../gateway/gatewaypayloadtype";
|
import { GatewayPayloadType } from "../../gateway/gatewaypayloadtype";
|
||||||
import sendMessage from "../../impl";
|
import sendMessage from "../../impl";
|
||||||
import serverConfig from "../../serverconfig";
|
import serverConfig from "../../serverconfig";
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"createChannel",
|
"createChannel",
|
||||||
[withRegexp(channelNameRegex, string(1, 32)), withOptional(uint())],
|
[withRegexp(channelNameRegex, string("name", "Name of the channel to create", 1, 32)), withOptional(uint("communityId", "ID of the community to attach this channel to"))],
|
||||||
async (user: User, name: string, communityId: number | null, ctx: RPCContext) => {
|
async (user: User, name: string, communityId: number | null, ctx: RPCContext) => {
|
||||||
if (serverConfig.superuserRequirement.createChannel && !user.is_superuser) {
|
if (serverConfig.superuserRequirement.createChannel && !user.is_superuser) {
|
||||||
return errors.FORBIDDEN_DUE_TO_MISSING_PERMISSIONS;
|
return errors.FORBIDDEN_DUE_TO_MISSING_PERMISSIONS;
|
||||||
|
@ -35,7 +35,7 @@ method(
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"updateChannelName",
|
"updateChannelName",
|
||||||
[uint(), withRegexp(channelNameRegex, string(1, 32))],
|
[uint("id", "ID of the channel to update"), withRegexp(channelNameRegex, string("name", "New channel name", 1, 32))],
|
||||||
async (user: User, id: number, name: string, ctx: RPCContext) => {
|
async (user: User, id: number, name: string, ctx: RPCContext) => {
|
||||||
const permissionCheckResult = await query("SELECT owner_id FROM channels WHERE id = $1", [id]);
|
const permissionCheckResult = await query("SELECT owner_id FROM channels WHERE id = $1", [id]);
|
||||||
if (!permissionCheckResult || permissionCheckResult.rowCount < 1) {
|
if (!permissionCheckResult || permissionCheckResult.rowCount < 1) {
|
||||||
|
@ -61,7 +61,7 @@ method(
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"deleteChannel",
|
"deleteChannel",
|
||||||
[uint()],
|
[uint("id", "ID of the channel to delete")],
|
||||||
async (user: User, id: number, ctx: RPCContext) => {
|
async (user: User, id: number, ctx: RPCContext) => {
|
||||||
const permissionCheckResult = await query("SELECT owner_id FROM channels WHERE id = $1", [id]);
|
const permissionCheckResult = await query("SELECT owner_id FROM channels WHERE id = $1", [id]);
|
||||||
if (!permissionCheckResult || permissionCheckResult.rowCount < 1) {
|
if (!permissionCheckResult || permissionCheckResult.rowCount < 1) {
|
||||||
|
@ -87,7 +87,7 @@ method(
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"getChannel",
|
"getChannel",
|
||||||
[uint()],
|
[uint("id", "ID of the channel")],
|
||||||
async (_user: User, id: number) => {
|
async (_user: User, id: number) => {
|
||||||
const result = await query("SELECT id, name, owner_id, community_id FROM channels WHERE id = $1", [id]);
|
const result = await query("SELECT id, name, owner_id, community_id FROM channels WHERE id = $1", [id]);
|
||||||
if (!result || result.rowCount < 1) {
|
if (!result || result.rowCount < 1) {
|
||||||
|
@ -110,7 +110,13 @@ method(
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"createChannelMessage",
|
"createChannelMessage",
|
||||||
[uint(), string(1, 4000), withOptional(uint()), withOptional(string(1, 64)), withOptional(uint())],
|
[
|
||||||
|
uint("id", "ID of the channel to send the message into"),
|
||||||
|
string("content", "Text content of the message", 1, 4000),
|
||||||
|
withOptional(uint("optimistic_id", "User-specific ID of the message to easily identify it over the gateway")),
|
||||||
|
withOptional(string("nick_username", "Username to display", 1, 64)),
|
||||||
|
withOptional(uint("pending_attachments", "Number of attachments expected to be added"))
|
||||||
|
],
|
||||||
async (user: User, id: number, content: string, optimistic_id: number | null, nick_username: string | null, pending_attachments: number | null, ctx: RPCContext) => {
|
async (user: User, id: number, content: string, optimistic_id: number | null, nick_username: string | null, pending_attachments: number | null, ctx: RPCContext) => {
|
||||||
return await sendMessage(user, id, optimistic_id, content, nick_username, pending_attachments ?? 0, ctx);
|
return await sendMessage(user, id, optimistic_id, content, nick_username, pending_attachments ?? 0, ctx);
|
||||||
}
|
}
|
||||||
|
@ -118,7 +124,7 @@ method(
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"getChannelMessages",
|
"getChannelMessages",
|
||||||
[uint(), withOptional(int(5, 100)), withOptional(uint())],
|
[uint("channelId", "ID of the channel"), withOptional(int("count", "Number of messages", 5, 100)), withOptional(uint("before", "If specified, send only messages before this message ID"))],
|
||||||
async (_user: User, channelId: number, count: number | null, before: number | null) => {
|
async (_user: User, channelId: number, count: number | null, before: number | null) => {
|
||||||
let limit = count ?? 25;
|
let limit = count ?? 25;
|
||||||
|
|
||||||
|
@ -138,7 +144,7 @@ method(
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"putChannelTyping",
|
"putChannelTyping",
|
||||||
[uint()],
|
[uint("channelId", "ID of the channel")],
|
||||||
async (user: User, channelId: number, ctx: RPCContext) => {
|
async (user: User, channelId: number, ctx: RPCContext) => {
|
||||||
ctx.gatewayDispatch(`channel:${channelId}`, {
|
ctx.gatewayDispatch(`channel:${channelId}`, {
|
||||||
t: GatewayPayloadType.TypingStart,
|
t: GatewayPayloadType.TypingStart,
|
||||||
|
|
|
@ -1,13 +1,13 @@
|
||||||
import { channelNameRegex, method, int, string, uint, withRegexp, RPCContext } from "../rpc";
|
import { channelNameRegex, method, int, string, uint, withRegexp, RPCContext } from "../rpc";
|
||||||
import { query } from "../../database";
|
import { query } from "../../database";
|
||||||
import { errors } from "../../errors";
|
import { errors } from "../../errors";
|
||||||
import { dispatch, dispatchChannelSubscribe } from "../../gateway";
|
import { dispatchChannelSubscribe } from "../../gateway";
|
||||||
import { GatewayPayloadType } from "../../gateway/gatewaypayloadtype";
|
import { GatewayPayloadType } from "../../gateway/gatewaypayloadtype";
|
||||||
import serverConfig from "../../serverconfig";
|
import serverConfig from "../../serverconfig";
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"createCommunity",
|
"createCommunity",
|
||||||
[withRegexp(channelNameRegex, string(1, 64))],
|
[withRegexp(channelNameRegex, string("name", "Name of the community to create", 1, 64))],
|
||||||
async (user: User, name: string, ctx: RPCContext) => {
|
async (user: User, name: string, ctx: RPCContext) => {
|
||||||
if (serverConfig.superuserRequirement.createChannel && !user.is_superuser) {
|
if (serverConfig.superuserRequirement.createChannel && !user.is_superuser) {
|
||||||
return errors.FORBIDDEN_DUE_TO_MISSING_PERMISSIONS;
|
return errors.FORBIDDEN_DUE_TO_MISSING_PERMISSIONS;
|
||||||
|
@ -30,7 +30,7 @@ method(
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"updateCommunityName",
|
"updateCommunityName",
|
||||||
[uint(), withRegexp(channelNameRegex, string(1, 32))],
|
[uint("id", "ID of the community to update"), withRegexp(channelNameRegex, string("name", "New community name", 1, 32))],
|
||||||
async (user: User, id: number, name: string, ctx: RPCContext) => {
|
async (user: User, id: number, name: string, ctx: RPCContext) => {
|
||||||
const permissionCheckResult = await query("SELECT owner_id FROM communities WHERE id = $1", [id]);
|
const permissionCheckResult = await query("SELECT owner_id FROM communities WHERE id = $1", [id]);
|
||||||
if (!permissionCheckResult || permissionCheckResult.rowCount < 1) {
|
if (!permissionCheckResult || permissionCheckResult.rowCount < 1) {
|
||||||
|
@ -56,7 +56,7 @@ method(
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"deleteCommunity",
|
"deleteCommunity",
|
||||||
[uint()],
|
[uint("id", "ID of the community to delete")],
|
||||||
async (user: User, id: number, ctx: RPCContext) => {
|
async (user: User, id: number, ctx: RPCContext) => {
|
||||||
const permissionCheckResult = await query("SELECT owner_id FROM communities WHERE id = $1", [id]);
|
const permissionCheckResult = await query("SELECT owner_id FROM communities WHERE id = $1", [id]);
|
||||||
if (!permissionCheckResult || permissionCheckResult.rowCount < 1) {
|
if (!permissionCheckResult || permissionCheckResult.rowCount < 1) {
|
||||||
|
@ -82,7 +82,7 @@ method(
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"getCommunity",
|
"getCommunity",
|
||||||
[uint()],
|
[uint("id", "ID of the community")],
|
||||||
async (_user: User, id: number) => {
|
async (_user: User, id: number) => {
|
||||||
const result = await query("SELECT id, name, owner_id, avatar, created_at FROM communities WHERE id = $1", [id]);
|
const result = await query("SELECT id, name, owner_id, avatar, created_at FROM communities WHERE id = $1", [id]);
|
||||||
if (!result || result.rowCount < 1) {
|
if (!result || result.rowCount < 1) {
|
||||||
|
@ -105,7 +105,7 @@ method(
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"getCommunityChannels",
|
"getCommunityChannels",
|
||||||
[uint()],
|
[uint("id", "ID of the community")],
|
||||||
async (_user: User, id: number) => {
|
async (_user: User, id: number) => {
|
||||||
const result = await query("SELECT id, name, owner_id, community_id FROM channels WHERE community_id = $1", [id]);
|
const result = await query("SELECT id, name, owner_id, community_id FROM channels WHERE community_id = $1", [id]);
|
||||||
|
|
||||||
|
|
|
@ -2,7 +2,6 @@ import { RPCContext, method, string, uint } from "./../rpc";
|
||||||
import { query } from "../../database";
|
import { query } from "../../database";
|
||||||
import { getMessageById } from "../../database/templates";
|
import { getMessageById } from "../../database/templates";
|
||||||
import { errors } from "../../errors";
|
import { errors } from "../../errors";
|
||||||
import { dispatch } from "../../gateway";
|
|
||||||
import { GatewayPayloadType } from "../../gateway/gatewaypayloadtype";
|
import { GatewayPayloadType } from "../../gateway/gatewaypayloadtype";
|
||||||
import { unlink } from "node:fs/promises";
|
import { unlink } from "node:fs/promises";
|
||||||
import path from "node:path";
|
import path from "node:path";
|
||||||
|
@ -10,7 +9,7 @@ import { UploadTarget, getSafeUploadPath } from "../../uploading";
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"deleteMessage",
|
"deleteMessage",
|
||||||
[uint()],
|
[uint("id", "ID of the message to delete")],
|
||||||
async (user: User, id: number, ctx: RPCContext) => {
|
async (user: User, id: number, ctx: RPCContext) => {
|
||||||
const messageCheckResult = await query(getMessageById, [id]);
|
const messageCheckResult = await query(getMessageById, [id]);
|
||||||
if (!messageCheckResult || messageCheckResult.rowCount < 1) {
|
if (!messageCheckResult || messageCheckResult.rowCount < 1) {
|
||||||
|
@ -60,7 +59,7 @@ method(
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"updateMessageContent",
|
"updateMessageContent",
|
||||||
[uint(), string(1, 4000)],
|
[uint("id", "ID of the message to update"), string("content", "New message text content", 1, 4000)],
|
||||||
async (user: User, id: number, content: string, ctx: RPCContext) => {
|
async (user: User, id: number, content: string, ctx: RPCContext) => {
|
||||||
const permissionCheckResult = await query(getMessageById, [id]);
|
const permissionCheckResult = await query(getMessageById, [id]);
|
||||||
if (!permissionCheckResult || permissionCheckResult.rowCount < 1) {
|
if (!permissionCheckResult || permissionCheckResult.rowCount < 1) {
|
||||||
|
@ -91,7 +90,7 @@ method(
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"getMessage",
|
"getMessage",
|
||||||
[uint()],
|
[uint("id", "ID of the message")],
|
||||||
async (user: User, id: number) => {
|
async (user: User, id: number) => {
|
||||||
const result = await query(getMessageById, [id]);
|
const result = await query(getMessageById, [id]);
|
||||||
if (!result || result.rowCount < 1) {
|
if (!result || result.rowCount < 1) {
|
||||||
|
|
|
@ -1,6 +1,6 @@
|
||||||
import { errors } from "../../errors";
|
import { errors } from "../../errors";
|
||||||
import { query } from "../../database";
|
import { query } from "../../database";
|
||||||
import { compare, hash, hashSync } from "bcrypt";
|
import { compare, hash } from "bcrypt";
|
||||||
import { getPublicUserObject, loginAttempt } from "../../auth";
|
import { getPublicUserObject, loginAttempt } from "../../auth";
|
||||||
import { RPCContext, bufferSlice, method, methodButWarningDoesNotAuthenticate, string, usernameRegex, withRegexp } from "./../rpc";
|
import { RPCContext, bufferSlice, method, methodButWarningDoesNotAuthenticate, string, usernameRegex, withRegexp } from "./../rpc";
|
||||||
import sharp from "sharp";
|
import sharp from "sharp";
|
||||||
|
@ -8,7 +8,6 @@ import path from "path";
|
||||||
import { randomBytes } from "crypto";
|
import { randomBytes } from "crypto";
|
||||||
import { unlink } from "fs/promises";
|
import { unlink } from "fs/promises";
|
||||||
import { GatewayPayloadType } from "../../gateway/gatewaypayloadtype";
|
import { GatewayPayloadType } from "../../gateway/gatewaypayloadtype";
|
||||||
import { dispatch } from "../../gateway";
|
|
||||||
import { supportedImageMime } from "../../uploading";
|
import { supportedImageMime } from "../../uploading";
|
||||||
import { avatarUploadDirectory, disableAccountCreation, superuserKey } from "../../serverconfig";
|
import { avatarUploadDirectory, disableAccountCreation, superuserKey } from "../../serverconfig";
|
||||||
|
|
||||||
|
@ -17,7 +16,7 @@ const fileType = eval("import('file-type')");
|
||||||
|
|
||||||
methodButWarningDoesNotAuthenticate(
|
methodButWarningDoesNotAuthenticate(
|
||||||
"createUser",
|
"createUser",
|
||||||
[withRegexp(usernameRegex, string(3, 32)), string(8, 1000)],
|
[withRegexp(usernameRegex, string("username", "Username of the user to create", 3, 32)), string("password", "Password of the user to create", 8, 1000)],
|
||||||
async (username: string, password: string) => {
|
async (username: string, password: string) => {
|
||||||
if (disableAccountCreation) {
|
if (disableAccountCreation) {
|
||||||
return errors.FEATURE_DISABLED;
|
return errors.FEATURE_DISABLED;
|
||||||
|
@ -43,7 +42,7 @@ methodButWarningDoesNotAuthenticate(
|
||||||
|
|
||||||
methodButWarningDoesNotAuthenticate(
|
methodButWarningDoesNotAuthenticate(
|
||||||
"loginUser",
|
"loginUser",
|
||||||
[withRegexp(usernameRegex, string(3, 32)), string(8, 1000)],
|
[withRegexp(usernameRegex, string("username", "Username of the account to log into", 3, 32)), string("password", "Password of the account to log into", 8, 1000)],
|
||||||
async (username: string, password: string) => {
|
async (username: string, password: string) => {
|
||||||
const token = await loginAttempt(username, password);
|
const token = await loginAttempt(username, password);
|
||||||
if (!token) {
|
if (!token) {
|
||||||
|
@ -64,7 +63,7 @@ method(
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"promoteUserSelf",
|
"promoteUserSelf",
|
||||||
[string(1, 1000)],
|
[string("key", "Superuser key", 1, 1000)],
|
||||||
async (user: User, key: string) => {
|
async (user: User, key: string) => {
|
||||||
if (!superuserKey) {
|
if (!superuserKey) {
|
||||||
return errors.FEATURE_DISABLED;
|
return errors.FEATURE_DISABLED;
|
||||||
|
@ -91,7 +90,7 @@ const profilePictureSizes = [
|
||||||
|
|
||||||
method(
|
method(
|
||||||
"putUserAvatar",
|
"putUserAvatar",
|
||||||
[bufferSlice()],
|
[bufferSlice("buffer", "Avatar file bytes")],
|
||||||
async (user: User, buffer: Buffer, ctx: RPCContext) => {
|
async (user: User, buffer: Buffer, ctx: RPCContext) => {
|
||||||
if (buffer.byteLength >= 3145728) {
|
if (buffer.byteLength >= 3145728) {
|
||||||
// buffer exceeds 3MiB
|
// buffer exceeds 3MiB
|
||||||
|
|
|
@ -1,4 +1,4 @@
|
||||||
import { methodGroup, methodNameToId, methods } from "./rpc";
|
import { RPCArgumentType, RPCMethod, methodGroup, methodNameToId, methods } from "./rpc";
|
||||||
|
|
||||||
methodGroup(100);
|
methodGroup(100);
|
||||||
import "./apis/users";
|
import "./apis/users";
|
||||||
|
@ -12,10 +12,40 @@ methodGroup(500);
|
||||||
import "./apis/attachments";
|
import "./apis/attachments";
|
||||||
|
|
||||||
|
|
||||||
console.log("--- begin rpc method map ---")
|
export const methodMap: any = Object.fromEntries(methodNameToId);
|
||||||
const methodMap: any = Object.fromEntries(methodNameToId);
|
|
||||||
for (const key of Object.keys(methodMap)) {
|
for (const key of Object.keys(methodMap)) {
|
||||||
methodMap[key] = [methodMap[key], methods.get(methodMap[key])?.requiresAuthentication];
|
const id = methodMap[key];
|
||||||
|
const method: RPCMethod | undefined = methods.get(id);
|
||||||
|
if (!method) continue;
|
||||||
|
|
||||||
|
const actualArguments = method.args.map((arg) => {
|
||||||
|
const safeArg: any = { ...arg };
|
||||||
|
if (arg.regexp) {
|
||||||
|
delete safeArg.regexp;
|
||||||
|
safeArg.hasRegex = true;
|
||||||
|
}
|
||||||
|
|
||||||
|
switch (arg.type) {
|
||||||
|
case RPCArgumentType.Buffer: {
|
||||||
|
safeArg.type = "buffer"
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
case RPCArgumentType.Integer: {
|
||||||
|
safeArg.type = "int";
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
case RPCArgumentType.String: {
|
||||||
|
safeArg.type = "string";
|
||||||
|
break;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return safeArg;
|
||||||
|
});
|
||||||
|
|
||||||
|
methodMap[key] = {
|
||||||
|
id,
|
||||||
|
requiresAuthentication: method.requiresAuthentication,
|
||||||
|
arguments: actualArguments
|
||||||
|
};
|
||||||
}
|
}
|
||||||
console.log(methodMap);
|
|
||||||
console.log("--- end rpc method map ---");
|
|
||||||
|
|
|
@ -10,10 +10,10 @@ export const channelNameRegex = new RegExp(/^[a-z0-9_\- ]+$/i);
|
||||||
const defaultStringMaxLength = 3000;
|
const defaultStringMaxLength = 3000;
|
||||||
const defaultMaxBufferLength = maxBufferByteLength;
|
const defaultMaxBufferLength = maxBufferByteLength;
|
||||||
|
|
||||||
export const uint = (): RPCArgument => ({ type: RPCArgumentType.Integer, minValue: 0 });
|
export const uint = (name: string, description: string): RPCArgument => ({ name, description, type: RPCArgumentType.Integer, minValue: 0 });
|
||||||
export const int = (minValue?: number, maxValue?: number): RPCArgument => ({ type: RPCArgumentType.Integer, minValue, maxValue });
|
export const int = (name: string, description: string, minValue?: number, maxValue?: number): RPCArgument => ({ name, description, type: RPCArgumentType.Integer, minValue, maxValue });
|
||||||
export const string = (minLength = 0, maxLength = defaultStringMaxLength): RPCArgument => ({ type: RPCArgumentType.String, minLength, maxLength });
|
export const string = (name: string, description: string, minLength = 0, maxLength = defaultStringMaxLength): RPCArgument => ({ name, description, type: RPCArgumentType.String, minLength, maxLength });
|
||||||
export const bufferSlice = (minLength = 0, maxLength = defaultMaxBufferLength) => ({ type: RPCArgumentType.Buffer, minLength, maxLength });
|
export const bufferSlice = (name: string, description: string, minLength = 0, maxLength = defaultMaxBufferLength) => ({ name, description, type: RPCArgumentType.Buffer, minLength, maxLength });
|
||||||
export const withRegexp = (regexp: RegExp, arg: RPCArgument): RPCArgument => ({ minLength: 0, maxLength: defaultStringMaxLength, ...arg, regexp });
|
export const withRegexp = (regexp: RegExp, arg: RPCArgument): RPCArgument => ({ minLength: 0, maxLength: defaultStringMaxLength, ...arg, regexp });
|
||||||
export const withOptional = (arg: RPCArgument): RPCArgument => ({ ...arg, isOptional: true });
|
export const withOptional = (arg: RPCArgument): RPCArgument => ({ ...arg, isOptional: true });
|
||||||
|
|
||||||
|
@ -32,7 +32,7 @@ const defaultRPCContext: RPCContext = {
|
||||||
};
|
};
|
||||||
|
|
||||||
|
|
||||||
enum RPCArgumentType {
|
export enum RPCArgumentType {
|
||||||
Integer,
|
Integer,
|
||||||
String,
|
String,
|
||||||
Buffer
|
Buffer
|
||||||
|
@ -41,6 +41,8 @@ enum RPCArgumentType {
|
||||||
interface RPCArgument {
|
interface RPCArgument {
|
||||||
type: RPCArgumentType
|
type: RPCArgumentType
|
||||||
isOptional?: boolean
|
isOptional?: boolean
|
||||||
|
name: string,
|
||||||
|
description: string,
|
||||||
|
|
||||||
// strings
|
// strings
|
||||||
minLength?: number // also used for buffer
|
minLength?: number // also used for buffer
|
||||||
|
@ -52,7 +54,7 @@ interface RPCArgument {
|
||||||
maxValue?: number
|
maxValue?: number
|
||||||
}
|
}
|
||||||
|
|
||||||
interface RPCMethod {
|
export interface RPCMethod {
|
||||||
args: RPCArgument[],
|
args: RPCArgument[],
|
||||||
func: ((...args: any[]) => any)
|
func: ((...args: any[]) => any)
|
||||||
requiresAuthentication: boolean
|
requiresAuthentication: boolean
|
||||||
|
|
Loading…
Reference in a new issue