Skip to content
This repository was archived by the owner on May 22, 2024. It is now read-only.

Commit a894743

Browse files
danezeduardoboucas
andauthoredJan 11, 2023
feat: output cjs extension for bundles and entry-files (#1190)
* feat: output cjs & mjs extension if possible with FF enabled * esbuild outputs the bundle with cjs extension * entry-file will be generated with cjs extension or mjs extension * Update src/runtimes/node/utils/entry_file.ts Co-authored-by: Eduardo Bouças <mail@eduardoboucas.com> * chore: restructure code a little * chore: better func name * chore: refactor * Apply suggestions from code review Co-authored-by: Eduardo Bouças <mail@eduardoboucas.com> Co-authored-by: Eduardo Bouças <mail@eduardoboucas.com>
1 parent d4327a3 commit a894743

File tree

11 files changed

+218
-36
lines changed

11 files changed

+218
-36
lines changed
 

‎.eslintrc.cjs

+1
Original file line numberDiff line numberDiff line change
@@ -7,6 +7,7 @@ module.exports = {
77
},
88
rules: {
99
'import/extensions': ['error', 'ignorePackages'],
10+
'max-lines': 'off',
1011
'n/no-missing-import': 'off',
1112
'no-magic-numbers': 'off',
1213
'max-lines-per-function': 'off',

‎src/feature_flags.ts

+3
Original file line numberDiff line numberDiff line change
@@ -20,6 +20,9 @@ export const defaultFlags: Record<string, boolean> = {
2020

2121
// Load configuration from per-function JSON files.
2222
project_deploy_configuration_api_use_per_function_configuration_files: false,
23+
24+
// Output CJS file extension
25+
zisi_output_cjs_extension: false,
2326
}
2427

2528
export type FeatureFlag = keyof typeof defaultFlags

‎src/runtimes/node/bundlers/esbuild/bundler.ts

+7-11
Original file line numberDiff line numberDiff line change
@@ -8,7 +8,7 @@ import { FeatureFlags } from '../../../../feature_flags.js'
88
import { FunctionBundlingUserError } from '../../../../utils/error.js'
99
import { getPathWithExtension, safeUnlink } from '../../../../utils/fs.js'
1010
import { RuntimeType } from '../../../runtime.js'
11-
import { getFileExtensionForFormat, ModuleFileExtension, ModuleFormat } from '../../utils/module_format.js'
11+
import { getFileExtensionForFormat, ModuleFormat } from '../../utils/module_format.js'
1212
import { NodeBundlerType } from '../types.js'
1313

1414
import { getBundlerTarget, getModuleFormat } from './bundler_target.js'
@@ -102,11 +102,7 @@ export const bundleJsFile = async function ({
102102
)
103103

104104
// The extension of the output file.
105-
const extension = getFileExtensionForFormat(moduleFormat, featureFlags)
106-
107-
// When outputting an ESM file, configure esbuild to produce a `.mjs` file.
108-
const outExtension =
109-
moduleFormat === ModuleFormat.ESM ? { [ModuleFileExtension.JS]: ModuleFileExtension.MJS } : undefined
105+
const outputExtension = getFileExtensionForFormat(moduleFormat, featureFlags)
110106

111107
// We add this banner so that calls to require() still work in ESM modules, especially when importing node built-ins
112108
// We have to do this until this is fixed in esbuild: https://github.com/evanw/esbuild/pull/2067
@@ -130,8 +126,8 @@ export const bundleJsFile = async function ({
130126
logLimit: ESBUILD_LOG_LIMIT,
131127
metafile: true,
132128
nodePaths: additionalModulePaths,
133-
outExtension,
134129
outdir: targetDirectory,
130+
outExtension: { '.js': outputExtension },
135131
platform: 'node',
136132
plugins,
137133
resolveExtensions: RESOLVE_EXTENSIONS,
@@ -141,9 +137,9 @@ export const bundleJsFile = async function ({
141137
})
142138
const bundlePaths = getBundlePaths({
143139
destFolder: targetDirectory,
144-
extension,
145140
outputs: metafile.outputs,
146141
srcFile,
142+
outputExtension,
147143
})
148144
const inputs = Object.keys(metafile.inputs).map((path) => resolve(path))
149145
const cleanTempFiles = getCleanupFunction([...bundlePaths.keys()])
@@ -153,11 +149,11 @@ export const bundleJsFile = async function ({
153149
additionalPaths,
154150
bundlePaths,
155151
cleanTempFiles,
156-
extension,
157152
inputs,
158153
moduleFormat,
159154
nativeNodeModules,
160155
nodeModulesWithDynamicImports: [...nodeModulesWithDynamicImports],
156+
outputExtension,
161157
warnings,
162158
}
163159
} catch (error) {
@@ -175,14 +171,14 @@ export const bundleJsFile = async function ({
175171
// with the `aliases` format used upstream.
176172
const getBundlePaths = ({
177173
destFolder,
178-
extension: outputExtension,
174+
outputExtension,
179175
outputs,
180176
srcFile,
181177
}: {
182178
destFolder: string
183-
extension: string
184179
outputs: Metafile['outputs']
185180
srcFile: string
181+
outputExtension: string
186182
}) => {
187183
const bundleFilename = basename(srcFile, extname(srcFile)) + outputExtension
188184
const mainFileDirectory = dirname(srcFile)

‎src/runtimes/node/bundlers/esbuild/index.ts

+1-1
Original file line numberDiff line numberDiff line change
@@ -68,11 +68,11 @@ const bundle: BundleFunction = async ({
6868
additionalPaths,
6969
bundlePaths,
7070
cleanTempFiles,
71-
extension: outputExtension,
7271
inputs,
7372
moduleFormat,
7473
nativeNodeModules = {},
7574
nodeModulesWithDynamicImports,
75+
outputExtension,
7676
warnings,
7777
} = await bundleJsFile({
7878
additionalModulePaths: pluginsModulesPath ? [pluginsModulesPath] : [],

‎src/runtimes/node/utils/entry_file.ts

+72-7
Original file line numberDiff line numberDiff line change
@@ -1,23 +1,88 @@
1-
import { ModuleFormat } from './module_format.js'
1+
import { basename, extname, resolve } from 'path'
2+
3+
import type { FeatureFlags } from '../../../feature_flags.js'
4+
5+
import { getFileExtensionForFormat, ModuleFileExtension, ModuleFormat } from './module_format.js'
26
import { normalizeFilePath } from './normalize_path.js'
37

8+
export interface EntryFile {
9+
contents: string
10+
filename: string
11+
}
12+
13+
const getEntryFileContents = (mainPath: string, moduleFormat: string) => {
14+
const importPath = `.${mainPath.startsWith('/') ? mainPath : `/${mainPath}`}`
15+
16+
if (moduleFormat === ModuleFormat.COMMONJS) {
17+
return `module.exports = require('${importPath}')`
18+
}
19+
20+
return `export { handler } from '${importPath}'`
21+
}
22+
23+
// They are in the order that AWS Lambda will try to find the entry point
24+
const POSSIBLE_LAMBDA_ENTRY_EXTENSIONS = [ModuleFileExtension.JS, ModuleFileExtension.MJS, ModuleFileExtension.CJS]
25+
26+
// checks if the file is considered a entry-file in AWS Lambda
27+
export const isNamedLikeEntryFile = (
28+
file: string,
29+
{
30+
basePath,
31+
filename,
32+
}: {
33+
basePath: string
34+
filename: string
35+
},
36+
) =>
37+
POSSIBLE_LAMBDA_ENTRY_EXTENSIONS.some((extension) => {
38+
const entryFilename = getEntryFileName({ extension, filename })
39+
const entryFilePath = resolve(basePath, entryFilename)
40+
41+
return entryFilePath === file
42+
})
43+
44+
// Check if any src file (except the mainFile) is considered an entry file for AWS Lambda
45+
export const conflictsWithEntryFile = (
46+
srcFiles: string[],
47+
{
48+
basePath,
49+
mainFile,
50+
filename,
51+
}: {
52+
basePath: string
53+
filename: string
54+
mainFile: string
55+
},
56+
) => srcFiles.some((srcFile) => isNamedLikeEntryFile(srcFile, { basePath, filename }) && srcFile !== mainFile)
57+
58+
// Returns the name for the AWS Lambda entry file
59+
// We do set the handler in AWS Lambda to `<func-name>.handler` and because of
60+
// this it considers `<func-name>.(c|m)?js` as possible entry-points
61+
const getEntryFileName = ({ extension, filename }: { extension: ModuleFileExtension; filename: string }) =>
62+
`${basename(filename, extname(filename))}${extension}`
63+
464
export const getEntryFile = ({
565
commonPrefix,
66+
featureFlags,
67+
filename,
668
mainFile,
769
moduleFormat,
870
userNamespace,
971
}: {
1072
commonPrefix: string
73+
featureFlags: FeatureFlags
74+
filename: string
1175
mainFile: string
1276
moduleFormat: ModuleFormat
1377
userNamespace: string
14-
}) => {
78+
}): EntryFile => {
1579
const mainPath = normalizeFilePath({ commonPrefix, path: mainFile, userNamespace })
16-
const importPath = `.${mainPath.startsWith('/') ? mainPath : `/${mainPath}`}`
80+
const extension = getFileExtensionForFormat(moduleFormat, featureFlags)
81+
const entryFilename = getEntryFileName({ extension, filename })
82+
const contents = getEntryFileContents(mainPath, moduleFormat)
1783

18-
if (moduleFormat === ModuleFormat.COMMONJS) {
19-
return `module.exports = require('${importPath}')`
84+
return {
85+
contents,
86+
filename: entryFilename,
2087
}
21-
22-
return `export { handler } from '${importPath}'`
2388
}

‎src/runtimes/node/utils/module_format.ts

+4
Original file line numberDiff line numberDiff line change
@@ -19,5 +19,9 @@ export const getFileExtensionForFormat = (
1919
return ModuleFileExtension.MJS
2020
}
2121

22+
if (featureFlags.zisi_output_cjs_extension && moduleFormat === ModuleFormat.COMMONJS) {
23+
return ModuleFileExtension.CJS
24+
}
25+
2226
return ModuleFileExtension.JS
2327
}

‎src/runtimes/node/utils/zip.ts

+23-16
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,7 @@
11
import { Buffer } from 'buffer'
22
import { Stats, promises as fs } from 'fs'
33
import os from 'os'
4-
import { basename, join, resolve } from 'path'
4+
import { basename, join } from 'path'
55

66
import { copyFile } from 'cp-file'
77
import { deleteAsync as deleteFiles } from 'del'
@@ -12,8 +12,8 @@ import type { FeatureFlags } from '../../../feature_flags.js'
1212
import type { RuntimeCache } from '../../../utils/cache.js'
1313
import { cachedLstat, mkdirAndWriteFile } from '../../../utils/fs.js'
1414

15-
import { getEntryFile } from './entry_file.js'
16-
import { getFileExtensionForFormat, ModuleFormat } from './module_format.js'
15+
import { conflictsWithEntryFile, EntryFile, getEntryFile, isNamedLikeEntryFile } from './entry_file.js'
16+
import { ModuleFormat } from './module_format.js'
1717
import { normalizeFilePath } from './normalize_path.js'
1818

1919
// Taken from https://www.npmjs.com/package/cpy.
@@ -51,23 +51,22 @@ const createDirectory = async function ({
5151
rewrites = new Map(),
5252
srcFiles,
5353
}: ZipNodeParameters) {
54-
const entryFile = getEntryFile({
54+
const { contents: entryContents, filename: entryFilename } = getEntryFile({
5555
commonPrefix: basePath,
56+
featureFlags,
57+
filename,
5658
mainFile,
5759
moduleFormat,
5860
userNamespace: DEFAULT_USER_SUBDIRECTORY,
5961
})
60-
const entryFileExtension = getFileExtensionForFormat(moduleFormat, featureFlags)
61-
const entryFilename = basename(filename, extension) + entryFileExtension
6262
const functionFolder = join(destFolder, basename(filename, extension))
63-
const entryFilePath = resolve(functionFolder, entryFilename)
6463

6564
// Deleting the functions directory in case it exists before creating it.
6665
await deleteFiles(functionFolder, { force: true })
6766
await fs.mkdir(functionFolder, { recursive: true })
6867

6968
// Writing entry file.
70-
await fs.writeFile(entryFilePath, entryFile)
69+
await fs.writeFile(join(functionFolder, entryFilename), entryContents)
7170

7271
// Copying source files.
7372
await pMap(
@@ -108,27 +107,35 @@ const createZipArchive = async function ({
108107
}: ZipNodeParameters) {
109108
const destPath = join(destFolder, `${basename(filename, extension)}.zip`)
110109
const { archive, output } = startZip(destPath)
111-
const entryFileExtension = getFileExtensionForFormat(moduleFormat, featureFlags)
112-
const entryFilename = basename(filename, extension) + entryFileExtension
113-
const entryFilePath = resolve(basePath, entryFilename)
114110

115111
// We don't need an entry file if it would end up with the same path as the
116112
// function's main file.
117-
const needsEntryFile = entryFilePath !== mainFile
113+
const needsEntryFile = !isNamedLikeEntryFile(mainFile, { basePath, filename })
118114

119115
// There is a naming conflict with the entry file if one of the supporting
120116
// files (i.e. not the main file) has the path that the entry file needs to
121117
// take.
122-
const hasEntryFileConflict = srcFiles.some((srcFile) => srcFile === entryFilePath && srcFile !== mainFile)
118+
const hasEntryFileConflict = conflictsWithEntryFile(srcFiles, {
119+
basePath,
120+
filename,
121+
mainFile,
122+
})
123123

124124
// If there is a naming conflict, we move all user files (everything other
125125
// than the entry file) to its own sub-directory.
126126
const userNamespace = hasEntryFileConflict ? DEFAULT_USER_SUBDIRECTORY : ''
127127

128128
if (needsEntryFile) {
129-
const entryFile = getEntryFile({ commonPrefix: basePath, mainFile, moduleFormat, userNamespace })
129+
const entryFile = getEntryFile({
130+
commonPrefix: basePath,
131+
filename,
132+
mainFile,
133+
moduleFormat,
134+
userNamespace,
135+
featureFlags,
136+
})
130137

131-
addEntryFileToZip(archive, entryFile, basename(entryFilePath))
138+
addEntryFileToZip(archive, entryFile)
132139
}
133140

134141
const srcFilesInfos = await Promise.all(srcFiles.map((file) => addStat(cache, file)))
@@ -163,7 +170,7 @@ export const zipNodeJs = function ({
163170
return createDirectory(options)
164171
}
165172

166-
const addEntryFileToZip = function (archive: ZipArchive, contents: string, filename: string) {
173+
const addEntryFileToZip = function (archive: ZipArchive, { contents, filename }: EntryFile) {
167174
const contentBuffer = Buffer.from(contents)
168175

169176
addZipContent(archive, contentBuffer, filename)
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
module.exports.handler = () => true
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
module.exports.handler = () => true
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
module.exports.handler = () => true

‎tests/main.test.ts

+104-1
Original file line numberDiff line numberDiff line change
@@ -1000,7 +1000,7 @@ describe('zip-it-and-ship-it', () => {
10001000

10011001
testMany(
10021002
'Handles a JavaScript function ({name}.cjs, {name}/{name}.cjs, {name}/index.cjs)',
1003-
['bundler_esbuild', 'bundler_default'],
1003+
['bundler_esbuild'],
10041004
async (options) => {
10051005
const { files, tmpDir } = await zipFixture('node-cjs-extension', {
10061006
length: 3,
@@ -1023,6 +1023,32 @@ describe('zip-it-and-ship-it', () => {
10231023
},
10241024
)
10251025

1026+
// TODO can be merged with the above once the FF is on `zisi_output_cjs_extension`
1027+
testMany(
1028+
'Handles a JavaScript function ({name}.cjs, {name}/{name}.cjs, {name}/index.cjs)',
1029+
['bundler_default'],
1030+
async (options) => {
1031+
const { files, tmpDir } = await zipFixture('node-cjs-extension', {
1032+
length: 3,
1033+
opts: options,
1034+
})
1035+
1036+
await unzipFiles(files)
1037+
1038+
expect(files).toHaveLength(3)
1039+
files.forEach((file) => {
1040+
expect(file.bundler).toBe(options.getCurrentBundlerName() ?? 'zisi')
1041+
})
1042+
1043+
const { handler: handler1 } = await importFunctionFile(`${tmpDir}/func1.cjs`)
1044+
expect(handler1()).toBe(true)
1045+
const { handler: handler2 } = await importFunctionFile(`${tmpDir}/func2.cjs`)
1046+
expect(handler2()).toBe(true)
1047+
const { handler: handler3 } = await importFunctionFile(`${tmpDir}/func3.js`)
1048+
expect(handler3()).toBe(true)
1049+
},
1050+
)
1051+
10261052
testMany(
10271053
'Loads a tsconfig.json placed in the same directory as the function',
10281054
['bundler_default', 'bundler_esbuild', 'bundler_esbuild_zisi', 'bundler_default_nft', 'todo:bundler_nft'],
@@ -2445,4 +2471,81 @@ describe('zip-it-and-ship-it', () => {
24452471
expect(result.stderr).not.toContain('Dynamic require of "path" is not supported')
24462472
expect(result).not.toBeInstanceOf(Error)
24472473
})
2474+
2475+
testMany(
2476+
'Emits entry file with .cjs extension when `zisi_output_cjs_extension` flag is on',
2477+
['bundler_default', 'bundler_esbuild', 'bundler_nft'],
2478+
async (options) => {
2479+
const fixtureName = 'node-esm'
2480+
const opts = merge(options, {
2481+
basePath: join(FIXTURES_DIR, fixtureName),
2482+
featureFlags: { zisi_output_cjs_extension: true },
2483+
})
2484+
const { files, tmpDir } = await zipFixture(fixtureName, {
2485+
length: 2,
2486+
opts,
2487+
})
2488+
2489+
await unzipFiles(files)
2490+
2491+
const bundledFile2 = await importFunctionFile(join(tmpDir, 'func2.cjs'))
2492+
expect(bundledFile2.handler()).toBe(true)
2493+
2494+
if (options.getCurrentBundlerName() === 'esbuild') {
2495+
// nft does not create an entry here because the main file is already an entrypoint
2496+
const bundledFile1 = await importFunctionFile(join(tmpDir, 'func1.cjs'))
2497+
expect(bundledFile1.handler()).toBe(true)
2498+
}
2499+
},
2500+
)
2501+
2502+
testMany('Keeps .cjs extension', ['bundler_default', 'bundler_nft'], async (options) => {
2503+
const fixtureName = 'node-cjs-extension'
2504+
const opts = merge(options, {
2505+
basePath: join(FIXTURES_DIR, fixtureName),
2506+
})
2507+
const { files, tmpDir } = await zipFixture(fixtureName, {
2508+
length: 3,
2509+
opts,
2510+
})
2511+
2512+
await unzipFiles(files)
2513+
2514+
const bundledFile1 = await importFunctionFile(join(tmpDir, 'func1.cjs'))
2515+
const bundledFile2 = await importFunctionFile(join(tmpDir, 'func2.cjs'))
2516+
const bundledFile3 = await importFunctionFile(join(tmpDir, 'index.cjs'))
2517+
2518+
expect(bundledFile1.handler()).toBe(true)
2519+
expect(bundledFile2.handler()).toBe(true)
2520+
expect(bundledFile3.handler()).toBe(true)
2521+
})
2522+
2523+
testMany(
2524+
'Does not create .cjs entry file if entry with .js extension is already present',
2525+
['bundler_default', 'bundler_nft'],
2526+
async (options) => {
2527+
const fixtureName = 'node-js-extension'
2528+
const opts = merge(options, {
2529+
basePath: join(FIXTURES_DIR, fixtureName),
2530+
featureFlags: { zisi_output_cjs_extension: true },
2531+
})
2532+
const { files, tmpDir } = await zipFixture(fixtureName, {
2533+
length: 3,
2534+
opts,
2535+
})
2536+
2537+
await unzipFiles(files)
2538+
2539+
const bundledFile1 = await importFunctionFile(join(tmpDir, 'func1.js'))
2540+
const bundledFile2 = await importFunctionFile(join(tmpDir, 'func2.js'))
2541+
2542+
expect(bundledFile1.handler()).toBe(true)
2543+
expect(bundledFile2.handler()).toBe(true)
2544+
2545+
expect(`${tmpDir}/func1.cjs`).not.toPathExist()
2546+
expect(`${tmpDir}/func1.mjs`).not.toPathExist()
2547+
expect(`${tmpDir}/func2.cjs`).not.toPathExist()
2548+
expect(`${tmpDir}/func2.mjs`).not.toPathExist()
2549+
},
2550+
)
24482551
})

1 commit comments

Comments
 (1)

github-actions[bot] commented on Jan 11, 2023

@github-actions[bot]
Contributor

⏱ Benchmark results

  • largeDepsEsbuild: 3s
  • largeDepsNft: 11.8s
  • largeDepsZisi: 21.2s
This repository has been archived.