fosrl.pangolin/server/routers/gerbil/getConfig.ts

148 lines
5.1 KiB
TypeScript
Raw Normal View History

2024-09-28 12:35:07 -04:00
import { Request, Response, NextFunction } from 'express';
2024-10-26 12:02:21 -04:00
import { z } from 'zod';
import { sites, resources, targets, exitNodes } from '@server/db/schema';
2024-10-26 12:02:21 -04:00
import { db } from '@server/db';
import { eq } from 'drizzle-orm';
import response from "@server/utils/response";
2024-10-06 18:05:20 -04:00
import HttpCode from '@server/types/HttpCode';
import createHttpError from 'http-errors';
2024-10-26 12:02:21 -04:00
import logger from '@server/logger';
import config from "@server/config";
import { getUniqueExitNodeEndpointName } from '@server/db/names';
import { findNextAvailableCidr } from "@server/utils/ip";
2024-10-26 12:02:21 -04:00
// Define Zod schema for request validation
const getConfigSchema = z.object({
publicKey: z.string(),
});
2024-09-28 12:35:07 -04:00
2024-10-26 12:02:21 -04:00
export type GetConfigResponse = {
listenPort: number;
ipAddress: string;
peers: {
publicKey: string | null;
allowedIps: string[];
}[];
}
export async function getConfig(req: Request, res: Response, next: NextFunction): Promise<any> {
2024-09-28 17:10:03 -04:00
try {
2024-10-26 12:02:21 -04:00
// Validate request parameters
2024-10-26 17:02:11 -04:00
const parsedParams = getConfigSchema.safeParse(req.body);
2024-10-26 12:02:21 -04:00
if (!parsedParams.success) {
return next(
createHttpError(
HttpCode.BAD_REQUEST,
parsedParams.error.errors.map(e => e.message).join(', ')
)
);
}
const { publicKey } = parsedParams.data;
if (!publicKey) {
return next(createHttpError(HttpCode.BAD_REQUEST, 'publicKey is required'));
2024-09-28 17:10:03 -04:00
}
2024-09-28 12:35:07 -04:00
2024-09-28 17:10:03 -04:00
// Fetch exit node
2024-10-26 17:02:11 -04:00
let exitNodeQuery = await db.select().from(exitNodes).where(eq(exitNodes.publicKey, publicKey));
let exitNode;
if (exitNodeQuery.length === 0) {
2024-10-26 12:02:21 -04:00
const address = await getNextAvailableSubnet();
const listenPort = await getNextAvailablePort();
const subEndpoint = await getUniqueExitNodeEndpointName();
2024-10-26 12:02:21 -04:00
// create a new exit node
exitNode = await db.insert(exitNodes).values({
publicKey,
endpoint: `${subEndpoint}.${config.gerbil.base_endpoint}`,
2024-10-26 12:02:21 -04:00
address,
listenPort,
2024-10-26 12:02:21 -04:00
name: `Exit Node ${publicKey.slice(0, 8)}`,
}).returning().execute();
logger.info(`Created new exit node ${exitNode[0].name} with address ${exitNode[0].address} and port ${exitNode[0].listenPort}`);
2024-10-26 17:02:11 -04:00
} else {
exitNode = exitNodeQuery;
2024-10-26 12:02:21 -04:00
}
if (!exitNode) {
return next(createHttpError(HttpCode.INTERNAL_SERVER_ERROR, "Failed to create exit node"));
2024-09-28 15:21:13 -04:00
}
2024-09-28 17:10:03 -04:00
// Fetch sites for this exit node
const sitesRes = await db.query.sites.findMany({
where: eq(sites.exitNodeId, exitNode[0].exitNodeId),
2024-09-28 17:10:03 -04:00
});
const peers = await Promise.all(sitesRes.map(async (site) => {
// Fetch resources for this site
const resourcesRes = await db.query.resources.findMany({
where: eq(resources.siteId, site.siteId),
});
// Fetch targets for all resources of this site
const targetIps = await Promise.all(resourcesRes.map(async (resource) => {
const targetsRes = await db.query.targets.findMany({
where: eq(targets.resourceId, resource.resourceId),
});
return targetsRes.map(target => `${target.ip}/32`);
}));
return {
publicKey: site.pubKey,
allowedIps: targetIps.flat(),
};
}));
const configResponse: GetConfigResponse = {
2024-10-26 12:02:21 -04:00
listenPort: exitNode[0].listenPort || 51820,
ipAddress: exitNode[0].address,
2024-09-28 17:10:03 -04:00
peers,
};
2024-10-26 17:02:11 -04:00
logger.debug("Sending config: ", configResponse);
2024-10-26 12:02:21 -04:00
2024-10-26 17:02:11 -04:00
return res.status(HttpCode.OK).send(configResponse);
2024-09-28 17:10:03 -04:00
} catch (error) {
2024-10-26 17:02:11 -04:00
logger.error(error);
2024-10-06 18:05:20 -04:00
return next(createHttpError(HttpCode.INTERNAL_SERVER_ERROR, "An error occurred..."));
2024-09-28 12:42:38 -04:00
}
2024-10-26 12:02:21 -04:00
}
async function getNextAvailableSubnet(): Promise<string> {
// Get all existing subnets from routes table
const existingAddresses = await db.select({
address: exitNodes.address,
}).from(exitNodes);
const addresses = existingAddresses.map(a => a.address);
2024-10-26 17:02:11 -04:00
let subnet = findNextAvailableCidr(addresses, config.gerbil.block_size, config.gerbil.subnet_group);
if (!subnet) {
throw new Error('No available subnets remaining in space');
}
2024-10-26 17:02:11 -04:00
// replace the last octet with 1
2024-10-26 19:56:50 -04:00
subnet = subnet.split('.').slice(0, 3).join('.') + '.1' + subnet.split('/')[1];
return subnet;
}
async function getNextAvailablePort(): Promise<number> {
// Get all existing ports from exitNodes table
const existingPorts = await db.select({
listenPort: exitNodes.listenPort,
}).from(exitNodes);
// Find the first available port between 1024 and 65535
let nextPort = config.gerbil.start_port;
for (const port of existingPorts) {
if (port.listenPort > nextPort) {
break;
}
nextPort++;
if (nextPort > 65535) {
throw new Error('No available ports remaining in space');
2024-10-26 12:02:21 -04:00
}
}
2024-09-28 15:21:13 -04:00
return nextPort;
}