-
Notifications
You must be signed in to change notification settings - Fork 27.3k
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
Add falling back to wasm swc build on native load failure (#36612)
Follow-up to #36527 this adds falling back to the wasm swc build when loading the native bindings fails so that we don't block the build on the native dependency being available. This continues off of #33496 but does not add a postinstall script yet and only downloads the fallback when the native dependency fails to load.
- Loading branch information
Showing
12 changed files
with
309 additions
and
82 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,15 @@ | ||
The ISC License | ||
|
||
Copyright (c) Isaac Z. Schlueter and Contributors | ||
|
||
Permission to use, copy, modify, and/or distribute this software for any | ||
purpose with or without fee is hereby granted, provided that the above | ||
copyright notice and this permission notice appear in all copies. | ||
|
||
THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES | ||
WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF | ||
MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR | ||
ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES | ||
WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN | ||
ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR | ||
IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE. |
Large diffs are not rendered by default.
Oops, something went wrong.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1 @@ | ||
{"name":"tar","main":"index.js","author":"Isaac Z. Schlueter <[email protected]> (http://blog.izs.me/)","license":"ISC"} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,118 @@ | ||
import os from 'os' | ||
import fs from 'fs' | ||
import path from 'path' | ||
import * as Log from '../build/output/log' | ||
import { execSync } from 'child_process' | ||
import tar from 'next/dist/compiled/tar' | ||
import fetch from 'next/dist/compiled/node-fetch' | ||
import { fileExists } from './file-exists' | ||
|
||
const MAX_VERSIONS_TO_CACHE = 5 | ||
|
||
export async function downloadWasmSwc( | ||
version: string, | ||
wasmDirectory: string, | ||
variant: 'nodejs' | 'web' = 'nodejs' | ||
) { | ||
const pkgName = `@next/swc-wasm-${variant}` | ||
const tarFileName = `${pkgName.substring(6)}-${version}.tgz` | ||
const outputDirectory = path.join(wasmDirectory, pkgName) | ||
|
||
if (await fileExists(outputDirectory)) { | ||
// if the package is already downloaded a different | ||
// failure occurred than not being present | ||
return | ||
} | ||
|
||
// get platform specific cache directory adapted from playwright's handling | ||
// https://github.com/microsoft/playwright/blob/7d924470d397975a74a19184c136b3573a974e13/packages/playwright-core/src/utils/registry.ts#L141 | ||
const cacheDirectory = (() => { | ||
let result | ||
const envDefined = process.env['NEXT_SWC_PATH'] | ||
|
||
if (envDefined) { | ||
result = envDefined | ||
} else { | ||
let systemCacheDirectory | ||
if (process.platform === 'linux') { | ||
systemCacheDirectory = | ||
process.env.XDG_CACHE_HOME || path.join(os.homedir(), '.cache') | ||
} else if (process.platform === 'darwin') { | ||
systemCacheDirectory = path.join(os.homedir(), 'Library', 'Caches') | ||
} else if (process.platform === 'win32') { | ||
systemCacheDirectory = | ||
process.env.LOCALAPPDATA || | ||
path.join(os.homedir(), 'AppData', 'Local') | ||
} else { | ||
console.error(new Error('Unsupported platform: ' + process.platform)) | ||
process.exit(0) | ||
} | ||
result = path.join(systemCacheDirectory, 'next-swc') | ||
} | ||
|
||
if (!path.isAbsolute(result)) { | ||
// It is important to resolve to the absolute path: | ||
// - for unzipping to work correctly; | ||
// - so that registry directory matches between installation and execution. | ||
// INIT_CWD points to the root of `npm/yarn install` and is probably what | ||
// the user meant when typing the relative path. | ||
result = path.resolve(process.env['INIT_CWD'] || process.cwd(), result) | ||
} | ||
return result | ||
})() | ||
|
||
await fs.promises.mkdir(outputDirectory, { recursive: true }) | ||
|
||
const extractFromTar = async () => { | ||
await tar.x({ | ||
file: path.join(cacheDirectory, tarFileName), | ||
cwd: outputDirectory, | ||
strip: 1, | ||
}) | ||
} | ||
|
||
if (!(await fileExists(path.join(cacheDirectory, tarFileName)))) { | ||
Log.info('Downloading WASM swc package...') | ||
await fs.promises.mkdir(cacheDirectory, { recursive: true }) | ||
const tempFile = path.join( | ||
cacheDirectory, | ||
`${tarFileName}.temp-${Date.now()}` | ||
) | ||
let registry = `https://registry.npmjs.org/` | ||
|
||
try { | ||
const output = execSync('npm config get registry').toString().trim() | ||
if (output.startsWith('http')) { | ||
registry = output | ||
} | ||
} catch (_) {} | ||
|
||
await fetch(`${registry}${pkgName}/-/${tarFileName}`).then((res) => { | ||
if (!res.ok) { | ||
throw new Error(`request failed with status ${res.status}`) | ||
} | ||
const cacheWriteStream = fs.createWriteStream(tempFile) | ||
|
||
return new Promise<void>((resolve, reject) => { | ||
res.body | ||
.pipe(cacheWriteStream) | ||
.on('error', (err) => reject(err)) | ||
.on('finish', () => resolve()) | ||
}).finally(() => cacheWriteStream.close()) | ||
}) | ||
await fs.promises.rename(tempFile, path.join(cacheDirectory, tarFileName)) | ||
} | ||
await extractFromTar() | ||
|
||
const cacheFiles = await fs.promises.readdir(cacheDirectory) | ||
|
||
if (cacheFiles.length > MAX_VERSIONS_TO_CACHE) { | ||
cacheFiles.sort() | ||
|
||
for (let i = MAX_VERSIONS_TO_CACHE - 1; i++; i < cacheFiles.length) { | ||
await fs.promises | ||
.unlink(path.join(cacheDirectory, cacheFiles[i])) | ||
.catch(() => {}) | ||
} | ||
} | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.