File size: 8,606 Bytes
aec3094 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 | import { inTest, inDevelopment, Logger } from '@n8n/backend-common';
import { GlobalConfig } from '@n8n/config';
import { OnShutdown } from '@n8n/decorators';
import { Container, Service } from '@n8n/di';
import compression from 'compression';
import express from 'express';
import { engine as expressHandlebars } from 'express-handlebars';
import { readFile } from 'fs/promises';
import type { Server } from 'http';
import isbot from 'isbot';
import config from '@/config';
import { N8N_VERSION, TEMPLATES_DIR } from '@/constants';
import { DbConnection } from '@/databases/db-connection';
import { ServiceUnavailableError } from '@/errors/response-errors/service-unavailable.error';
import { ExternalHooks } from '@/external-hooks';
import { rawBodyReader, bodyParser, corsMiddleware } from '@/middlewares';
import { send, sendErrorResponse } from '@/response-helper';
import { LiveWebhooks } from '@/webhooks/live-webhooks';
import { TestWebhooks } from '@/webhooks/test-webhooks';
import { WaitingForms } from '@/webhooks/waiting-forms';
import { WaitingWebhooks } from '@/webhooks/waiting-webhooks';
import { createWebhookHandlerFor } from '@/webhooks/webhook-request-handler';
@Service()
export abstract class AbstractServer {
protected logger: Logger;
protected server: Server;
readonly app: express.Application;
protected externalHooks: ExternalHooks;
protected globalConfig = Container.get(GlobalConfig);
protected dbConnection = Container.get(DbConnection);
protected sslKey: string;
protected sslCert: string;
protected restEndpoint: string;
protected endpointForm: string;
protected endpointFormTest: string;
protected endpointFormWaiting: string;
protected endpointWebhook: string;
protected endpointWebhookTest: string;
protected endpointWebhookWaiting: string;
protected endpointMcp: string;
protected endpointMcpTest: string;
protected webhooksEnabled = true;
protected testWebhooksEnabled = false;
readonly uniqueInstanceId: string;
constructor() {
this.app = express();
this.app.disable('x-powered-by');
this.app.set('query parser', 'extended');
this.app.engine('handlebars', expressHandlebars({ defaultLayout: false }));
this.app.set('view engine', 'handlebars');
this.app.set('views', TEMPLATES_DIR);
const proxyHops = this.globalConfig.proxy_hops;
if (proxyHops > 0) this.app.set('trust proxy', proxyHops);
this.sslKey = config.getEnv('ssl_key');
this.sslCert = config.getEnv('ssl_cert');
const { endpoints } = this.globalConfig;
this.restEndpoint = endpoints.rest;
this.endpointForm = endpoints.form;
this.endpointFormTest = endpoints.formTest;
this.endpointFormWaiting = endpoints.formWaiting;
this.endpointWebhook = endpoints.webhook;
this.endpointWebhookTest = endpoints.webhookTest;
this.endpointWebhookWaiting = endpoints.webhookWaiting;
this.endpointMcp = endpoints.mcp;
this.endpointMcpTest = endpoints.mcpTest;
this.logger = Container.get(Logger);
}
async configure(): Promise<void> {
// Additional configuration in derived classes
}
private async setupErrorHandlers() {
const { app } = this;
// Augment errors sent to Sentry
const { setupExpressErrorHandler } = await import('@sentry/node');
setupExpressErrorHandler(app);
}
private setupCommonMiddlewares() {
// Compress the response data
this.app.use(compression());
// Read incoming data into `rawBody`
this.app.use(rawBodyReader);
}
private setupDevMiddlewares() {
this.app.use(corsMiddleware);
}
protected setupPushServer() {}
private async setupHealthCheck() {
// main health check should not care about DB connections
this.app.get('/healthz', (_req, res) => {
res.send({ status: 'ok' });
});
const { connectionState } = this.dbConnection;
this.app.get('/healthz/readiness', (_req, res) => {
const { connected, migrated } = connectionState;
if (connected && migrated) {
res.status(200).send({ status: 'ok' });
} else {
res.status(503).send({ status: 'error' });
}
});
this.app.use((_req, res, next) => {
if (connectionState.connected) {
if (connectionState.migrated) next();
else res.send('n8n is starting up. Please wait');
} else sendErrorResponse(res, new ServiceUnavailableError('Database is not ready!'));
});
}
async init(): Promise<void> {
const { app, sslKey, sslCert } = this;
const { protocol } = this.globalConfig;
if (protocol === 'https' && sslKey && sslCert) {
const https = await import('https');
this.server = https.createServer(
{
key: await readFile(this.sslKey, 'utf8'),
cert: await readFile(this.sslCert, 'utf8'),
},
app,
);
} else {
const http = await import('http');
this.server = http.createServer(app);
}
const { port, listen_address: address } = Container.get(GlobalConfig);
this.server.on('error', (error: Error & { code: string }) => {
if (error.code === 'EADDRINUSE') {
this.logger.info(
`n8n's port ${port} is already in use. Do you have another instance of n8n running already?`,
);
process.exit(1);
}
});
await new Promise<void>((resolve) => this.server.listen(port, address, () => resolve()));
this.externalHooks = Container.get(ExternalHooks);
await this.setupHealthCheck();
this.logger.info(`n8n ready on ${address}, port ${port}`);
}
async start(): Promise<void> {
if (!inTest) {
await this.setupErrorHandlers();
this.setupPushServer();
}
this.setupCommonMiddlewares();
// Setup webhook handlers before bodyParser, to let the Webhook node handle binary data in requests
if (this.webhooksEnabled) {
const liveWebhooksRequestHandler = createWebhookHandlerFor(Container.get(LiveWebhooks));
// Register a handler for live forms
this.app.all(`/${this.endpointForm}/*path`, liveWebhooksRequestHandler);
// Register a handler for live webhooks
this.app.all(`/${this.endpointWebhook}/*path`, liveWebhooksRequestHandler);
// Register a handler for waiting forms
this.app.all(
`/${this.endpointFormWaiting}/:path{/:suffix}`,
createWebhookHandlerFor(Container.get(WaitingForms)),
);
// Register a handler for waiting webhooks
this.app.all(
`/${this.endpointWebhookWaiting}/:path{/:suffix}`,
createWebhookHandlerFor(Container.get(WaitingWebhooks)),
);
// Register a handler for live MCP servers
this.app.all(`/${this.endpointMcp}/*path`, liveWebhooksRequestHandler);
}
if (this.testWebhooksEnabled) {
const testWebhooksRequestHandler = createWebhookHandlerFor(Container.get(TestWebhooks));
// Register a handler
this.app.all(`/${this.endpointFormTest}/*path`, testWebhooksRequestHandler);
this.app.all(`/${this.endpointWebhookTest}/*path`, testWebhooksRequestHandler);
// Register a handler for test MCP servers
this.app.all(`/${this.endpointMcpTest}/*path`, testWebhooksRequestHandler);
}
// Block bots from scanning the application
const checkIfBot = isbot.spawn(['bot']);
this.app.use((req, res, next) => {
const userAgent = req.headers['user-agent'];
if (userAgent && checkIfBot(userAgent)) {
this.logger.info(`Blocked ${req.method} ${req.url} for "${userAgent}"`);
res.status(204).end();
} else next();
});
if (inDevelopment) {
this.setupDevMiddlewares();
}
if (this.testWebhooksEnabled) {
const testWebhooks = Container.get(TestWebhooks);
// Removes a test webhook
// TODO UM: check if this needs validation with user management.
this.app.delete(
`/${this.restEndpoint}/test-webhook/:id`,
send(async (req) => await testWebhooks.cancelWebhook(req.params.id)),
);
}
// Setup body parsing middleware after the webhook handlers are setup
this.app.use(bodyParser);
await this.configure();
if (!inTest) {
this.logger.info(`Version: ${N8N_VERSION}`);
const { defaultLocale } = this.globalConfig;
if (defaultLocale !== 'en') {
this.logger.info(`Locale: ${defaultLocale}`);
}
await this.externalHooks.run('n8n.ready', [this, config]);
}
}
/**
* Stops the HTTP(S) server from accepting new connections. Gives all
* connections configured amount of time to finish their work and
* then closes them forcefully.
*/
@OnShutdown()
async onShutdown(): Promise<void> {
if (!this.server) {
return;
}
const { protocol } = this.globalConfig;
this.logger.debug(`Shutting down ${protocol} server`);
this.server.close((error) => {
if (error) {
this.logger.error(`Error while shutting down ${protocol} server`, { error });
}
this.logger.debug(`${protocol} server shut down`);
});
}
}
|