File size: 20,845 Bytes
1e92f2d |
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 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 |
import { NextInstance, createNext } from 'e2e-utils'
import { trace } from 'next/dist/trace'
import { PHASE_DEVELOPMENT_SERVER } from 'next/constants'
import { createDefineEnv, loadBindings } from 'next/dist/build/swc'
import type {
Diagnostics,
Issue,
Project,
RawEntrypoints,
StyledString,
TurbopackResult,
UpdateInfo,
} from 'next/dist/build/swc/types'
import loadConfig from 'next/dist/server/config'
import path from 'path'
function normalizePath(path: string) {
return path
.replace(/\[project\].+\/node_modules\//g, '[project]/.../node_modules/')
.replace(
/\[project\]\/packages\/next\//g,
'[project]/.../node_modules/next/'
)
}
function styledStringToMarkdown(styled: StyledString): string {
switch (styled.type) {
case 'text':
return styled.value
case 'strong':
return '**' + styled.value + '**'
case 'code':
return '`' + styled.value + '`'
case 'line':
return styled.value.map(styledStringToMarkdown).join('')
case 'stack':
return styled.value.map(styledStringToMarkdown).join('\n')
default:
throw new Error('Unknown StyledString type', styled)
}
}
function normalizeIssues(issues: Issue[]) {
return issues
.map((issue) => ({
...issue,
detail:
issue.detail && normalizePath(styledStringToMarkdown(issue.detail)),
filePath: issue.filePath && normalizePath(issue.filePath),
source: issue.source && {
...issue.source,
source: normalizePath(issue.source.source.ident),
},
}))
.sort((a, b) => {
const a_ = JSON.stringify(a)
const b_ = JSON.stringify(b)
if (a_ < b_) return -1
if (a_ > b_) return 1
return 0
})
}
function normalizeDiagnostics(diagnostics: Diagnostics[]) {
return diagnostics
.map((diagnostic) => {
if (diagnostic.name === 'EVENT_BUILD_FEATURE_USAGE') {
diagnostic.payload = Object.fromEntries(
Object.entries(diagnostic.payload).map(([key, value]) => {
return [
key.replace(
/^(x86_64|i686|aarch64)-(apple-darwin|unknown-linux-(gnu|musl)|pc-windows-msvc)$/g,
'platform-triplet'
),
value,
]
})
)
}
return diagnostic
})
.sort((a, b) => {
const a_ = JSON.stringify(a)
const b_ = JSON.stringify(b)
if (a_ < b_) return -1
if (a_ > b_) return 1
return 0
})
}
function raceIterators<T>(iterators: AsyncIterableIterator<T>[]) {
const nexts = iterators.map((iterator, i) =>
iterator.next().then((next) => ({ next, i }))
)
return (async function* () {
while (true) {
const remaining = nexts.filter((x) => x)
if (remaining.length === 0) return
const { next, i } = await Promise.race(remaining)
if (!next.done) {
yield next.value
nexts[i] = iterators[i].next().then((next) => ({ next, i }))
} else {
nexts[i] = undefined
}
}
})()
}
async function* filterMapAsyncIterator<T, U>(
iterator: AsyncIterableIterator<T>,
transform: (t: T) => U | undefined
): AsyncGenerator<Awaited<U>> {
for await (const val of iterator) {
const mapped = transform(val)
if (mapped !== undefined) {
yield mapped
}
}
}
/**
* Drains the stream until no value is available for 100ms, then returns the next value.
*/
async function drainAndGetNext<T>(stream: AsyncIterableIterator<T>) {
while (true) {
const next = stream.next()
const result = await Promise.race([
new Promise((r) => setTimeout(() => r({ next }), 100)),
next.then(() => undefined),
])
if (result) return result
}
}
function pagesIndexCode(text, props = {}) {
return `import props from "../lib/props.js";
export default () => <div>${text}</div>;
export function getServerSideProps() { return { props: { ...props, ...${JSON.stringify(
props
)}} } }`
}
function appPageCode(text) {
return `import Client from "./client.tsx";
export default () => <div>${text}<Client /></div>;`
}
describe('next.rs api', () => {
let next: NextInstance
beforeAll(async () => {
await trace('setup next instance').traceAsyncFn(async (rootSpan) => {
next = await createNext({
skipStart: true,
files: {
'pages/index.js': pagesIndexCode('hello world'),
'lib/props.js': 'export default {}',
'pages/page-nodejs.js': 'export default () => <div>hello world</div>',
'pages/page-edge.js':
'export default () => <div>hello world</div>\nexport const config = { runtime: "experimental-edge" }',
'pages/api/nodejs.js':
'export default () => Response.json({ hello: "world" })',
'pages/api/edge.js':
'export default () => Response.json({ hello: "world" })\nexport const config = { runtime: "edge" }',
'app/layout.tsx':
'export default function RootLayout({ children }: { children: any }) { return (<html><body>{children}</body></html>)}',
'app/loading.tsx':
'export default function Loading() { return <>Loading</> }',
'app/app/page.tsx': appPageCode('hello world'),
'app/app/client.tsx':
'"use client";\nexport default () => <div>hello world</div>',
'app/app-edge/page.tsx':
'export default () => <div>hello world</div>\nexport const runtime = "edge"',
'app/app-nodejs/page.tsx':
'export default () => <div>hello world</div>',
'app/route-nodejs/route.ts':
'export function GET() { return Response.json({ hello: "world" }) }',
'app/route-edge/route.ts':
'export function GET() { return Response.json({ hello: "world" }) }\nexport const runtime = "edge"',
},
})
})
})
afterAll(() => next.destroy())
let project: Project
let projectUpdateSubscription: AsyncIterableIterator<UpdateInfo>
beforeAll(async () => {
const nextConfig = await loadConfig(PHASE_DEVELOPMENT_SERVER, next.testDir)
const bindings = await loadBindings()
const rootPath = process.env.NEXT_SKIP_ISOLATE
? path.resolve(__dirname, '../../..')
: next.testDir
const distDir = '.next'
project = await bindings.turbo.createProject({
env: {},
jsConfig: {
compilerOptions: {},
},
nextConfig: nextConfig,
rootPath,
projectPath: path.relative(rootPath, next.testDir) || '.',
distDir,
watch: {
enable: true,
},
dev: true,
defineEnv: createDefineEnv({
projectPath: next.testDir,
isTurbopack: true,
clientRouterFilters: undefined,
config: nextConfig,
dev: true,
distDir: path.join(rootPath, distDir),
fetchCacheKeyPrefix: undefined,
hasRewrites: false,
middlewareMatchers: undefined,
rewrites: {
beforeFiles: [],
afterFiles: [],
fallback: [],
},
}),
buildId: 'development',
encryptionKey: '12345',
previewProps: {
previewModeId: 'development',
previewModeEncryptionKey: '12345',
previewModeSigningKey: '12345',
},
browserslistQuery: 'last 2 versions',
noMangling: false,
currentNodeJsVersion: '18.0.0',
})
projectUpdateSubscription = filterMapAsyncIterator(
project.updateInfoSubscribe(1000),
(update) => (update.updateType === 'end' ? update.value : undefined)
)
})
it('should detect the correct routes', async () => {
const entrypointsSubscription = project.entrypointsSubscribe()
const entrypoints = await entrypointsSubscription.next()
expect(entrypoints.done).toBe(false)
expect(Array.from(entrypoints.value.routes.keys()).sort()).toEqual([
'/',
'/_not-found',
'/api/edge',
'/api/nodejs',
'/app',
'/app-edge',
'/app-nodejs',
'/page-edge',
'/page-nodejs',
'/route-edge',
'/route-nodejs',
])
expect(normalizeIssues(entrypoints.value.issues)).toMatchSnapshot('issues')
expect(normalizeDiagnostics(entrypoints.value.diagnostics)).toMatchSnapshot(
'diagnostics'
)
await entrypointsSubscription.return()
})
const routes = [
{
name: 'root page',
path: '/',
type: 'page',
runtime: 'nodejs',
config: {},
},
{
name: 'pages edge api',
path: '/api/edge',
type: 'page-api',
runtime: 'edge',
config: {},
},
{
name: 'pages Node.js api',
path: '/api/nodejs',
type: 'page-api',
runtime: 'nodejs',
config: {},
},
{
name: 'app edge page',
path: '/app-edge',
type: 'app-page',
runtime: 'edge',
config: {},
},
{
name: 'app Node.js page',
path: '/app-nodejs',
type: 'app-page',
runtime: 'nodejs',
config: {},
},
{
name: 'pages edge page',
path: '/page-edge',
type: 'page',
runtime: 'edge',
config: {},
},
{
name: 'pages Node.js page',
path: '/page-nodejs',
type: 'page',
runtime: 'nodejs',
config: {},
},
{
name: 'app edge route',
path: '/route-edge',
type: 'app-route',
runtime: 'edge',
config: {},
},
{
name: 'app Node.js route',
path: '/route-nodejs',
type: 'app-route',
runtime: 'nodejs',
config: {},
},
]
for (const { name, path, type, runtime, config } of routes) {
// eslint-disable-next-line no-loop-func
it(`should allow to write ${name} to disk`, async () => {
const entrypointsSubscribtion = project.entrypointsSubscribe()
const entrypoints: TurbopackResult<RawEntrypoints> = (
await entrypointsSubscribtion.next()
).value
const route = entrypoints.routes.get(path)
entrypointsSubscribtion.return()
expect(route.type).toBe(type)
switch (route.type) {
case 'page-api':
case 'app-route': {
const result = await route.endpoint.writeToDisk()
expect(result.type).toBe(runtime)
expect(result.config).toEqual(config)
expect(normalizeIssues(result.issues)).toMatchSnapshot('issues')
expect(normalizeDiagnostics(result.diagnostics)).toMatchSnapshot(
'diagnostics'
)
break
}
case 'page': {
const result = await route.htmlEndpoint.writeToDisk()
expect(result.type).toBe(runtime)
expect(result.config).toEqual(config)
expect(normalizeIssues(result.issues)).toMatchSnapshot('issues')
expect(normalizeDiagnostics(result.diagnostics)).toMatchSnapshot(
'diagnostics'
)
const result2 = await route.dataEndpoint.writeToDisk()
expect(result2.type).toBe(runtime)
expect(result2.config).toEqual(config)
expect(normalizeIssues(result2.issues)).toMatchSnapshot('data issues')
expect(normalizeDiagnostics(result2.diagnostics)).toMatchSnapshot(
'data diagnostics'
)
break
}
case 'app-page': {
const result = await route.pages[0].htmlEndpoint.writeToDisk()
expect(result.type).toBe(runtime)
expect(result.config).toEqual(config)
expect(normalizeIssues(result.issues)).toMatchSnapshot('issues')
expect(normalizeDiagnostics(result.diagnostics)).toMatchSnapshot(
'diagnostics'
)
const result2 = await route.pages[0].rscEndpoint.writeToDisk()
expect(result2.type).toBe(runtime)
expect(result2.config).toEqual(config)
expect(normalizeIssues(result2.issues)).toMatchSnapshot('rsc issues')
expect(normalizeDiagnostics(result2.diagnostics)).toMatchSnapshot(
'rsc diagnostics'
)
break
}
default: {
throw new Error('unknown route type')
break
}
}
})
}
const hmrCases: {
name: string
path: string
type: string
file: string
content: string
expectedUpdate: string | false
expectedServerSideChange: boolean
}[] = [
{
name: 'client-side change on a page',
path: '/',
type: 'page',
file: 'pages/index.js',
content: pagesIndexCode('hello world2'),
expectedUpdate: '/pages/index.js',
expectedServerSideChange: false,
},
{
name: 'server-side change on a page',
path: '/',
type: 'page',
file: 'lib/props.js',
content: 'export default { some: "prop" }',
expectedUpdate: false,
expectedServerSideChange: true,
},
{
name: 'client and server-side change on a page',
path: '/',
type: 'page',
file: 'pages/index.js',
content: pagesIndexCode('hello world2', { another: 'prop' }),
expectedUpdate: '/pages/index.js',
expectedServerSideChange: true,
},
{
name: 'client-side change on a app page',
path: '/app',
type: 'app-page',
file: 'app/app/client.tsx',
content: '"use client";\nexport default () => <div>hello world2</div>',
expectedUpdate: '/app/app/client.tsx',
expectedServerSideChange: false,
},
{
name: 'server-side change on a app page',
path: '/app',
type: 'app-page',
file: 'app/app/page.tsx',
content: appPageCode('hello world2'),
expectedUpdate: false,
expectedServerSideChange: true,
},
]
for (const {
name,
path,
type,
file,
content,
expectedUpdate,
expectedServerSideChange,
} of hmrCases) {
for (let i = 0; i < 3; i++)
// eslint-disable-next-line no-loop-func
it(`should have working HMR on ${name} ${i}`, async () => {
console.log('start')
await new Promise((r) => setTimeout(r, 1000))
const entrypointsSubscribtion = project.entrypointsSubscribe()
const entrypoints: TurbopackResult<RawEntrypoints> = (
await entrypointsSubscribtion.next()
).value
const route = entrypoints.routes.get(path)
entrypointsSubscribtion.return()
expect(route.type).toBe(type)
let serverSideSubscription:
| AsyncIterableIterator<TurbopackResult>
| undefined
switch (route.type) {
case 'page': {
await route.htmlEndpoint.writeToDisk()
serverSideSubscription =
await route.dataEndpoint.serverChanged(false)
break
}
case 'app-page': {
await route.pages[0].htmlEndpoint.writeToDisk()
serverSideSubscription =
await route.pages[0].rscEndpoint.serverChanged(false)
break
}
default: {
throw new Error('unknown route type')
}
}
const result = await project.hmrIdentifiersSubscribe().next()
expect(result.done).toBe(false)
const identifiers = result.value.identifiers
expect(identifiers).toHaveProperty('length', expect.toBePositive())
const subscriptions = identifiers.map((identifier) =>
project.hmrEvents(identifier)
)
await Promise.all(
subscriptions.map(async (subscription) => {
const result = await subscription.next()
expect(result.done).toBe(false)
expect(result.value).toHaveProperty('resource', expect.toBeObject())
expect(result.value).toHaveProperty('type', 'issues')
expect(normalizeIssues(result.value.issues)).toEqual([])
expect(result.value).toHaveProperty(
'diagnostics',
expect.toBeEmpty()
)
})
)
console.log('waiting for events')
const { next: updateComplete } = await drainAndGetNext(
projectUpdateSubscription
)
const oldContent = await next.readFile(file)
let ok = false
try {
await next.patchFile(file, content)
let foundUpdates: string[] | false = false
let foundServerSideChange = false
let done = false
const result2 = await Promise.race(
[
(async () => {
const merged = raceIterators(subscriptions)
for await (const item of merged) {
if (done) return
if (item.type === 'partial') {
expect(item.instruction).toEqual({
type: 'ChunkListUpdate',
merged: [
expect.objectContaining({
chunks: expect.toBeObject(),
entries: expect.toBeObject(),
}),
],
})
const updates = Object.keys(
item.instruction.merged[0].entries
)
expect(updates).not.toBeEmpty()
foundUpdates = foundUpdates || []
foundUpdates.push(
...Object.keys(item.instruction.merged[0].entries)
)
}
}
})(),
serverSideSubscription &&
(async () => {
for await (const {
issues,
diagnostics,
} of serverSideSubscription) {
if (done) return
expect(issues).toBeArray()
expect(diagnostics).toBeArray()
foundServerSideChange = true
}
})(),
updateComplete.then(
(u) => new Promise((r) => setTimeout(() => r(u), 1000))
),
new Promise((r) => setTimeout(() => r('timeout'), 30000)),
].filter((x) => x)
)
done = true
expect(result2).toMatchObject({
done: false,
value: {
duration: expect.toBePositive(),
tasks: expect.toBePositive(),
},
})
if (typeof expectedUpdate === 'boolean') {
expect(foundUpdates).toBe(false)
} else {
expect(
typeof foundUpdates === 'boolean'
? foundUpdates
: Array.from(new Set(foundUpdates))
).toEqual([expect.stringContaining(expectedUpdate)])
}
expect(foundServerSideChange).toBe(expectedServerSideChange)
ok = true
} finally {
try {
const { next: updateComplete2 } = await drainAndGetNext(
projectUpdateSubscription
)
await next.patchFile(file, oldContent)
await updateComplete2
} catch (e) {
if (ok) throw e
}
}
})
}
it.skip('should allow to make many HMR updates', async () => {
console.log('start')
await new Promise((r) => setTimeout(r, 1000))
const entrypointsSubscribtion = project.entrypointsSubscribe()
const entrypoints: TurbopackResult<RawEntrypoints> = (
await entrypointsSubscribtion.next()
).value
const route = entrypoints.routes.get('/')
entrypointsSubscribtion.return()
if (route.type !== 'page') throw new Error('unknown route type')
await route.htmlEndpoint.writeToDisk()
const result = await project.hmrIdentifiersSubscribe().next()
expect(result.done).toBe(false)
const identifiers = result.value.identifiers
const subscriptions = identifiers.map((identifier) =>
project.hmrEvents(identifier)
)
await Promise.all(
subscriptions.map(async (subscription) => {
const result = await subscription.next()
expect(result.done).toBe(false)
expect(result.value).toHaveProperty('resource', expect.toBeObject())
expect(result.value).toHaveProperty('type', 'issues')
expect(result.value).toHaveProperty('diagnostics', expect.toBeEmpty())
})
)
const merged = raceIterators(subscriptions)
const file = 'pages/index.js'
let currentContent = await next.readFile(file)
let nextContent = pagesIndexCode('hello world2')
const count = process.env.NEXT_TEST_CI ? 300 : 1000
for (let i = 0; i < count; i++) {
await next.patchFile(file, nextContent)
const content = currentContent
currentContent = nextContent
nextContent = content
while (true) {
const { value, done } = await merged.next()
expect(done).toBe(false)
if (value.type === 'partial') {
break
}
}
}
}, 300000)
})
|