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

Commit ea4008e

Browse files
jackiewmachariakhendrikse
andauthoredJan 12, 2023
feat: Make additional function attributes available via functions manifest (#1221)
* feat: pass additional-function-attributes * chore: make attributes available to functions manifest * fix: fix linting * fix: use optional chaining * fix: add ext * fix: fix tests * fix: change internal directory name in constants.ts * feat: add test for go functions with displayName and from an internal functions folder * feat: add test for rust functions build from internal folder with displayName property * feat: add test for nodejs functions build from internal folder with displayName property * test: figure out windows breakn * fix: take windows paths into account when checking for internal functions * test: add unit test for checkIsInternalFunction * docs: add new return values * test: move tests into a better fixtures structure * fix: use unixify for checkIsInternalFunction, config, bundler, module and resolve * feat: add internalFunctionsFolder option to zipfunctionoptions * test: fix tests * test: add test for zipFunction and code to support that as well * test: change toBeTruthy to toBe(true) and isInternalFunction to internalFunction * chore: change displayName input to name * chore: change internalFunction to isInternal * chore: revert unixify, rename tests and internalFunctionsFolder to internalSrcFolder * test: revert unixify for module to see if windows test still fails * Revert "test: revert unixify for module to see if windows test still fails" This reverts commit b444d1c. Co-authored-by: khen <30577427+khendrikse@users.noreply.github.com>
1 parent de48712 commit ea4008e

File tree

25 files changed

+1722
-7
lines changed

25 files changed

+1722
-7
lines changed
 

‎README.md

+22-3
Original file line numberDiff line numberDiff line change
@@ -150,6 +150,10 @@ The following properties are accepted:
150150
The `[name]` placeholder will be replaced by the name of the function, allowing you to use it to construct the path to
151151
the target directory.
152152

153+
- `name`
154+
155+
A name to use when displaying the function in the Netlify UI. Populates the `displayName` property in the functions manifest for the specified function.
156+
153157
#### `featureFlags`
154158

155159
See [feature flags](#feature-flags).
@@ -159,7 +163,7 @@ See [feature flags](#feature-flags).
159163
- _Type_: `string`
160164
- _Default value_: `undefined`
161165

162-
Defines the path for a manifest file to be created with the results of the functions bundling. This file is a
166+
Defines the full path, including the file name, to use for the manifest file that will be created with the functions bundling results. For example, `path/to/manifest.json`. This file is a
163167
JSON-formatted string with the following properties:
164168

165169
- `functions`: An array with the functions created, in the same format as returned by `zipFunctions`
@@ -172,11 +176,18 @@ JSON-formatted string with the following properties:
172176

173177
#### `parallelLimit`
174178

175-
- _Type_: `number`\
179+
- _Type_: `number`
176180
- _Default value_: `5`
177181

178182
Maximum number of functions to bundle at the same time.
179183

184+
#### `internalSrcFolder`
185+
186+
- _Type_: `string`
187+
- _Default value_: `undefined`
188+
189+
Defines the path to the folder with internal functions. Used to populate a function's `isInternal` property, if its path is within this specified internal functions folder.
190+
180191
### Return value
181192

182193
This returns a `Promise` resolving to an array of objects describing each archive. Every object has the following
@@ -202,6 +213,14 @@ properties.
202213

203214
The size of the generated archive, in bytes.
204215

216+
- `isInternal` `boolean`
217+
218+
If the function path has a match with the `internalSrcFolder` property, this boolean will be true.
219+
220+
- `displayName` `string`
221+
222+
If there was a user-defined configuration object applied to the function, and it had a `name` defined. This will be returned here.
223+
205224
Additionally, the following properties also exist for Node.js functions:
206225

207226
- `bundler`: `string`
@@ -257,7 +276,7 @@ Additionally, the following properties also exist for Node.js functions:
257276
```js
258277
import { zipFunction } from '@netlify/zip-it-and-ship-it'
259278

260-
const archive = await zipFunctions('functions/function.js', 'functions-dist')
279+
const archive = await zipFunction('functions/function.js', 'functions-dist')
261280
```
262281

263282
This is like [`zipFunctions()`](#zipfunctionssrcfolder-destfolder-options) except it bundles a single Function.

‎src/config.ts

+1
Original file line numberDiff line numberDiff line change
@@ -24,6 +24,7 @@ interface FunctionConfig {
2424
rustTargetDirectory?: string
2525
schedule?: string
2626
zipGo?: boolean
27+
name?: string
2728

2829
// Temporary configuration property, only meant to be used by the deploy
2930
// configuration API. Once we start emitting ESM files for all ESM functions,

‎src/manifest.ts

+16-1
Original file line numberDiff line numberDiff line change
@@ -10,6 +10,9 @@ interface ManifestFunction {
1010
path: string
1111
runtime: string
1212
schedule?: string
13+
displayName?: string
14+
bundler?: string
15+
isInternal?: boolean
1316
}
1417

1518
export interface Manifest {
@@ -36,10 +39,22 @@ export const createManifest = async ({ functions, path }: { functions: FunctionR
3639
await fs.writeFile(path, JSON.stringify(payload))
3740
}
3841

39-
const formatFunctionForManifest = ({ mainFile, name, path, runtime, schedule }: FunctionResult): ManifestFunction => ({
42+
const formatFunctionForManifest = ({
43+
mainFile,
44+
name,
45+
path,
46+
runtime,
47+
schedule,
48+
displayName,
49+
bundler,
50+
isInternal,
51+
}: FunctionResult): ManifestFunction => ({
4052
mainFile,
4153
name,
4254
path: resolve(path),
4355
runtime,
4456
schedule,
57+
displayName,
58+
bundler,
59+
isInternal,
4560
})

‎src/runtimes/go/index.ts

+16-2
Original file line numberDiff line numberDiff line change
@@ -109,7 +109,16 @@ const processSource = async ({
109109
}
110110
}
111111

112-
const zipFunction: ZipFunction = async function ({ config, destFolder, filename, mainFile, srcDir, srcPath, stat }) {
112+
const zipFunction: ZipFunction = async function ({
113+
config,
114+
destFolder,
115+
filename,
116+
mainFile,
117+
srcDir,
118+
srcPath,
119+
stat,
120+
isInternal,
121+
}) {
113122
const destPath = join(destFolder, filename)
114123
const isSource = extname(mainFile) === '.go'
115124

@@ -151,7 +160,12 @@ const zipFunction: ZipFunction = async function ({ config, destFolder, filename,
151160
await copyFile(binary.path, destPath)
152161
}
153162

154-
return { config, path: destPath }
163+
return {
164+
config,
165+
path: destPath,
166+
displayName: config?.name,
167+
isInternal,
168+
}
155169
}
156170

157171
const runtime: Runtime = { findFunctionsInPaths, findFunctionInPath, name: RuntimeType.GO, zipFunction }

‎src/runtimes/node/index.ts

+3
Original file line numberDiff line numberDiff line change
@@ -45,6 +45,7 @@ const zipFunction: ZipFunction = async function ({
4545
srcDir,
4646
srcPath,
4747
stat,
48+
isInternal,
4849
}) {
4950
const pluginsModulesPath = await getPluginsModulesPath(srcDir)
5051
const bundlerName = await getBundlerName({
@@ -126,6 +127,8 @@ const zipFunction: ZipFunction = async function ({
126127
nativeNodeModules,
127128
nodeModulesWithDynamicImports,
128129
path: zipPath,
130+
displayName: config?.name,
131+
isInternal,
129132
}
130133
}
131134

‎src/runtimes/runtime.ts

+3
Original file line numberDiff line numberDiff line change
@@ -45,6 +45,8 @@ export interface ZipFunctionResult {
4545
nativeNodeModules?: object
4646
nodeModulesWithDynamicImports?: string[]
4747
path: string
48+
isInternal?: boolean
49+
displayName?: string
4850
}
4951

5052
export type ZipFunction = (
@@ -56,6 +58,7 @@ export type ZipFunction = (
5658
destFolder: string
5759
featureFlags: FeatureFlags
5860
repositoryRoot?: string
61+
isInternal?: boolean
5962
} & FunctionSource,
6063
) => Promise<ZipFunctionResult>
6164

‎src/runtimes/rust/index.ts

+7-1
Original file line numberDiff line numberDiff line change
@@ -137,6 +137,7 @@ const zipFunction: ZipFunction = async function ({
137137
srcDir,
138138
srcPath,
139139
stat,
140+
isInternal,
140141
}) {
141142
const destPath = join(destFolder, `${filename}.zip`)
142143
const isSource = extname(mainFile) === '.rs'
@@ -157,7 +158,12 @@ const zipFunction: ZipFunction = async function ({
157158
await zipBinary({ ...zipOptions, srcPath, stat })
158159
}
159160

160-
return { config, path: destPath }
161+
return {
162+
config,
163+
path: destPath,
164+
displayName: config?.name,
165+
isInternal,
166+
}
161167
}
162168

163169
const runtime: Runtime = { findFunctionsInPaths, findFunctionInPath, name: RuntimeType.RUST, zipFunction }

‎src/zip.ts

+10
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
11
import { promises as fs } from 'fs'
22
import { resolve } from 'path'
33

4+
import isPathInside from 'is-path-inside'
45
import pMap from 'p-map'
56

67
import { ArchiveFormat } from './archive.js'
@@ -27,12 +28,14 @@ interface ZipFunctionOptions {
2728
zipGo?: boolean
2829
systemLog?: LogFunction
2930
debug?: boolean
31+
internalSrcFolder?: string
3032
}
3133

3234
export type ZipFunctionsOptions = ZipFunctionOptions & {
3335
configFileDirectories?: string[]
3436
manifest?: string
3537
parallelLimit?: number
38+
internalSrcFolder?: string
3639
}
3740

3841
const DEFAULT_PARALLEL_LIMIT = 5
@@ -60,6 +63,7 @@ export const zipFunctions = async function (
6063
repositoryRoot = basePath,
6164
systemLog,
6265
debug,
66+
internalSrcFolder,
6367
}: ZipFunctionsOptions = {},
6468
) {
6569
validateArchiveFormat(archiveFormat)
@@ -68,6 +72,8 @@ export const zipFunctions = async function (
6872
const cache = new RuntimeCache()
6973
const featureFlags = getFlags(inputFeatureFlags)
7074
const srcFolders = resolveFunctionsDirectories(relativeSrcFolders)
75+
const internalFunctionsPath = internalSrcFolder && resolve(internalSrcFolder)
76+
7177
const [paths] = await Promise.all([listFunctionsDirectories(srcFolders), fs.mkdir(destFolder, { recursive: true })])
7278
const functions = await getFunctionsFromPaths(paths, {
7379
cache,
@@ -104,6 +110,7 @@ export const zipFunctions = async function (
104110
srcDir: func.srcDir,
105111
srcPath: func.srcPath,
106112
stat: func.stat,
113+
isInternal: Boolean(internalFunctionsPath && isPathInside(func.srcPath, internalFunctionsPath)),
107114
})
108115
const durationNs = endTimer(startIntervalTime)
109116
const logObject = {
@@ -148,6 +155,7 @@ export const zipFunction = async function (
148155
repositoryRoot = basePath,
149156
systemLog,
150157
debug,
158+
internalSrcFolder,
151159
}: ZipFunctionOptions = {},
152160
) {
153161
validateArchiveFormat(archiveFormat)
@@ -157,6 +165,7 @@ export const zipFunction = async function (
157165
const srcPath = resolve(relativeSrcPath)
158166
const cache = new RuntimeCache()
159167
const functions = await getFunctionsFromPaths([srcPath], { cache, config: inputConfig, dedupe: true, featureFlags })
168+
const internalFunctionsPath = internalSrcFolder && resolve(internalSrcFolder)
160169

161170
if (functions.size === 0) {
162171
return
@@ -199,6 +208,7 @@ export const zipFunction = async function (
199208
srcDir,
200209
srcPath,
201210
stat: stats,
211+
isInternal: Boolean(internalFunctionsPath && isPathInside(srcPath, internalFunctionsPath)),
202212
})
203213
const durationNs = endTimer(startIntervalTime)
204214
const logObject = {
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,9 @@
1+
package main
2+
3+
import (
4+
"fmt"
5+
)
6+
7+
func main() {
8+
fmt.Println("Hello, world!")
9+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,9 @@
1+
package main
2+
3+
import (
4+
"fmt"
5+
)
6+
7+
func main() {
8+
fmt.Println("Hello, world!")
9+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,3 @@
1+
module github.com/netlify/zip-it-and-ship-it/tests/fixtures/go-source
2+
3+
go 1.15

‎tests/fixtures/go-internal/.netlify/internal-functions/go-func-2/go.sum

Whitespace-only changes.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
module.exports = true
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
module.exports = true
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
module.exports = true
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
/target

‎tests/fixtures/rust-internal/.netlify/internal-functions/rust-func-1/Cargo.lock

+707
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,14 @@
1+
[package]
2+
edition = "2018"
3+
name = "hello"
4+
version = "0.1.0"
5+
6+
# See more keys and their definitions at https://doc.rust-lang.org/cargo/reference/manifest.html
7+
8+
[dependencies]
9+
aws_lambda_events = "0.5.0"
10+
http = "0.2.5"
11+
lambda_runtime = "0.4.1"
12+
log = "0.4.14"
13+
simple_logger = "1.13.0"
14+
tokio = "1.14.0"
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,29 @@
1+
use aws_lambda_events::event::apigw::{ApiGatewayProxyRequest, ApiGatewayProxyResponse};
2+
use aws_lambda_events::encodings::Body;
3+
use http::header::HeaderMap;
4+
use lambda_runtime::{handler_fn, Context, Error};
5+
use log::LevelFilter;
6+
use simple_logger::SimpleLogger;
7+
8+
#[tokio::main]
9+
async fn main() -> Result<(), Error> {
10+
SimpleLogger::new().with_level(LevelFilter::Info).init().unwrap();
11+
12+
let func = handler_fn(my_handler);
13+
lambda_runtime::run(func).await?;
14+
Ok(())
15+
}
16+
17+
pub(crate) async fn my_handler(event: ApiGatewayProxyRequest, _ctx: Context) -> Result<ApiGatewayProxyResponse, Error> {
18+
let path = event.path.unwrap();
19+
20+
let resp = ApiGatewayProxyResponse {
21+
status_code: 200,
22+
headers: HeaderMap::new(),
23+
multi_value_headers: HeaderMap::new(),
24+
body: Some(Body::Text(format!("Hello from '{}'", path))),
25+
is_base64_encoded: Some(false),
26+
};
27+
28+
Ok(resp)
29+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
/target

‎tests/fixtures/rust-internal/.netlify/internal-functions/rust-func-2/Cargo.lock

+707
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,14 @@
1+
[package]
2+
edition = "2018"
3+
name = "hello"
4+
version = "0.1.0"
5+
6+
# See more keys and their definitions at https://doc.rust-lang.org/cargo/reference/manifest.html
7+
8+
[dependencies]
9+
aws_lambda_events = "0.5.0"
10+
http = "0.2.5"
11+
lambda_runtime = "0.4.1"
12+
log = "0.4.14"
13+
simple_logger = "1.13.0"
14+
tokio = "1.14.0"
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,29 @@
1+
use aws_lambda_events::event::apigw::{ApiGatewayProxyRequest, ApiGatewayProxyResponse};
2+
use aws_lambda_events::encodings::Body;
3+
use http::header::HeaderMap;
4+
use lambda_runtime::{handler_fn, Context, Error};
5+
use log::LevelFilter;
6+
use simple_logger::SimpleLogger;
7+
8+
#[tokio::main]
9+
async fn main() -> Result<(), Error> {
10+
SimpleLogger::new().with_level(LevelFilter::Info).init().unwrap();
11+
12+
let func = handler_fn(my_handler);
13+
lambda_runtime::run(func).await?;
14+
Ok(())
15+
}
16+
17+
pub(crate) async fn my_handler(event: ApiGatewayProxyRequest, _ctx: Context) -> Result<ApiGatewayProxyResponse, Error> {
18+
let path = event.path.unwrap();
19+
20+
let resp = ApiGatewayProxyResponse {
21+
status_code: 200,
22+
headers: HeaderMap::new(),
23+
multi_value_headers: HeaderMap::new(),
24+
body: Some(Body::Text(format!("Hello from '{}'", path))),
25+
is_base64_encoded: Some(false),
26+
};
27+
28+
Ok(resp)
29+
}

‎tests/main.test.ts

+88
Original file line numberDiff line numberDiff line change
@@ -67,8 +67,29 @@ describe('zip-it-and-ship-it', () => {
6767
expect(files).toHaveLength(1)
6868
expect(files[0].runtime).toBe('js')
6969
expect(files[0].mainFile).toBe(join(FIXTURES_DIR, fixtureName, 'function.js'))
70+
expect(files[0].isInternal).toBeFalsy()
7071
})
7172

73+
testMany(
74+
'Zips Node.js function files from an internal functions dir with a configured name',
75+
[...allBundleConfigs, 'bundler_none'],
76+
async (options) => {
77+
const fixtureName = join('node-internal', '.netlify/internal-functions')
78+
const { files } = await zipFixture(fixtureName, {
79+
length: 2,
80+
opts: {
81+
internalSrcFolder: join(FIXTURES_DIR, fixtureName),
82+
...options,
83+
config: { 'function-1': { name: 'Function One' } },
84+
},
85+
})
86+
expect(files).toHaveLength(2)
87+
expect(files[0].isInternal).toBe(true)
88+
expect(files[0].displayName).toBe('Function One')
89+
expect(files[1].displayName).toBeUndefined()
90+
},
91+
)
92+
7293
testMany(
7394
'Handles Node module with native bindings (buildtime marker module)',
7495
[...allBundleConfigs],
@@ -1744,6 +1765,32 @@ describe('zip-it-and-ship-it', () => {
17441765
expect(mockSource).toBe(unzippedBinaryContents)
17451766
})
17461767

1768+
test('Builds Go functions from an internal functions dir with a configured name', async () => {
1769+
vi.mocked(shellUtils.runCommand).mockImplementation(async (...args) => {
1770+
await writeFile(args[1][2], '')
1771+
1772+
return {} as any
1773+
})
1774+
1775+
const fixtureName = join('go-internal', '.netlify/internal-functions')
1776+
const { files } = await zipFixture(fixtureName, {
1777+
length: 2,
1778+
opts: {
1779+
internalSrcFolder: join(FIXTURES_DIR, fixtureName),
1780+
config: {
1781+
'go-func-1': {
1782+
name: 'Go Function One',
1783+
},
1784+
},
1785+
},
1786+
})
1787+
1788+
expect(files).toHaveLength(2)
1789+
expect(files[0].isInternal).toBe(true)
1790+
expect(files[0].displayName).toBe('Go Function One')
1791+
expect(files[1].displayName).toBeUndefined()
1792+
})
1793+
17471794
test('Builds Go functions from source', async () => {
17481795
vi.mocked(shellUtils.runCommand).mockImplementation(async (...args) => {
17491796
await writeFile(args[1][2], '')
@@ -1763,13 +1810,15 @@ describe('zip-it-and-ship-it', () => {
17631810
name: 'go-func-1',
17641811
path: expect.anything(),
17651812
runtime: 'go',
1813+
isInternal: false,
17661814
},
17671815
{
17681816
config: expect.anything(),
17691817
mainFile: join(FIXTURES_DIR, fixtureName, 'go-func-2', 'go-func-2.go'),
17701818
name: 'go-func-2',
17711819
path: expect.anything(),
17721820
runtime: 'go',
1821+
isInternal: false,
17731822
},
17741823
])
17751824

@@ -1870,6 +1919,7 @@ describe('zip-it-and-ship-it', () => {
18701919
path: expect.anything(),
18711920
runtime: 'rs',
18721921
size: 278,
1922+
isInternal: false,
18731923
},
18741924
{
18751925
config: expect.anything(),
@@ -1878,6 +1928,7 @@ describe('zip-it-and-ship-it', () => {
18781928
path: expect.anything(),
18791929
runtime: 'rs',
18801930
size: 278,
1931+
isInternal: false,
18811932
},
18821933
])
18831934

@@ -1899,6 +1950,43 @@ describe('zip-it-and-ship-it', () => {
18991950
)
19001951
})
19011952

1953+
test('Builds Rust functions from an internal functions dir with a configured name', async () => {
1954+
vi.mocked(shellUtils.runCommand).mockImplementation(async (...args) => {
1955+
const [rootCommand, , { env: environment }] = args
1956+
1957+
if (rootCommand === 'cargo') {
1958+
const directory = join(environment.CARGO_TARGET_DIR, args[1][2], 'release')
1959+
const binaryPath = join(directory, 'hello')
1960+
1961+
await mkdir(directory, { recursive: true })
1962+
await writeFile(binaryPath, '')
1963+
1964+
return {} as any
1965+
}
1966+
})
1967+
1968+
const fixtureName = join('rust-internal', '.netlify/internal-functions')
1969+
const { files } = await zipFixture(fixtureName, {
1970+
length: 2,
1971+
opts: {
1972+
internalSrcFolder: join(FIXTURES_DIR, fixtureName),
1973+
config: {
1974+
'rust-func-1': {
1975+
name: 'Rust Function Two',
1976+
},
1977+
},
1978+
featureFlags: {
1979+
buildRustSource: true,
1980+
},
1981+
},
1982+
})
1983+
1984+
expect(files).toHaveLength(2)
1985+
expect(files[0].isInternal).toBe(true)
1986+
expect(files[0].displayName).toBe('Rust Function Two')
1987+
expect(files[1].displayName).toBeUndefined()
1988+
})
1989+
19021990
test('Adds `type: "functionsBundling"` to errors resulting from compiling Rust binaries', async () => {
19031991
vi.mocked(shellUtils.runCommand).mockImplementation((...args) => {
19041992
if (args[0] === 'cargo') {

‎tests/zip_function.test.ts

+30
Original file line numberDiff line numberDiff line change
@@ -138,4 +138,34 @@ describe('zipFunction', () => {
138138
expect(mock2).toBe(true)
139139
},
140140
)
141+
142+
testMany(
143+
'Can populate the isInternal property for functions',
144+
['bundler_default', 'bundler_esbuild', 'bundler_nft'],
145+
async (options) => {
146+
const { path: tmpDir } = await getTmpDir({ prefix: 'zip-it-test' })
147+
const basePath = join(FIXTURES_DIR, 'node-internal', '.netlify/internal-functions')
148+
const opts = merge(options, {
149+
internalSrcFolder: basePath,
150+
})
151+
const result = (await zipFunction(`${basePath}/function-1.js`, tmpDir, opts))!
152+
153+
expect(result.isInternal).toBe(true)
154+
},
155+
)
156+
157+
testMany(
158+
'Can populate the displayName property for functions',
159+
['bundler_default', 'bundler_esbuild', 'bundler_nft'],
160+
async (options) => {
161+
const { path: tmpDir } = await getTmpDir({ prefix: 'zip-it-test' })
162+
const basePath = join(FIXTURES_DIR, 'node-display-name')
163+
const opts = merge(options, {
164+
config: { 'function-1': { name: 'Function One' } },
165+
})
166+
const result = (await zipFunction(`${basePath}/function-1.js`, tmpDir, opts))!
167+
168+
expect(result.displayName).toBe('Function One')
169+
},
170+
)
141171
})

1 commit comments

Comments
 (1)

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

@github-actions[bot]
Contributor

⏱ Benchmark results

  • largeDepsEsbuild: 2.1s
  • largeDepsNft: 8.1s
  • largeDepsZisi: 15.5s
This repository has been archived.