| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767 |
- import { intro, note, outro, select, spinner } from '@clack/prompts';
- import { SUPER_ADMIN_USER_IDENTIFIER, SUPER_ADMIN_USER_PASSWORD } from '@vendure/common/lib/shared-constants';
- import { program } from 'commander';
- import { randomBytes } from 'crypto';
- import fs from 'fs-extra';
- import Handlebars from 'handlebars';
- import { ChildProcess, spawn } from 'node:child_process';
- import { setTimeout as sleep } from 'node:timers/promises';
- import open from 'open';
- import os from 'os';
- import path from 'path';
- import pc from 'picocolors';
- import {
- AUTO_RUN_DELAY_MS,
- CI_PAUSE_AFTER_CLOSE_MS,
- CI_PAUSE_BEFORE_CLOSE_MS,
- DEFAULT_PROJECT_VERSION,
- NORMAL_PAUSE_BEFORE_CLOSE_MS,
- PORT_SCAN_RANGE,
- REQUIRED_NODE_VERSION,
- SCAFFOLD_DELAY_MS,
- SERVER_PORT,
- STOREFRONT_PORT,
- TIP_INTERVAL_MS,
- TIPS_WHILE_WAITING,
- } from './constants';
- import {
- getCiConfiguration,
- getManualConfiguration,
- getQuickStartConfiguration,
- } from './gather-user-responses';
- import {
- checkCancel,
- checkDbConnection,
- checkNodeVersion,
- checkThatNpmCanReadCwd,
- cleanUpDockerResources,
- downloadAndExtractStorefront,
- findAvailablePort,
- getDependencies,
- installPackages,
- isSafeToCreateProjectIn,
- resolvePackageRootDir,
- scaffoldAlreadyExists,
- startPostgresDatabase,
- } from './helpers';
- import { log, setLogLevel } from './logger';
- import { CliLogLevel, PackageManager } from './types';
- // eslint-disable-next-line @typescript-eslint/no-var-requires
- const packageJson = require('../package.json');
- checkNodeVersion(REQUIRED_NODE_VERSION);
- let projectName: string | undefined;
- // Set the environment variable which can then be used to
- // conditionally modify behaviour of core or plugins.
- const createEnvVar: import('@vendure/common/lib/shared-constants').CREATING_VENDURE_APP =
- 'CREATING_VENDURE_APP';
- process.env[createEnvVar] = 'true';
- program
- .version(packageJson.version)
- .arguments('<project-directory>')
- .usage(`${pc.green('<project-directory>')} [options]`)
- .action(name => {
- projectName = name;
- })
- .option(
- '--log-level <logLevel>',
- "Log level, either 'silent', 'info', or 'verbose'",
- /^(silent|info|verbose)$/i,
- 'info',
- )
- .option('--verbose', 'Alias for --log-level verbose', false)
- .option(
- '--use-npm',
- 'Uses npm rather than as the default package manager. DEPRECATED: Npm is now the default',
- )
- .option('--ci', 'Runs without prompts for use in CI scenarios', false)
- .option('--with-storefront', 'Include Next.js storefront (only used with --ci)', false)
- .parse(process.argv);
- const options = program.opts();
- void createVendureApp(
- projectName,
- options.useNpm,
- options.verbose ? 'verbose' : options.logLevel || 'info',
- options.ci,
- options.withStorefront,
- ).catch(err => {
- log(err);
- process.exit(1);
- });
- export async function createVendureApp(
- name: string | undefined,
- _useNpm: boolean, // Deprecated: npm is now the default package manager
- logLevel: CliLogLevel,
- isCi: boolean = false,
- withStorefront: boolean = false,
- ) {
- setLogLevel(logLevel);
- if (!runPreChecks(name)) {
- return;
- }
- intro(
- `Let's create a ${pc.blue(pc.bold('Vendure App'))} ✨ ${pc.dim(`v${packageJson.version as string}`)}`,
- );
- const mode = isCi
- ? 'ci'
- : ((await select({
- message: 'How should we proceed?',
- options: [
- { label: 'Quick Start', value: 'quick', hint: 'Get up an running in a single step' },
- {
- label: 'Manual Configuration',
- value: 'manual',
- hint: 'Customize your Vendure project with more advanced settings',
- },
- ],
- initialValue: 'quick' as 'quick' | 'manual',
- })) as 'quick' | 'manual');
- checkCancel(mode);
- const portSpinner = spinner();
- let port: number;
- let storefrontPort: number = STOREFRONT_PORT;
- portSpinner.start(`Establishing port...`);
- try {
- port = await findAvailablePort(SERVER_PORT, PORT_SCAN_RANGE);
- portSpinner.stop(`Using port ${port}`);
- } catch (e: any) {
- portSpinner.stop(pc.red('Could not find an available port'));
- outro(e.message);
- process.exit(1);
- }
- process.env.PORT = port.toString();
- const root = path.resolve(name);
- const appName = path.basename(root);
- const scaffoldExists = scaffoldAlreadyExists(root, name);
- const packageManager: PackageManager = 'npm';
- if (scaffoldExists) {
- log(
- pc.yellow(
- 'It appears that a new Vendure project scaffold already exists. Re-using the existing files...',
- ),
- { newline: 'after' },
- );
- }
- const {
- dbType,
- configSource,
- envSource,
- envDtsSource,
- indexSource,
- indexWorkerSource,
- readmeSource,
- dockerfileSource,
- dockerComposeSource,
- tsconfigDashboardSource,
- populateProducts,
- includeStorefront,
- } =
- mode === 'ci'
- ? await getCiConfiguration(root, packageManager, port, withStorefront)
- : mode === 'manual'
- ? await getManualConfiguration(root, packageManager, port)
- : await getQuickStartConfiguration(root, packageManager, port);
- // Determine the server root directory (either root or apps/server for monorepo)
- const serverRoot = includeStorefront ? path.join(root, 'apps', 'server') : root;
- const storefrontRoot = path.join(root, 'apps', 'storefront');
- // Find an available storefront port if including storefront
- if (includeStorefront) {
- const storefrontPortSpinner = spinner();
- storefrontPortSpinner.start(`Establishing storefront port...`);
- try {
- // Start scanning from the higher of STOREFRONT_PORT or serverPort + 1
- // to avoid conflicts with the server port
- const storefrontStartPort = Math.max(STOREFRONT_PORT, port + 1);
- storefrontPort = await findAvailablePort(storefrontStartPort, PORT_SCAN_RANGE);
- storefrontPortSpinner.stop(`Using storefront port ${storefrontPort}`);
- } catch (e: any) {
- storefrontPortSpinner.stop(pc.red('Could not find an available storefront port'));
- outro(e.message);
- process.exit(1);
- }
- }
- process.chdir(root);
- if (packageManager !== 'npm' && !checkThatNpmCanReadCwd()) {
- process.exit(1);
- }
- const setupSpinner = spinner();
- const projectType = includeStorefront ? 'monorepo' : 'project';
- setupSpinner.start(
- `Setting up your new Vendure ${projectType} in ${pc.green(root)}\nThis may take a few minutes...`,
- );
- const assetPath = (fileName: string) => path.join(__dirname, '../assets', fileName);
- const templatePath = (fileName: string) => path.join(__dirname, '../assets/monorepo', fileName);
- if (includeStorefront) {
- // Create monorepo structure
- await fs.ensureDir(path.join(root, 'apps'));
- await fs.ensureDir(serverRoot);
- await fs.ensureDir(path.join(serverRoot, 'src'));
- // Generate root package.json from template
- const rootPackageTemplate = await fs.readFile(templatePath('root-package.json.hbs'), 'utf-8');
- const rootPackageContent = Handlebars.compile(rootPackageTemplate)({ name: appName });
- fs.writeFileSync(path.join(root, 'package.json'), rootPackageContent + os.EOL);
- // Generate root README from template
- const rootReadmeTemplate = await fs.readFile(templatePath('root-readme.hbs'), 'utf-8');
- const rootReadmeContent = Handlebars.compile(rootReadmeTemplate)({
- name: appName,
- serverPort: port,
- storefrontPort,
- superadminIdentifier: SUPER_ADMIN_USER_IDENTIFIER,
- superadminPassword: SUPER_ADMIN_USER_PASSWORD,
- });
- fs.writeFileSync(path.join(root, 'README.md'), rootReadmeContent);
- // Copy root .gitignore
- await fs.copyFile(templatePath('root-gitignore.template'), path.join(root, '.gitignore'));
- // Create server package.json
- const serverPackageJsonContents = {
- name: 'server',
- version: DEFAULT_PROJECT_VERSION,
- private: true,
- scripts: getServerPackageScripts(),
- };
- fs.writeFileSync(
- path.join(serverRoot, 'package.json'),
- JSON.stringify(serverPackageJsonContents, null, 2) + os.EOL,
- );
- } else {
- // Single project structure (original behavior)
- const packageJsonContents = {
- name: appName,
- version: DEFAULT_PROJECT_VERSION,
- private: true,
- scripts: getServerPackageScripts(),
- };
- fs.writeFileSync(
- path.join(root, 'package.json'),
- JSON.stringify(packageJsonContents, null, 2) + os.EOL,
- );
- fs.ensureDirSync(path.join(root, 'src'));
- }
- setupSpinner.stop(`Created ${pc.green('package.json')}`);
- // Download storefront if needed
- if (includeStorefront) {
- const storefrontSpinner = spinner();
- storefrontSpinner.start(`Downloading Next.js storefront...`);
- try {
- await downloadAndExtractStorefront(storefrontRoot);
- // Update storefront package.json name and dev script port
- const storefrontPackageJsonPath = path.join(storefrontRoot, 'package.json');
- const storefrontPackageJson = await fs.readJson(storefrontPackageJsonPath);
- storefrontPackageJson.name = 'storefront';
- if (storefrontPackageJson.scripts?.dev) {
- storefrontPackageJson.scripts.dev = `next dev --port ${storefrontPort}`;
- }
- await fs.writeJson(storefrontPackageJsonPath, storefrontPackageJson, { spaces: 2 });
- // Generate storefront .env.local from template
- const storefrontEnvTemplate = await fs.readFile(templatePath('storefront-env.hbs'), 'utf-8');
- const storefrontEnvContent = Handlebars.compile(storefrontEnvTemplate)({
- serverPort: port,
- storefrontPort,
- name: appName,
- revalidationSecret: randomBytes(32).toString('base64'),
- });
- fs.writeFileSync(path.join(storefrontRoot, '.env.local'), storefrontEnvContent);
- storefrontSpinner.stop(`Downloaded Next.js storefront`);
- } catch (e: any) {
- storefrontSpinner.stop(pc.red(`Failed to download storefront`));
- log(e.message, { level: 'verbose' });
- outro(pc.red(`Failed to download storefront: ${e.message as string}`));
- process.exit(1);
- }
- }
- // Install dependencies
- const { dependencies, devDependencies } = getDependencies(dbType, `@${packageJson.version as string}`);
- // Install server dependencies
- await installDependenciesWithSpinner({
- dependencies,
- logLevel,
- cwd: serverRoot,
- spinnerMessage: `Installing ${dependencies[0]} + ${dependencies.length - 1} more dependencies`,
- successMessage: `Successfully installed ${dependencies.length} dependencies`,
- failureMessage: 'Failed to install dependencies. Please try again.',
- });
- if (devDependencies.length) {
- await installDependenciesWithSpinner({
- dependencies: devDependencies,
- isDevDependencies: true,
- logLevel,
- cwd: serverRoot,
- spinnerMessage: `Installing ${devDependencies[0]} + ${devDependencies.length - 1} more dev dependencies`,
- successMessage: `Successfully installed ${devDependencies.length} dev dependencies`,
- failureMessage: 'Failed to install dev dependencies. Please try again.',
- });
- }
- if (includeStorefront) {
- // Install storefront dependencies
- const storefrontInstalled = await installDependenciesWithSpinner({
- dependencies: [],
- logLevel,
- cwd: storefrontRoot,
- spinnerMessage: 'Installing storefront dependencies...',
- successMessage: 'Installed storefront dependencies',
- failureMessage: 'Failed to install storefront dependencies',
- warnOnFailure: true,
- });
- if (!storefrontInstalled) {
- log('You may need to run npm install in the storefront directory manually.', { level: 'info' });
- }
- }
- const scaffoldSpinner = spinner();
- scaffoldSpinner.start(`Generating app scaffold`);
- // We add this pause so that the above output is displayed before the
- // potentially lengthy file operations begin, which can prevent that
- // from displaying and thus make the user think that the process has hung.
- await sleep(SCAFFOLD_DELAY_MS);
- const srcPathScript = (fileName: string): string => path.join(serverRoot, 'src', `${fileName}.ts`);
- if (!includeStorefront) {
- fs.ensureDirSync(path.join(serverRoot, 'src'));
- }
- const configFile = srcPathScript('vendure-config');
- try {
- await fs
- .writeFile(configFile, configSource)
- .then(() => fs.writeFile(path.join(serverRoot, '.env'), envSource))
- .then(() => fs.writeFile(srcPathScript('environment.d'), envDtsSource))
- .then(() => fs.writeFile(srcPathScript('index'), indexSource))
- .then(() => fs.writeFile(srcPathScript('index-worker'), indexWorkerSource))
- .then(() => fs.writeFile(path.join(serverRoot, 'README.md'), readmeSource))
- .then(() => fs.writeFile(path.join(serverRoot, 'Dockerfile'), dockerfileSource))
- .then(() => fs.writeFile(path.join(serverRoot, 'docker-compose.yml'), dockerComposeSource))
- .then(() => fs.ensureDir(path.join(serverRoot, 'src/plugins')))
- .then(() => fs.copyFile(assetPath('gitignore.template'), path.join(serverRoot, '.gitignore')))
- .then(() =>
- fs.copyFile(assetPath('tsconfig.template.json'), path.join(serverRoot, 'tsconfig.json')),
- )
- .then(() =>
- fs.writeFile(path.join(serverRoot, 'tsconfig.dashboard.json'), tsconfigDashboardSource),
- )
- .then(() =>
- fs.copyFile(assetPath('vite.config.template.mts'), path.join(serverRoot, 'vite.config.mts')),
- )
- .then(() => createDirectoryStructure(serverRoot))
- .then(() => copyEmailTemplates(serverRoot));
- } catch (e: any) {
- outro(pc.red(`Failed to create app scaffold: ${e.message as string}`));
- process.exit(1);
- }
- scaffoldSpinner.stop(`Generated app scaffold`);
- if (mode === 'quick' && dbType === 'postgres') {
- cleanUpDockerResources(name);
- await startPostgresDatabase(serverRoot);
- }
- const populateSpinner = spinner();
- populateSpinner.start(`Initializing your new Vendure server`);
- // We want to display a set of tips and instructions to the user
- // as the initialization process is running because it can take
- // a few minutes to complete.
- const tips = [
- populateProducts
- ? 'We are populating sample data so that you can start testing right away'
- : 'We are setting up your Vendure server',
- ...TIPS_WHILE_WAITING,
- ];
- let tipIndex = 0;
- let timer: any;
- function displayTip() {
- populateSpinner.message(tips[tipIndex]);
- tipIndex++;
- if (tipIndex >= tips.length) {
- // skip the intro tips if looping
- tipIndex = 3;
- }
- timer = setTimeout(displayTip, TIP_INTERVAL_MS);
- }
- timer = setTimeout(displayTip, TIP_INTERVAL_MS);
- // Change to serverRoot so that ts-node can correctly resolve modules.
- // In monorepo mode, dependencies are hoisted to the root node_modules,
- // but ts-node needs to be anchored in the server directory for proper
- // module resolution and to find the tsconfig.json.
- process.chdir(serverRoot);
- // register ts-node so that the config file can be loaded
- // We use transpileOnly to skip type checking during bootstrap, as the
- // complex module resolution with npm workspaces and ESM packages can
- // cause false TypeScript errors. Type checking happens when users run
- // their own build/dev commands.
- // eslint-disable-next-line @typescript-eslint/no-var-requires
- require(resolvePackageRootDir('ts-node', serverRoot)).register({
- project: path.join(serverRoot, 'tsconfig.json'),
- transpileOnly: true,
- });
- let superAdminCredentials: { identifier: string; password: string } | undefined;
- try {
- const { populate } = await import(
- path.join(resolvePackageRootDir('@vendure/core', serverRoot), 'cli', 'populate')
- );
- const { bootstrap, DefaultLogger, LogLevel, JobQueueService } = await import(
- path.join(resolvePackageRootDir('@vendure/core', serverRoot), 'dist', 'index')
- );
- const { config } = await import(configFile);
- const assetsDir = path.join(__dirname, '../assets');
- superAdminCredentials = config.authOptions.superadminCredentials;
- const initialDataPath = path.join(assetsDir, 'initial-data.json');
- const vendureLogLevel =
- logLevel === 'info' || logLevel === 'silent'
- ? LogLevel.Error
- : logLevel === 'verbose'
- ? LogLevel.Verbose
- : LogLevel.Info;
- const bootstrapFn = async () => {
- await checkDbConnection(config.dbConnectionOptions, serverRoot);
- const _app = await bootstrap({
- ...config,
- apiOptions: {
- ...(config.apiOptions ?? {}),
- port,
- },
- dbConnectionOptions: {
- ...config.dbConnectionOptions,
- synchronize: true,
- },
- logger: new DefaultLogger({ level: vendureLogLevel }),
- importExportOptions: {
- importAssetsDir: path.join(assetsDir, 'images'),
- },
- });
- await _app.get(JobQueueService).start();
- return _app;
- };
- const app = await populate(
- bootstrapFn,
- initialDataPath,
- populateProducts ? path.join(assetsDir, 'products.csv') : undefined,
- );
- // Pause to ensure the worker jobs have time to complete.
- if (isCi) {
- log('[CI] Pausing before close...');
- }
- await sleep(isCi ? CI_PAUSE_BEFORE_CLOSE_MS : NORMAL_PAUSE_BEFORE_CLOSE_MS);
- await app.close();
- if (isCi) {
- log('[CI] Pausing after close...');
- await sleep(CI_PAUSE_AFTER_CLOSE_MS);
- }
- populateSpinner.stop(`Server successfully initialized${populateProducts ? ' and populated' : ''}`);
- clearTimeout(timer);
- /**
- * This is currently disabled because I am running into issues actually getting the server
- * to quite properly in response to a SIGINT.
- * This means that the server runs, but cannot be ended, without forcefully
- * killing the process.
- *
- * Once this has been resolved, the following code can be re-enabled by
- * setting `autoRunServer` to `true`.
- */
- const autoRunServer = false;
- if (mode === 'quick' && autoRunServer) {
- // In quick-start mode, we want to now run the server and open up
- // a browser window to the Dashboard.
- try {
- const dashboardUrl = `http://localhost:${port}/dashboard`;
- const quickStartInstructions = [
- 'Use the following credentials to log in to the Dashboard:',
- `Username: ${pc.green(config.authOptions.superadminCredentials?.identifier)}`,
- `Password: ${pc.green(config.authOptions.superadminCredentials?.password)}`,
- `Open your browser and navigate to: ${pc.green(dashboardUrl)}`,
- '',
- ];
- note(quickStartInstructions.join('\n'));
- const npmCommand = os.platform() === 'win32' ? 'npm.cmd' : 'npm';
- let quickStartProcess: ChildProcess | undefined;
- try {
- quickStartProcess = spawn(npmCommand, ['run', 'dev'], {
- cwd: root,
- stdio: 'inherit',
- });
- } catch (e: any) {
- /* empty */
- }
- // process.stdin.resume();
- process.on('SIGINT', function () {
- displayOutro({
- root,
- name,
- superAdminCredentials,
- includeStorefront,
- serverPort: port,
- storefrontPort,
- });
- quickStartProcess?.kill('SIGINT');
- process.exit(0);
- });
- // Give enough time for the server to get up and running
- // before opening the window.
- await sleep(AUTO_RUN_DELAY_MS);
- try {
- await open(dashboardUrl, {
- newInstance: true,
- });
- } catch (e: any) {
- /* empty */
- }
- } catch (e: any) {
- log(pc.red(`Failed to start the server: ${e.message as string}`), {
- newline: 'after',
- level: 'verbose',
- });
- }
- } else {
- clearTimeout(timer);
- displayOutro({
- root,
- name,
- superAdminCredentials,
- includeStorefront,
- serverPort: port,
- storefrontPort,
- });
- process.exit(0);
- }
- } catch (e: any) {
- log(e.toString());
- outro(pc.red(`Failed to initialize server. Please try again.`));
- process.exit(1);
- }
- }
- /**
- * Returns the standard npm scripts for the server package.json.
- */
- function getServerPackageScripts(): Record<string, string> {
- return {
- 'dev:server': 'ts-node ./src/index.ts',
- 'dev:worker': 'ts-node ./src/index-worker.ts',
- 'dev:dashboard': 'vite --clearScreen false',
- dev: 'concurrently --kill-others npm:dev:*',
- build: 'tsc',
- 'build:dashboard': 'vite build',
- 'start:server': 'node ./dist/index.js',
- 'start:worker': 'node ./dist/index-worker.js',
- start: 'concurrently npm:start:*',
- };
- }
- interface InstallDependenciesOptions {
- dependencies: string[];
- isDevDependencies?: boolean;
- logLevel: CliLogLevel;
- cwd: string;
- spinnerMessage: string;
- successMessage: string;
- failureMessage: string;
- warnOnFailure?: boolean;
- }
- /**
- * Installs dependencies with a spinner, handling success/failure messaging.
- * Returns true if installation succeeded, false otherwise.
- */
- async function installDependenciesWithSpinner(installOptions: InstallDependenciesOptions): Promise<boolean> {
- const {
- dependencies,
- isDevDependencies = false,
- logLevel,
- cwd,
- spinnerMessage,
- successMessage,
- failureMessage,
- warnOnFailure = false,
- } = installOptions;
- const installSpinner = spinner();
- installSpinner.start(spinnerMessage);
- try {
- await installPackages({ dependencies, isDevDependencies, logLevel, cwd });
- installSpinner.stop(successMessage);
- return true;
- } catch (e) {
- if (warnOnFailure) {
- installSpinner.stop(pc.yellow(`Warning: ${failureMessage}`));
- return false;
- } else {
- outro(pc.red(failureMessage));
- process.exit(1);
- }
- }
- }
- interface OutroOptions {
- root: string;
- name: string;
- superAdminCredentials?: { identifier: string; password: string };
- includeStorefront?: boolean;
- serverPort?: number;
- storefrontPort?: number;
- }
- // eslint-disable-next-line @typescript-eslint/no-shadow
- function displayOutro(outroOptions: OutroOptions) {
- const {
- root,
- name,
- superAdminCredentials,
- includeStorefront,
- serverPort = SERVER_PORT,
- storefrontPort = STOREFRONT_PORT,
- } = outroOptions;
- const startCommand = 'npm run dev';
- const identifier = superAdminCredentials?.identifier ?? SUPER_ADMIN_USER_IDENTIFIER;
- const password = superAdminCredentials?.password ?? SUPER_ADMIN_USER_PASSWORD;
- // Common footer for both modes
- const commonFooter = [
- `\n`,
- `Use the following credentials to log in:`,
- `Username: ${pc.green(identifier)}`,
- `Password: ${pc.green(password)}`,
- '\n',
- '➡️ Docs: https://docs.vendure.io',
- '➡️ Discord community: https://vendure.io/community',
- '➡️ Star us on GitHub:',
- ' https://github.com/vendure-ecommerce/vendure',
- ];
- let nextSteps: string[];
- if (includeStorefront) {
- nextSteps = [
- `Your new Vendure project was created!`,
- pc.gray(root),
- `\n`,
- `This is a monorepo with the following apps:`,
- ` ${pc.cyan('apps/server')} - Vendure backend`,
- ` ${pc.cyan('apps/storefront')} - Next.js frontend`,
- `\n`,
- `Next, run:`,
- pc.gray('$ ') + pc.blue(pc.bold(`cd ${name}`)),
- pc.gray('$ ') + pc.blue(pc.bold(`${startCommand}`)),
- `\n`,
- `This will start both the server and storefront.`,
- `\n`,
- `Access points:`,
- ` Dashboard: ${pc.green(`http://localhost:${serverPort}/dashboard`)}`,
- ` Storefront: ${pc.green(`http://localhost:${storefrontPort}`)}`,
- ...commonFooter,
- ];
- } else {
- nextSteps = [
- `Your new Vendure server was created!`,
- pc.gray(root),
- `\n`,
- `Next, run:`,
- pc.gray('$ ') + pc.blue(pc.bold(`cd ${name}`)),
- pc.gray('$ ') + pc.blue(pc.bold(`${startCommand}`)),
- `\n`,
- `This will start the server in development mode.`,
- `\n`,
- `To run the Dashboard, in a new terminal navigate to your project directory and run:`,
- pc.gray('$ ') + pc.blue(pc.bold(`npx vite`)),
- `\n`,
- `To access the Dashboard, open your browser and navigate to:`,
- pc.green(`http://localhost:${serverPort}/dashboard`),
- ...commonFooter,
- ];
- }
- note(nextSteps.join('\n'), pc.green('Setup complete!'));
- outro(`Happy hacking!`);
- }
- /**
- * Run some initial checks to ensure that it is okay to proceed with creating
- * a new Vendure project in the given location.
- */
- function runPreChecks(name: string | undefined): name is string {
- if (typeof name === 'undefined') {
- log(pc.red(`Please specify the project directory:`));
- log(` ${pc.cyan(program.name())} ${pc.green('<project-directory>')}`, { newline: 'after' });
- log('For example:');
- log(` ${pc.cyan(program.name())} ${pc.green('my-vendure-app')}`);
- process.exit(1);
- return false;
- }
- const root = path.resolve(name);
- try {
- fs.ensureDirSync(name);
- } catch (e: any) {
- log(pc.red(`Could not create project directory ${name}: ${e.message as string}`));
- return false;
- }
- if (!isSafeToCreateProjectIn(root, name)) {
- process.exit(1);
- }
- return true;
- }
- /**
- * Generate the default directory structure for a new Vendure project
- */
- async function createDirectoryStructure(root: string) {
- await fs.ensureDir(path.join(root, 'static', 'email', 'test-emails'));
- await fs.ensureDir(path.join(root, 'static', 'assets'));
- }
- /**
- * Copy the email templates into the app
- */
- async function copyEmailTemplates(root: string) {
- const emailPackageDirname = resolvePackageRootDir('@vendure/email-plugin', root);
- const templateDir = path.join(emailPackageDirname, 'templates');
- try {
- await fs.copy(templateDir, path.join(root, 'static', 'email', 'templates'));
- } catch (err: any) {
- log(pc.red('Failed to copy email templates.'));
- log(err);
- process.exit(0);
- }
- }
|