-
Notifications
You must be signed in to change notification settings - Fork 87
/
Copy pathserver.ts
151 lines (129 loc) · 5.25 KB
/
server.ts
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
import { cp, mkdir, readFile, rm, writeFile } from 'node:fs/promises'
import { join, relative } from 'node:path'
import { join as posixJoin } from 'node:path/posix'
import { trace } from '@opentelemetry/api'
import { wrapTracer } from '@opentelemetry/api/experimental'
import { glob } from 'fast-glob'
import {
copyNextDependencies,
copyNextServerCode,
verifyHandlerDirStructure,
} from '../content/server.js'
import { PluginContext, SERVER_HANDLER_NAME } from '../plugin-context.js'
const tracer = wrapTracer(trace.getTracer('Next runtime'))
/** Copies the runtime dist folder to the lambda */
const copyHandlerDependencies = async (ctx: PluginContext) => {
await tracer.withActiveSpan('copyHandlerDependencies', async (span) => {
const promises: Promise<void>[] = []
// if the user specified some files to include in the lambda
// we need to copy them to the functions-internal folder
const { included_files: includedFiles = [] } = ctx.netlifyConfig.functions?.['*'] || {}
// we also force including the .env files to ensure those are available in the lambda
includedFiles.push(
posixJoin(ctx.relativeAppDir, '.env'),
posixJoin(ctx.relativeAppDir, '.env.production'),
posixJoin(ctx.relativeAppDir, '.env.local'),
posixJoin(ctx.relativeAppDir, '.env.production.local'),
)
span.setAttribute('next.includedFiles', includedFiles.join(','))
const resolvedFiles = await Promise.all(
includedFiles.map((globPattern) => glob(globPattern, { cwd: process.cwd() })),
)
for (const filePath of resolvedFiles.flat()) {
promises.push(
cp(
join(process.cwd(), filePath),
// the serverHandlerDir is aware of the dist dir.
// The distDir must not be the package path therefore we need to rely on the
// serverHandlerDir instead of the serverHandlerRootDir
// therefore we need to remove the package path from the filePath
join(ctx.serverHandlerDir, relative(ctx.relativeAppDir, filePath)),
{
recursive: true,
force: true,
},
),
)
}
// We need to create a package.json file with type: module to make sure that the runtime modules
// are handled correctly as ESM modules
promises.push(
writeFile(
join(ctx.serverHandlerRuntimeModulesDir, 'package.json'),
JSON.stringify({ type: 'module' }),
),
)
const fileList = await glob('dist/**/*', { cwd: ctx.pluginDir })
for (const filePath of fileList) {
promises.push(
cp(join(ctx.pluginDir, filePath), join(ctx.serverHandlerRuntimeModulesDir, filePath), {
recursive: true,
force: true,
}),
)
}
await Promise.all(promises)
})
}
const writeHandlerManifest = async (ctx: PluginContext) => {
await writeFile(
join(ctx.serverHandlerRootDir, `${SERVER_HANDLER_NAME}.json`),
JSON.stringify({
config: {
name: 'Next.js Server Handler',
generator: `${ctx.pluginName}@${ctx.pluginVersion}`,
nodeBundler: 'none',
// the folders can vary in monorepos based on the folder structure of the user so we have to glob all
includedFiles: ['**'],
includedFilesBasePath: ctx.serverHandlerRootDir,
},
version: 1,
}),
'utf-8',
)
}
const applyTemplateVariables = (template: string, variables: Record<string, string>) => {
return Object.entries(variables).reduce((acc, [key, value]) => {
return acc.replaceAll(key, value)
}, template)
}
/** Get's the content of the handler file that will be written to the lambda */
const getHandlerFile = async (ctx: PluginContext): Promise<string> => {
const templatesDir = join(ctx.pluginDir, 'dist/build/templates')
const templateVariables: Record<string, string> = {
'{{useRegionalBlobs}}': ctx.useRegionalBlobs.toString(),
}
// In this case it is a monorepo and we need to use a own template for it
// as we have to change the process working directory
if (ctx.relativeAppDir.length !== 0) {
const template = await readFile(join(templatesDir, 'handler-monorepo.tmpl.js'), 'utf-8')
templateVariables['{{cwd}}'] = posixJoin(ctx.lambdaWorkingDirectory)
templateVariables['{{nextServerHandler}}'] = posixJoin(ctx.nextServerHandler)
return applyTemplateVariables(template, templateVariables)
}
return applyTemplateVariables(
await readFile(join(templatesDir, 'handler.tmpl.js'), 'utf-8'),
templateVariables,
)
}
const writeHandlerFile = async (ctx: PluginContext) => {
const handler = await getHandlerFile(ctx)
await writeFile(join(ctx.serverHandlerRootDir, `${SERVER_HANDLER_NAME}.mjs`), handler)
}
export const clearStaleServerHandlers = async (ctx: PluginContext) => {
await rm(ctx.serverFunctionsDir, { recursive: true, force: true })
}
/**
* Create a Netlify function to run the Next.js server
*/
export const createServerHandler = async (ctx: PluginContext) => {
await tracer.withActiveSpan('createServerHandler', async () => {
await mkdir(join(ctx.serverHandlerRuntimeModulesDir), { recursive: true })
await copyNextServerCode(ctx)
await copyNextDependencies(ctx)
await copyHandlerDependencies(ctx)
await writeHandlerManifest(ctx)
await writeHandlerFile(ctx)
await verifyHandlerDirStructure(ctx)
})
}