-
Notifications
You must be signed in to change notification settings - Fork 3.9k
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
(aws-lambda-nodejs): Use esbuild API instead of CLI for bundling #18470
(aws-lambda-nodejs): Use esbuild API instead of CLI for bundling #18470
Comments
Does it work with this? new NodejsFunction(this, 'testfunc', {
entry: 'lib/testfunc/index.ts',
bundling: {
nodeModules: ['ssh2'],
}
}); |
This would work as a workaround, though I wouldn't say its a solution to the problem. |
@azatoth what are you looking for in a solution that isn't covered by what jogold suggested? That is the way we (aws-lambda-nodejs) support |
This issue has not received a response in a while. If you want to keep this issue open, please leave a comment below and auto-close will be canceled. |
I'm looking for a solution that actually bundles the dependencies instead of including them; Which is what I meant by using From what I've seen from |
Ah ok I see what you are saying. I am unassigning and marking this issue as We use +1s to help prioritize our work, and are happy to revaluate this issue based on community feedback. You can reach out to the cdk.dev community on Slack to solicit support for reprioritization. |
In many cases, using the esbuild API instead of the CLI will open up the |
Importing my comment from #21161 :
|
Brainstorming, it seems like mostly what is needed is an option to override this command to use a custom build script: https://github.com/aws/aws-cdk/blob/v2.50.0/packages/%40aws-cdk/aws-lambda-nodejs/lib/bundling.ts#L180 and also to copy the custom build script to the Docker image when building via Docker... For reference, the issue as seen from the esbuild side: evanw/esbuild#884 |
For anyone stumbling upon this thread while looking for a solution for AWS SAM - the following worked for me when I tried usage a package with .node file (ssh2): Metadata:
BuildMethod: esbuild
BuildProperties:
Minify: true
Target: node18
Sourcemap: true
Loader:
- .node=text
EntryPoints:
- app.ts Specifically the Loader property is what I needed |
Depending on how you have CDK/SAM configured, bundling native dependencies like this is only fine if you've installed dependencies on the same OS/architecture as Lambda. If you've installed dependencies on Apple Silicon ( You could also build the dependencies with Docker before deploying: $ docker run -it --rm -v $PWD:/workspace -w /workspace public.ecr.aws/sam/build-nodejs18.x npm install |
Hey friends! Is there a timeline for this to be supported? ESBuild recommends plugins as the solution for augmenting bundling with instrumentation or other build-time modifications, and the CDK's lack of compatibility is actively hampering customer adoption of CDK for users who require plugins. It seems that ESBuild has created a path forward. Thanks! |
Hi everyone. As this issue has received a lot of attention, we wanted to look into what options are available to try to support this functionality. Below I've detailed a high-level overview of the
|
super(scope, id, { | |
...props, | |
runtime, | |
code: Bundling.bundle(scope, { | |
...props.bundling ?? {}, | |
entry, | |
runtime, | |
architecture, | |
depsLockFilePath, | |
projectRoot, | |
}), | |
handler: handler.indexOf('.') !== -1 ? `${handler}` : `index.${handler}`, | |
}); |
aws-cdk/packages/aws-cdk-lib/aws-lambda-nodejs/lib/bundling.ts
Lines 61 to 67 in dffedca
public static bundle(scope: IConstruct, options: BundlingProps): AssetCode { | |
return Code.fromAsset(options.projectRoot, { | |
assetHash: options.assetHash, | |
assetHashType: options.assetHash ? cdk.AssetHashType.CUSTOM : cdk.AssetHashType.OUTPUT, | |
bundling: new Bundling(scope, options), | |
}); | |
} |
At a high-level, the logic contained in the Bundling
construct follows a single, non-branching path through the constructor. The code through the constructor sets various Docker related class attributes defined on the BundlingOptions
interface such as workingDirectory
, entrypoint
, volumes
, command
, etc. Notably, the image
attribute is always set, but will be a “dummy” value if the Bundling
construct is not constructed with forceDockerBundling
or if esbuild package installation is not detected.
aws-cdk/packages/aws-cdk-lib/aws-lambda-nodejs/lib/bundling.ts
Lines 157 to 189 in dffedca
// Docker bundling | |
const shouldBuildImage = props.forceDockerBundling || !Bundling.esbuildInstallation; | |
this.image = shouldBuildImage ? props.dockerImage ?? cdk.DockerImage.fromBuild(path.join(__dirname, '..', 'lib'), | |
{ | |
buildArgs: { | |
...props.buildArgs ?? {}, | |
// If runtime isn't passed use regional default, lowest common denominator is node18 | |
IMAGE: props.runtime.bundlingImage.image, | |
ESBUILD_VERSION: props.esbuildVersion ?? ESBUILD_MAJOR_VERSION, | |
}, | |
platform: props.architecture.dockerPlatform, | |
}) | |
: cdk.DockerImage.fromRegistry('dummy'); // Do not build if we don't need to | |
const bundlingCommand = this.createBundlingCommand({ | |
inputDir: cdk.AssetStaging.BUNDLING_INPUT_DIR, | |
outputDir: cdk.AssetStaging.BUNDLING_OUTPUT_DIR, | |
esbuildRunner: 'esbuild', // esbuild is installed globally in the docker image | |
tscRunner: 'tsc', // tsc is installed globally in the docker image | |
osPlatform: 'linux', // linux docker image | |
}); | |
this.command = props.command ?? ['bash', '-c', bundlingCommand]; | |
this.environment = props.environment; | |
// Bundling sets the working directory to cdk.AssetStaging.BUNDLING_INPUT_DIR | |
// and we want to force npx to use the globally installed esbuild. | |
this.workingDirectory = props.workingDirectory ?? '/'; | |
this.entrypoint = props.entrypoint; | |
this.volumes = props.volumes; | |
this.volumesFrom = props.volumesFrom; | |
this.user = props.user; | |
this.securityOpt = props.securityOpt; | |
this.network = props.network; | |
this.bundlingFileAccess = props.bundlingFileAccess; |
The last part of the constructor sets the local attribute if forceDockerBundling
is false . The local attribute is optional, but it serves as a signal that local bundling should be used.
aws-cdk/packages/aws-cdk-lib/aws-lambda-nodejs/lib/bundling.ts
Lines 191 to 194 in dffedca
// Local bundling | |
if (!props.forceDockerBundling) { // only if Docker is not forced | |
this.local = this.getLocalBundlingProvider(); | |
} |
The getLocalBundlingProvider
method returns an implementation of the ILocalBundling
interface which requires implementing the tryBundle
method. The implementation given to local will result in local esbuild bundling via the CLI.
aws-cdk/packages/aws-cdk-lib/aws-lambda-nodejs/lib/bundling.ts
Lines 299 to 331 in dffedca
return { | |
tryBundle(outputDir: string) { | |
if (!Bundling.esbuildInstallation) { | |
process.stderr.write('esbuild cannot run locally. Switching to Docker bundling.\n'); | |
return false; | |
} | |
if (!Bundling.esbuildInstallation.version.startsWith(`${ESBUILD_MAJOR_VERSION}.`)) { | |
throw new Error(`Expected esbuild version ${ESBUILD_MAJOR_VERSION}.x but got ${Bundling.esbuildInstallation.version}`); | |
} | |
const localCommand = createLocalCommand(outputDir, Bundling.esbuildInstallation, Bundling.tscInstallation); | |
exec( | |
osPlatform === 'win32' ? 'cmd' : 'bash', | |
[ | |
osPlatform === 'win32' ? '/c' : '-c', | |
localCommand, | |
], | |
{ | |
env: { ...process.env, ...environment }, | |
stdio: [ // show output | |
'ignore', // ignore stdio | |
process.stderr, // redirect stdout to stderr | |
'inherit', // inherit stderr | |
], | |
cwd, | |
windowsVerbatimArguments: osPlatform === 'win32', | |
}); | |
return true; | |
}, | |
}; |
The code
property expected by the Function
construct must be an implementation of the abstract class Code
. All implementations of Code
have an implementation of bind
which binds the Code
construct to the Function
construct. When bind is called for AssetCode
a new S3 Asset
will be created:
aws-cdk/packages/aws-cdk-lib/aws-lambda/lib/code.ts
Lines 278 to 282 in dffedca
this.asset = new s3_assets.Asset(scope, 'Code', { | |
path: this.path, | |
deployTime: true, | |
...this.options, | |
}); |
When an Asset
is created, a new AssetStage
will also be created:
aws-cdk/packages/aws-cdk-lib/aws-s3-assets/lib/asset.ts
Lines 143 to 148 in dffedca
const staging = new cdk.AssetStaging(this, 'Stage', { | |
...props, | |
sourcePath: path.resolve(props.path), | |
follow: props.followSymlinks ?? toSymlinkFollow(props.follow), | |
assetHash: props.assetHash ?? props.sourceHash, | |
}); |
Finally, in the constructor of AssetStage
the bundling logic is executed via the private bundling
method. This method first looks for the local
property defined in BundlingOptions
and possibly set in the Bundling
construct. If found, the tryBundle
method is executed. If the result of tryBundle
is false or if local
is undefined, then Docker bundling is attempted:
aws-cdk/packages/aws-cdk-lib/core/lib/asset-staging.ts
Lines 434 to 462 in dffedca
private bundle(options: BundlingOptions, bundleDir: string) { | |
if (fs.existsSync(bundleDir)) { return; } | |
fs.ensureDirSync(bundleDir); | |
// Chmod the bundleDir to full access. | |
fs.chmodSync(bundleDir, 0o777); | |
let localBundling: boolean | undefined; | |
try { | |
process.stderr.write(`Bundling asset ${this.node.path}...\n`); | |
localBundling = options.local?.tryBundle(bundleDir, options); | |
if (!localBundling) { | |
const assetStagingOptions = { | |
sourcePath: this.sourcePath, | |
bundleDir, | |
...options, | |
}; | |
switch (options.bundlingFileAccess) { | |
case BundlingFileAccess.VOLUME_COPY: | |
new AssetBundlingVolumeCopy(assetStagingOptions).run(); | |
break; | |
case BundlingFileAccess.BIND_MOUNT: | |
default: | |
new AssetBundlingBindMount(assetStagingOptions).run(); | |
break; | |
} | |
} |
Option 1
This solution was considered as a way to maintain the current public API by only updating the underlying implementation details of existing constructs.
In this solution, bundling would still be configurable via the NodejsFunctionProps
interface and new bundling options could be added to the bundling property as part of the BundlingOptions
interface:
export interface BundlingOptions extends DockerRunOptions {
/**
* Whether to minify files when bundling.
*
* @default false
*/
readonly minify?: boolean;
/**
* Whether to include source maps when bundling.
*
* @default false
*/
readonly sourceMap?: boolean;
/**
* Source map mode to be used when bundling.
* @see https://esbuild.github.io/api/#sourcemap
*
* @default SourceMapMode.DEFAULT
*/
readonly sourceMapMode?: SourceMapMode;
/**
* Whether to include original source code in source maps when bundling.
*
* @see https://esbuild.github.io/api/#sources-content
*
* @default true
*/
readonly sourcesContent?: boolean;
/**
* Target environment for the generated JavaScript code.
*
* @see https://esbuild.github.io/api/#target
*
* @default - the node version of the runtime
*/
readonly target?: string;
// ...
readonly plugins?: [] EsbuildPlugins; <--- New interface we would need to define
// ...
}
Just like in the existing implementation, the BundlingOptions
could be passed to the static bundle method on the Bundling
construct to be used in configuring the bundling options for esbuild.
For local bundling, the implementation is contained within tryBundle
. Consequently, this means that we could, in theory, update the existing implementation of tryBundle
to use the esbuild API rather than the current exec
call to execute an esbuild command via the CLI. This would follow the code path detailed in the overview above and would eventually be executed in the bundle
method in AssetStaging
:
private getLocalBundlingProvider(): cdk.ILocalBundling {
// configuration / setup in outer scope
return {
async tryBundle(outputDir: string) {
// configuration / setup in inner scope
// error handling / check for valid local bundling
await esbuild.build({
// bundling options
});
return true;
},
};
}
}
With this we encounter a problem - the CDK is built around synchronous operations. The idea here is that the output of synth
should be deterministic. Esbuild offers a buildSync
API, but per the esbuild API documentation plugins can only be used with the asynchronous API:
Additionally, Docker bundling must be considered and this appears to be another blocker. Specifically, how would the esbuild API be utilized within Docker. An obvious answer is using a build script, but the next question that follows is how would things like plugins be passed to the build script?
Advantages
- The public API for
NodejsFunction
remains the same and no code updates would be needed. This would provide a familiar experience with the benefits of the esbuild API under-the-hood. - No new constructs means that implementing this can be accomplished faster and we wouldn’t have additional code to maintain.
- The existing tests would serve as a means to help guide the implementation since any failing tests are a signal of incorrect implementation.
Disadvantages
- Updating the implementation details of an existing construct could unknowingly introduce a breaking change. We also need to ensure that all existing bundling options are still being utilized by the API.
- This would eliminate the current bundling mechanism which eliminates the ability to bundle with the API vs. the CLI
- To offer support for plugins we would need to utilize the asynchronous API. Since the CDK is built on synchronous operations this wouldn't be practical.
- Docker bundling with the esbuild API would be a challenge. Specifically, how could information like plugins be passed into something like a build script to then be run in Docker?
Option 2
This solution was considered in parallel with first solution. The thought here was to create a new NodejsFunction
(something like NodejsFunctionV2
) construct that cleanly separates itself from the current construct. This new version would be a more "modern" NodejsFunction
that utilizes the esbuild API for its bundling mechanism. Doing this would maintain the functionality of the existing construct while offering functionality provided via the esbuild API for those that want more control over the bundling configuration in the newer version.
For configuring the construct and esbuild, we could introduce a new interface named NodejsFunctionPropsV2
. Additionally, we could introduce another new interface named BundlingOptionsV2
which would allow us to add esbuild API specific configuration properties without introducing unusable properties on BundlingOptions
.
export interface BundlingOptionsV2 {
//...
readonly plugins: EsbuildPlugin[]; <--- EsbuildPlugin would need to be created
//...
}
export interface NodejsFunctionPropsV2 extends lambda.FunctionProps {
// ...
readonly bundling?: BundlingOptionsV2;
// ...
}
From here, the implementation would be similar to the existing construct. The properties defined in NodejsFunctionPropsV2
would be passed to NodejsFunctionV2
for use during construction. We could create a BundlingV2
construct to use the esbuild API as its mechanism for bundling which would expose a static bundle method to return an AssetCode
instance.
export class NodejsFunctionV2 extends lambda.Function {
constructor(scope: Construct, id: string, props: NodejsFunctionPropsV2 = {}) {
//...
super(scope, id, {
...props,
runtime,
code: BundlingV2.bundle(scope, {
...props.bundling ?? {},
entry,
runtime,
architecture,
depsLockFilePath,
projectRoot,
}),
handler: handler.indexOf('.') !== -1 ? `${handler}` : `index.${handler}`,
});
//...
}
}
export class BundlingV2 implements cdk.BundlingOptions {
public static bundle(scope: IConstruct, options: BundlingProps): AssetCode {
return Code.fromAsset(options.projectRoot, {
assetHash: options.assetHash,
assetHashType: options.assetHash ? cdk.AssetHashType.CUSTOM : cdk.AssetHashType.OUTPUT,
bundling: new BundlingV2(scope, options),
});
}
//...
}
Unfortunately, from here the same two problems detailed in option 1 arise:
- Local bundling would need to use the asynchronous esbuild API to support plugins
- Bundling via Docker using the esbuild API would be challenging
Advantages
- Creating a new construct gives the ability to start fresh with our implementation of bundling using the esbuild API.
- We don’t need to concern ourselves with any potential breaking changes since we won’t be changing any existing behavior.
- We maintain the existing bundling mechanism which would provide the option of CLI or API for esbuild bundling.
Disadvantages
- A new
NodejsFunctionV2
construct would be similar to the existingNodejsFunction
which would introduce a lot of duplicate code. - To offer support for plugins we would need to utilize the asynchronous API. Since the CDK is built on synchronous operations this wouldn't be practical.
- Docker bundling with the esbuild API would be a challenge. Specifically, how could information like plugins be passed into something like a build script to then be run in Docker?
Option 3
This solution takes the approach that, ultimately, the CDK wasn't developed as a build tool. With that, another approach is a solution that meets in the middle. Specifically, we could create a new Code
static method called something along the lines of Code.fromBuiltAsset
which would satisfy the code
property defined on the FunctionProps
interface.
new Function(this, 'LambdaFunction', {
//...
code: Code.fromBuiltAsset({
command: ['node', './build-script.js'],
}),
//...
});
Additionally, we could expose the code
property on the NodejsFunctionProps
interface to allow Code.fromBuiltAsset
to be utilized within the NodejsFunction
as well. Right now it defaults to using Bundler.bundle
.
This approach would subvert the control of bundling back to the user without requiring them to first bundle and then supply the bundled code. Instead, at build time, the CDK would execute the build script on the users machine and look for the bundled code in a defined outfile
location. The user will have everything installed on their machine that is necessary for bundling and they are able to set-up their build script in whatever way they choose.
This solution would provide convenience in that we still are bundling their code at build time, but the user has the freedom to choose the bundler, the API, the configuration, etc.
Advantages
- The user could choose any bundler they want as long as everything needed is installed on their machine.
- The user could configure the bundler API they're using in whatever way meets their needs.
- The build script would be executed when
cdk synth
is run. The user doesn't need to bundle first, then supply the output file, and then runcdk synth
. Ideally this keeps development streamlined. - Users that aren't concerned with having more control over bundling can still use the existing functionality offered by
NodejsFunction
.
Disadvantages
- To benefit from this, users would need to write their own build script.
- Bundling would no longer be hidden as an implementation detail with this option.
Recommendation
We see option 3 as being the best solution to move forward with. This approach would meet in the middle by providing a solution that will bundle handler code and dependencies when running cdk synth
, while giving the user control of the bundling mechanism and configuration used.
Thanks for this clear and well-reasoned analysis @colifran! Although writing a custom build script does seem heavy to support plugins, I recognize that the synchronous nature of the CDK and the asynchronous esbuild plugin design represents a bit of an issue. Is your concern primarily technical/performance based? Or just generally that the CDK team doesn't want to support asynchronous packaging/synth to prevent someone from say, calling endpoints and introducing further nondeterminism? Depending on that answer, option 1 could be okay. Option 3 seems good overall but certainly represents more work for users who will have to roll their own build scripts. Not a blocker certainly, but just an observation. I'm not sure versioning Overall I'd be pleased with either choice. Thanks again! |
### Issue # (if applicable) Closes #18470 ### Reason for this change This allows customers to execute an arbitrary build script as part of cdk synth, which will enable customer to use esbuild plugins. The rationale for this decision is given the issue that is linked above. ### Description of changes 1. Expose the code field on the `aws-lambda-nodejs` construct, so that customers can specify code in ways other than bundling, which was the default and abstracted away from customers before this change. 2. Add a new static method on Code, namely `Code.fromCustomCommand`. This method takes in the commands to run an arbitrary script during cdk synthesis that the customer provides. The customer also provides the location of the output from the buildscript. Then this output is supplied to a lambda function. ### Description of how you validated changes manual testing (involving inspecting output in the AWS Lambda console and invoking the function), integration tests, and full unit test coverage of new changes. ### Checklist - [X] My code adheres to the [CONTRIBUTING GUIDE](https://github.com/aws/aws-cdk/blob/main/CONTRIBUTING.md) and [DESIGN GUIDELINES](https://github.com/aws/aws-cdk/blob/main/docs/DESIGN_GUIDELINES.md) ---- *By submitting this pull request, I confirm that my contribution is made under the terms of the Apache-2.0 license*
|
### Issue # (if applicable) Closes aws#18470 ### Reason for this change This allows customers to execute an arbitrary build script as part of cdk synth, which will enable customer to use esbuild plugins. The rationale for this decision is given the issue that is linked above. ### Description of changes 1. Expose the code field on the `aws-lambda-nodejs` construct, so that customers can specify code in ways other than bundling, which was the default and abstracted away from customers before this change. 2. Add a new static method on Code, namely `Code.fromCustomCommand`. This method takes in the commands to run an arbitrary script during cdk synthesis that the customer provides. The customer also provides the location of the output from the buildscript. Then this output is supplied to a lambda function. ### Description of how you validated changes manual testing (involving inspecting output in the AWS Lambda console and invoking the function), integration tests, and full unit test coverage of new changes. ### Checklist - [X] My code adheres to the [CONTRIBUTING GUIDE](https://github.com/aws/aws-cdk/blob/main/CONTRIBUTING.md) and [DESIGN GUIDELINES](https://github.com/aws/aws-cdk/blob/main/docs/DESIGN_GUIDELINES.md) ---- *By submitting this pull request, I confirm that my contribution is made under the terms of the Apache-2.0 license*
### Issue # (if applicable) Closes aws#18470 ### Reason for this change This allows customers to execute an arbitrary build script as part of cdk synth, which will enable customer to use esbuild plugins. The rationale for this decision is given the issue that is linked above. ### Description of changes 1. Expose the code field on the `aws-lambda-nodejs` construct, so that customers can specify code in ways other than bundling, which was the default and abstracted away from customers before this change. 2. Add a new static method on Code, namely `Code.fromCustomCommand`. This method takes in the commands to run an arbitrary script during cdk synthesis that the customer provides. The customer also provides the location of the output from the buildscript. Then this output is supplied to a lambda function. ### Description of how you validated changes manual testing (involving inspecting output in the AWS Lambda console and invoking the function), integration tests, and full unit test coverage of new changes. ### Checklist - [X] My code adheres to the [CONTRIBUTING GUIDE](https://github.com/aws/aws-cdk/blob/main/CONTRIBUTING.md) and [DESIGN GUIDELINES](https://github.com/aws/aws-cdk/blob/main/docs/DESIGN_GUIDELINES.md) ---- *By submitting this pull request, I confirm that my contribution is made under the terms of the Apache-2.0 license*
### Issue # (if applicable) Closes aws#18470 ### Reason for this change This allows customers to execute an arbitrary build script as part of cdk synth, which will enable customer to use esbuild plugins. The rationale for this decision is given the issue that is linked above. ### Description of changes 1. Expose the code field on the `aws-lambda-nodejs` construct, so that customers can specify code in ways other than bundling, which was the default and abstracted away from customers before this change. 2. Add a new static method on Code, namely `Code.fromCustomCommand`. This method takes in the commands to run an arbitrary script during cdk synthesis that the customer provides. The customer also provides the location of the output from the buildscript. Then this output is supplied to a lambda function. ### Description of how you validated changes manual testing (involving inspecting output in the AWS Lambda console and invoking the function), integration tests, and full unit test coverage of new changes. ### Checklist - [X] My code adheres to the [CONTRIBUTING GUIDE](https://github.com/aws/aws-cdk/blob/main/CONTRIBUTING.md) and [DESIGN GUIDELINES](https://github.com/aws/aws-cdk/blob/main/docs/DESIGN_GUIDELINES.md) ---- *By submitting this pull request, I confirm that my contribution is made under the terms of the Apache-2.0 license*
Hey @colifran does this mean that we would need to also handle packaging external node modules packages ourself? Part of the beauty of the current module was having this handled automatically for us. |
What is the problem?
If a dependency has a
.node
dependency, for examplessh2
innode_modules/ssh2/lib/protocol/crypto.js
hasbinding = require('./crypto/build/Release/sshcrypto.node');
,this will have esbuild fail the bundling with
error: No loader is configured for ".node" files: ../node_modules/ssh2/lib/protocol/crypto/build/Release/sshcrypto.node
.In evanw/esbuild#1051 they provide a plugin, but sadly plugins can't be used with binary esbuild.
Reproduction Steps
Run
npx cdk init app --language=typescript
to create sample appAdd
new NodejsFunction(this, 'testfunc', { entry: 'lib/testfunc/index.ts' });
to test stackAdd to file
lib/testfunc/index.ts
:Add to file
lib/testfunc/package.json
:Run
npm run cdk synth
What did you expect to happen?
It bundling the example code
What actually happened?
CDK CLI Version
2.8.0 (build 8a5eb49)
Framework Version
No response
Node.js Version
v14.18.3
OS
Linux
Language
Typescript
Language Version
No response
Other information
No response
The text was updated successfully, but these errors were encountered: