@graphql-mesh/serve-cli
Version:
143 lines (142 loc) • 6.88 kB
JavaScript
import 'dotenv/config'; // inject dotenv options to process.env
import cluster from 'node:cluster';
import module from 'node:module';
import { availableParallelism, platform, release } from 'node:os';
import { join } from 'node:path';
import parseDuration from 'parse-duration';
import { Command, InvalidArgumentError, Option } from '@commander-js/extra-typings';
import { DefaultLogger } from '@graphql-mesh/utils';
import { addCommands } from './commands/index.js';
import { createDefaultConfigPaths } from './config.js';
/**
* Type helper for defining the config.
*/
export function defineConfig(config) {
return config;
}
// we dont use `Option.default()` in the command definitions because we want the CLI options to
// override the config file (with option defaults, config file will always be overwritten)
const maxAvailableFork = Math.max(availableParallelism() - 1, 1);
export const defaultOptions = {
fork: process.env.NODE_ENV === 'production' ? maxAvailableFork : 1,
host: platform().toLowerCase() === 'win32' ||
// is WSL?
release().toLowerCase().includes('microsoft')
? '127.0.0.1'
: '0.0.0.0',
port: 4000,
polling: '10s',
};
/** The root cli of serve-cli. */
let cli = new Command()
.configureHelp({
// will print help of global options for each command
showGlobalOptions: true,
})
.addOption(new Option('--fork <count>', `count of workers to spawn. uses "${maxAvailableFork}" (available parallelism) workers when NODE_ENV is "production", otherwise "1" (the main) worker (default: ${JSON.stringify(defaultOptions.fork)}`)
.env('FORK')
.argParser(v => {
const count = parseInt(v);
if (isNaN(count)) {
throw new InvalidArgumentError('not a number.');
}
if (count > maxAvailableFork) {
throw new InvalidArgumentError(`exceedes number of available parallelism "${maxAvailableFork}".`);
}
return count;
}))
.addOption(new Option('-c, --config-path <path>', `path to the configuration file. defaults to the following files respectively in the current working directory: ${createDefaultConfigPaths('gateway').join(', ')}`).env('CONFIG_PATH'))
.option('-h, --host <hostname>', `host to use for serving (default: ${JSON.stringify(defaultOptions.host)}`, defaultOptions.host)
.addOption(new Option('-p, --port <number>', `port to use for serving (default: ${JSON.stringify(defaultOptions.port)}`)
.env('PORT')
.argParser(v => {
const port = parseInt(v);
if (isNaN(port)) {
throw new InvalidArgumentError('not a number.');
}
return port;
}))
.addOption(new Option('--polling <duration>', `schema polling interval in human readable duration (default: ${JSON.stringify(defaultOptions.polling)})`)
.env('POLLING')
.argParser(v => {
const interval = parseDuration(v);
if (!interval) {
throw new InvalidArgumentError('not a duration.');
}
return interval;
}))
.option('--no-masked-errors', "don't mask unexpected errors in responses")
.option('--masked-errors', 'mask unexpected errors in responses (default: true)',
// we use "null" intentionally so that we know when the user provided the flag vs when not
// see here https://github.com/tj/commander.js/blob/970ecae402b253de691e6a9066fea22f38fe7431/lib/command.js#L655
null)
.addOption(new Option('--hive-registry-token <token>', 'Hive registry token for usage metrics reporting').env('HIVE_REGISTRY_TOKEN'))
.option('--hive-persisted-documents-endpoint <endpoint>', '[EXPERIMENTAL] Hive CDN endpoint for fetching the persisted documents. requires the "--hive-persisted-documents-token <token>" option')
.option('--hive-persisted-documents-token <token>', '[EXPERIMENTAL] Hive persisted documents CDN endpoint. requires the "--hive-persisted-documents-endpoint <endpoint>" option')
.addOption(new Option('--hive-cdn-endpoint <endpoint>', 'Hive CDN endpoint for fetching the schema').env('HIVE_CDN_ENDPOINT'))
.addOption(new Option('--hive-cdn-key <key>', 'Hive CDN API key for fetching the schema. implies that the "schemaPathOrUrl" argument is a url').env('HIVE_CDN_KEY'))
.addOption(new Option('--apollo-graph-ref <graphRef>', 'Apollo graph ref of the managed federation graph (<YOUR_GRAPH_ID>@<VARIANT>)').env('APOLLO_GRAPH_REF'))
.addOption(new Option('--apollo-key <apiKey>', 'Apollo API key to use to authenticate with the managed federation up link').env('APOLLO_KEY'))
.option('--disable-websockets', 'Disable WebSockets support')
.addOption(new Option('--jit', 'Enable Just-In-Time compilation of GraphQL documents')
.env('JIT')
.argParser(value => {
if (value === 'false' || value === '0') {
return false;
}
if (value === 'true' || value === '1') {
return true;
}
return true;
}));
export async function run(userCtx) {
module.register('@graphql-mesh/include/hooks', {
parentURL:
// eslint-disable-next-line @typescript-eslint/ban-ts-comment
// @ts-ignore bob will complain when bundling for cjs
import.meta.url,
data: {
packedDepsPath:
// WILL BE AVAILABLE IN SEA ENVIRONMENTS (see install-sea-packed-deps.cjs and rollup.binary.config.js)
globalThis.__PACKED_DEPS_PATH__ || '',
},
});
const ctx = {
log: new DefaultLogger(),
productName: 'Mesh',
productDescription: 'serve GraphQL federated architecture for any API service(s)',
productPackageName: '@graphql-mesh/serve-cli',
productLink: 'https://the-guild.dev/graphql/mesh',
binName: 'mesh-serve',
configFileName: 'mesh.config',
version: globalThis.__VERSION__ || 'dev',
...userCtx,
};
const { binName, productDescription, version } = ctx;
cli = cli.name(binName).description(productDescription);
cli.version(version);
if (cluster.worker?.id) {
ctx.log = ctx.log.child(`Worker #${cluster.worker.id}`);
}
addCommands(ctx, cli);
return cli.parseAsync();
}
export function handleNodeWarnings() {
const originalProcessEmitWarning = process.emitWarning.bind(process);
process.emitWarning = function gatewayEmitWarning(warning, ...opts) {
if (['1', 'y', 'yes', 't', 'true'].includes(String(process.env.DEBUG))) {
originalProcessEmitWarning(warning, ...opts);
}
};
}
export function enableModuleCachingIfPossible() {
let cacheDir;
if (globalThis.__PACKED_DEPS_PATH__) {
cacheDir = join(globalThis.__PACKED_DEPS_PATH__, 'node-compile-cache');
}
// @ts-expect-error - enableCompileCache has recently been added to the module object
if (module.enableCompileCache) {
// @ts-expect-error - enableCompileCache has recently been added to the module object
module.enableCompileCache(cacheDir);
}
}