Skip to content

Commit 8dfb457

Browse files
authoredOct 20, 2021
Vendor the load function from the Lambda runtime (#238)
1 parent 4738b4a commit 8dfb457

8 files changed

+320
-3
lines changed
 

‎.prettierignore

+2
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,2 @@
1+
# Ignore code that was originally part of the Lambda runtime
2+
runtime

‎LICENSE-3rdparty.csv

+1
Original file line numberDiff line numberDiff line change
@@ -2,6 +2,7 @@ Component,Origin,License,Copyright
22
async-listener,github.com/othiym23/async-listener,BSD-2-Clause,"Copyright (c) 2013-2017, Forrest L Norvell All rights reserved."
33
async,github.com/caolan/async,MIT,Copyright (c) 2010-2014 Caolan McMahon
44
atomic-batcher,github.com/mafintosh/atomic-batcher,MIT,Copyright (c) 2016 Mathias Buus
5+
aws-lambda-nodejs-runtime-interface-client,github.com/aws/aws-lambda-nodejs-runtime-interface-client,Apache 2.0,Copyright 2019 Amazon.com, Inc. or its affiliates. All Rights Reserved.
56
aws-sdk,github.com/aws/aws-sdk-js,Apache-2.0,"Copyright 2012-2017 Amazon.com, Inc. or its affiliates. All Rights Reserved."
67
aws-xray-sdk-core,github.com/aws/aws-xray-sdk-node/tree/master/packages/core,Apache-2.0,"Copyright 2012-2016 Amazon.com, Inc. or its affiliates. All Rights Reserved."
78
base64-js,github.com/beatgammit/base64-js,MIT,Copyright (c) 2014 Jameson Little

‎NOTICE

+3
Original file line numberDiff line numberDiff line change
@@ -2,3 +2,6 @@ Datadog datadog-lambda-js
22
Copyright 2019 Datadog, Inc.
33

44
This product includes software developed at Datadog (https://www.datadoghq.com/).
5+
6+
The Initial Developer of the files in the runtime directory is Amazon.com, Inc.
7+
Copyright 2019 Amazon.com, Inc. or its affiliates. All Rights Reserved.

‎src/handler.ts

+1-3
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,7 @@
11
import { datadog, datadogHandlerEnvVar, lambdaTaskRootEnvVar, traceExtractorEnvVar, getEnvValue } from "./index";
22
import { TraceExtractor } from "./trace";
33
import { logDebug, logError } from "./utils";
4-
// We reuse the function loading logic already inside the lambda runtime.
5-
// tslint:disable-next-line:no-var-requires
6-
const { load } = require("/var/runtime/UserFunction") as any;
4+
import { load } from "./runtime";
75

86
if (process.env.DD_TRACE_DISABLED_PLUGINS === undefined) {
97
process.env.DD_TRACE_DISABLED_PLUGINS = "fs";

‎src/runtime/errors.ts

+137
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,137 @@
1+
/* eslint-disable @typescript-eslint/explicit-module-boundary-types */
2+
/* eslint-disable @typescript-eslint/no-explicit-any */
3+
/**
4+
* Copyright 2019 Amazon.com, Inc. or its affiliates. All Rights Reserved.
5+
*
6+
* Defines custom error types throwable by the runtime.
7+
*/
8+
9+
"use strict";
10+
11+
import util from "util";
12+
13+
export function isError(obj: any): obj is Error {
14+
return (
15+
obj &&
16+
obj.name &&
17+
obj.message &&
18+
obj.stack &&
19+
typeof obj.name === "string" &&
20+
typeof obj.message === "string" &&
21+
typeof obj.stack === "string"
22+
);
23+
}
24+
25+
interface RuntimeErrorResponse {
26+
errorType: string;
27+
errorMessage: string;
28+
trace: string[];
29+
}
30+
31+
/**
32+
* Attempt to convert an object into a response object.
33+
* This method accounts for failures when serializing the error object.
34+
*/
35+
export function toRuntimeResponse(error: unknown): RuntimeErrorResponse {
36+
try {
37+
if (util.types.isNativeError(error) || isError(error)) {
38+
if (!error.stack) {
39+
throw new Error("Error stack is missing.");
40+
}
41+
return {
42+
errorType: error.name,
43+
errorMessage: error.message,
44+
trace: error.stack.split("\n") || [],
45+
};
46+
} else {
47+
return {
48+
errorType: typeof error,
49+
errorMessage: (error as any).toString(),
50+
trace: [],
51+
};
52+
}
53+
} catch (_err) {
54+
return {
55+
errorType: "handled",
56+
errorMessage:
57+
"callback called with Error argument, but there was a problem while retrieving one or more of its message, name, and stack",
58+
trace: [],
59+
};
60+
}
61+
}
62+
63+
/**
64+
* Format an error with the expected properties.
65+
* For compatability, the error string always starts with a tab.
66+
*/
67+
export const toFormatted = (error: unknown): string => {
68+
try {
69+
return (
70+
"\t" + JSON.stringify(error, (_k, v) => _withEnumerableProperties(v))
71+
);
72+
} catch (err) {
73+
return "\t" + JSON.stringify(toRuntimeResponse(error));
74+
}
75+
};
76+
77+
/**
78+
* Error name, message, code, and stack are all members of the superclass, which
79+
* means they aren't enumerable and don't normally show up in JSON.stringify.
80+
* This method ensures those interesting properties are available along with any
81+
* user-provided enumerable properties.
82+
*/
83+
function _withEnumerableProperties(error: any) {
84+
if (error instanceof Error) {
85+
const extendedError: ExtendedError = <ExtendedError>(<any>error);
86+
const ret: any = Object.assign(
87+
{
88+
errorType: extendedError.name,
89+
errorMessage: extendedError.message,
90+
code: extendedError.code,
91+
},
92+
extendedError
93+
);
94+
if (typeof extendedError.stack == "string") {
95+
ret.stack = extendedError.stack.split("\n");
96+
}
97+
return ret;
98+
} else {
99+
return error;
100+
}
101+
}
102+
103+
export class ExtendedError extends Error {
104+
code?: number;
105+
custom?: string;
106+
reason?: string;
107+
promise?: Promise<any>;
108+
109+
constructor(reason?: string) {
110+
super(reason); // 'Error' breaks prototype chain here
111+
Object.setPrototypeOf(this, new.target.prototype); // restore prototype chain
112+
}
113+
}
114+
115+
export class ImportModuleError extends ExtendedError {}
116+
export class HandlerNotFound extends ExtendedError {}
117+
export class MalformedHandlerName extends ExtendedError {}
118+
export class UserCodeSyntaxError extends ExtendedError {}
119+
export class UnhandledPromiseRejection extends ExtendedError {
120+
constructor(reason?: string, promise?: Promise<any>) {
121+
super(reason);
122+
this.reason = reason;
123+
this.promise = promise;
124+
}
125+
}
126+
127+
const errorClasses = [
128+
ImportModuleError,
129+
HandlerNotFound,
130+
MalformedHandlerName,
131+
UserCodeSyntaxError,
132+
UnhandledPromiseRejection,
133+
];
134+
135+
errorClasses.forEach((e) => {
136+
e.prototype.name = `Runtime.${e.name}`;
137+
});

‎src/runtime/index.ts

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
export { load } from "./user-function";

‎src/runtime/user-function.ts

+170
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,170 @@
1+
/**
2+
* Copyright 2019 Amazon.com, Inc. or its affiliates. All Rights Reserved.
3+
* Modifications copyright 2021 Datadog, Inc.
4+
*
5+
* The original file was part of aws-lambda-nodejs-runtime-interface-client
6+
* https://github.com/aws/aws-lambda-nodejs-runtime-interface-client/blob/main/src/utils/UserFunction.ts
7+
*
8+
* This module defines the functions for loading the user's code as specified
9+
* in a handler string.
10+
*/
11+
12+
"use strict";
13+
14+
import path from "path";
15+
import fs from "fs";
16+
import {
17+
HandlerNotFound,
18+
MalformedHandlerName,
19+
ImportModuleError,
20+
UserCodeSyntaxError,
21+
ExtendedError,
22+
} from "./errors";
23+
24+
const FUNCTION_EXPR = /^([^.]*)\.(.*)$/;
25+
const RELATIVE_PATH_SUBSTRING = "..";
26+
27+
/**
28+
* Break the full handler string into two pieces, the module root and the actual
29+
* handler string.
30+
* Given './somepath/something/module.nestedobj.handler' this returns
31+
* ['./somepath/something', 'module.nestedobj.handler']
32+
*/
33+
function _moduleRootAndHandler(fullHandlerString: string): [string, string] {
34+
const handlerString = path.basename(fullHandlerString);
35+
const moduleRoot = fullHandlerString.substring(
36+
0,
37+
fullHandlerString.indexOf(handlerString)
38+
);
39+
return [moduleRoot, handlerString];
40+
}
41+
42+
/**
43+
* Split the handler string into two pieces: the module name and the path to
44+
* the handler function.
45+
*/
46+
function _splitHandlerString(handler: string): [string, string] {
47+
const match = handler.match(FUNCTION_EXPR);
48+
if (!match || match.length != 3) {
49+
throw new MalformedHandlerName("Bad handler");
50+
}
51+
return [match[1], match[2]]; // [module, function-path]
52+
}
53+
54+
/**
55+
* Resolve the user's handler function from the module.
56+
*/
57+
function _resolveHandler(object: any, nestedProperty: string): any {
58+
return nestedProperty.split(".").reduce((nested, key) => {
59+
return nested && nested[key];
60+
}, object);
61+
}
62+
63+
/**
64+
* Verify that the provided path can be loaded as a file per:
65+
* https://nodejs.org/dist/latest-v10.x/docs/api/modules.html#modules_all_together
66+
* @param string - the fully resolved file path to the module
67+
* @return bool
68+
*/
69+
function _canLoadAsFile(modulePath: string): boolean {
70+
return fs.existsSync(modulePath) || fs.existsSync(modulePath + ".js");
71+
}
72+
73+
/**
74+
* Attempt to load the user's module.
75+
* Attempts to directly resolve the module relative to the application root,
76+
* then falls back to the more general require().
77+
*/
78+
function _tryRequire(appRoot: string, moduleRoot: string, module: string): any {
79+
const lambdaStylePath = path.resolve(appRoot, moduleRoot, module);
80+
if (_canLoadAsFile(lambdaStylePath)) {
81+
return require(lambdaStylePath);
82+
} else {
83+
// Why not just require(module)?
84+
// Because require() is relative to __dirname, not process.cwd()
85+
const nodeStylePath = require.resolve(module, {
86+
paths: [appRoot, moduleRoot],
87+
});
88+
return require(nodeStylePath);
89+
}
90+
}
91+
92+
/**
93+
* Load the user's application or throw a descriptive error.
94+
* @throws Runtime errors in two cases
95+
* 1 - UserCodeSyntaxError if there's a syntax error while loading the module
96+
* 2 - ImportModuleError if the module cannot be found
97+
*/
98+
function _loadUserApp(
99+
appRoot: string,
100+
moduleRoot: string,
101+
module: string
102+
): any {
103+
try {
104+
return _tryRequire(appRoot, moduleRoot, module);
105+
} catch (e) {
106+
if (e instanceof SyntaxError) {
107+
throw new UserCodeSyntaxError(<any>e);
108+
// @ts-ignore
109+
} else if (e.code !== undefined && e.code === "MODULE_NOT_FOUND") {
110+
// @ts-ignore
111+
throw new ImportModuleError(e);
112+
} else {
113+
throw e;
114+
}
115+
}
116+
}
117+
118+
function _throwIfInvalidHandler(fullHandlerString: string): void {
119+
if (fullHandlerString.includes(RELATIVE_PATH_SUBSTRING)) {
120+
throw new MalformedHandlerName(
121+
`'${fullHandlerString}' is not a valid handler name. Use absolute paths when specifying root directories in handler names.`
122+
);
123+
}
124+
}
125+
126+
/**
127+
* Load the user's function with the approot and the handler string.
128+
* @param appRoot {string}
129+
* The path to the application root.
130+
* @param handlerString {string}
131+
* The user-provided handler function in the form 'module.function'.
132+
* @return userFuction {function}
133+
* The user's handler function. This function will be passed the event body,
134+
* the context object, and the callback function.
135+
* @throws In five cases:-
136+
* 1 - if the handler string is incorrectly formatted an error is thrown
137+
* 2 - if the module referenced by the handler cannot be loaded
138+
* 3 - if the function in the handler does not exist in the module
139+
* 4 - if a property with the same name, but isn't a function, exists on the
140+
* module
141+
* 5 - the handler includes illegal character sequences (like relative paths
142+
* for traversing up the filesystem '..')
143+
* Errors for scenarios known by the runtime, will be wrapped by Runtime.* errors.
144+
*/
145+
export const load = function (
146+
appRoot: string,
147+
fullHandlerString: string
148+
) {
149+
_throwIfInvalidHandler(fullHandlerString);
150+
151+
const [moduleRoot, moduleAndHandler] = _moduleRootAndHandler(
152+
fullHandlerString
153+
);
154+
const [module, handlerPath] = _splitHandlerString(moduleAndHandler);
155+
156+
const userApp = _loadUserApp(appRoot, moduleRoot, module);
157+
const handlerFunc = _resolveHandler(userApp, handlerPath);
158+
159+
if (!handlerFunc) {
160+
throw new HandlerNotFound(
161+
`${fullHandlerString} is undefined or not exported`
162+
);
163+
}
164+
165+
if (typeof handlerFunc !== "function") {
166+
throw new HandlerNotFound(`${fullHandlerString} is not a function`);
167+
}
168+
169+
return handlerFunc;
170+
};

‎tslint.json

+5
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,10 @@
11
{
22
"extends": "tslint:recommended",
3+
"linterOptions": {
4+
"exclude": [
5+
"**/runtime/**"
6+
]
7+
},
38
"rules": {
49
"interface-name": false,
510
"variable-name": {

0 commit comments

Comments
 (0)
Please sign in to comment.