Bun 的快速原生打包器现已进入 beta 测试阶段。它可以通过 bun build
CLI 命令或 Bun.build()
JavaScript API 使用。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './build',
});
bun build ./index.tsx --outdir ./build
它速度很快。以下数字代表 esbuild 在 three.js 基准测试上的性能。

为什么打包?
打包器是 JavaScript 生态系统中的关键基础设施。以下是为什么打包如此重要的简要概述
- 减少 HTTP 请求。
node_modules
中的单个包可能包含数百个文件,而大型应用程序可能有数十个此类依赖项。使用单独的 HTTP 请求加载每个文件很快变得难以为继,因此使用打包器将我们的应用程序源代码转换为少量可以单个请求加载的自包含“包”。 - 代码转换。 现代应用程序通常使用 TypeScript、JSX 和 CSS 模块等语言或工具构建,所有这些都必须转换为纯 JavaScript 和 CSS,然后才能被浏览器使用。打包器是配置这些转换的自然位置。
- 框架特性。 框架依赖于打包器插件和代码转换来实现常见模式,例如文件系统路由、客户端-服务器代码同位(例如
getServerSideProps
或 Remix 加载器)和服务器组件。
让我们深入了解打包器 API。
请注意,Bun 打包器不旨在替代 tsc
进行类型检查或生成类型声明。
基础示例
让我们构建我们的第一个包。您有以下两个文件,它们实现了一个简单的客户端渲染 React 应用程序。
import * as ReactDOM from 'react-dom/client';
import {Component} from "./Component"
const root = ReactDOM.createRoot(document.getElementById('root')!);
root.render(<Component message="Sup!" />)
export function Component(props: {message: string}) {
return <p>{props.message}</p>
}
在这里,index.tsx
是我们应用程序的“入口点”。通常,这将是一个执行某些副作用的脚本,例如启动服务器或——在本例中——初始化 React 根。因为我们正在使用 TypeScript 和 JSX,所以我们需要在将代码发送到浏览器之前对其进行打包。
要创建我们的包
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
})
bun build ./index.tsx --outdir ./out
对于 entrypoints
中指定的每个文件,Bun 将生成一个新的包。此包将被写入 ./out
目录中的磁盘(从当前工作目录解析)。运行构建后,文件系统如下所示
.
├── index.tsx
├── Component.tsx
└── out
└── index.js
out/index.js
的内容将如下所示
// ...
// ~20k lines of code
// including the contents of `react-dom/client` and all its dependencies
// this is where the $jsxDEV and $createRoot functions are defined
// Component.tsx
function Component(props) {
return $jsxDEV("p", {
children: props.message
}, undefined, false, undefined, this);
}
// index.tsx
var rootNode = document.getElementById("root");
var root = $createRoot(rootNode);
root.render($jsxDEV(Component, {
message: "Sup!"
}, undefined, false, undefined, this));
教程:在浏览器中运行此文件
监听模式
与运行时和测试运行器一样,打包器原生支持监听模式。
bun build ./index.tsx --outdir ./out --watch
内容类型
与 Bun 运行时一样,打包器开箱即用地支持一系列文件类型。下表分解了打包器的标准“加载器”集。有关完整文档,请参阅 打包器 > 文件类型。
扩展名 | 详情 |
---|---|
.js .jsx , .cjs .mjs .mts .cts .ts .tsx | 使用 Bun 的内置转译器来解析文件并将 TypeScript/JSX 语法转译为纯 JavaScript。打包器执行一组默认转换,包括死代码消除和 tree shaking。目前,Bun 不尝试向下转换语法;如果您使用最新的 ECMAScript 语法,它将反映在打包的代码中。 |
| JSON 文件被解析并作为 JavaScript 对象内联到包中。
|
| TOML 文件被解析并作为 JavaScript 对象内联到包中。
|
| 文本文件的内容被读取并作为字符串内联到包中。
|
.node .wasm | Bun 运行时支持这些文件,但在打包期间,它们被视为 资源。 |
资源
如果打包器遇到具有无法识别扩展名的导入,它会将导入的文件视为外部文件。引用的文件按原样复制到 outdir
中,并且导入被解析为文件的路径。
// bundle entrypoint
import logo from "./logo.svg";
console.log(logo);
// bundled output
var logo = "./logo-ab237dfe.svg";
console.log(logo);
文件加载器的确切行为也受到 naming
和 publicPath
的影响。
有关文件加载器的更完整文档,请参阅 打包器 > 加载器 页面。
插件
此表中描述的行为可以通过 插件 覆盖或扩展。有关完整文档,请参阅 打包器 > 加载器 页面。
API
entrypoints
必需。 对应于我们应用程序入口点路径的数组。将为每个入口点生成一个包。
const result = await Bun.build({
entrypoints: ["./index.ts"],
});
// => { success: boolean, outputs: BuildArtifact[], logs: BuildMessage[] }
bun build --entrypoints ./index.ts
# the bundle will be printed to stdout
# <bundled code>
outdir
输出文件将写入的目录。
const result = await Bun.build({
entrypoints: ['./index.ts'],
outdir: './out'
});
// => { success: boolean, outputs: BuildArtifact[], logs: BuildMessage[] }
bun build --entrypoints ./index.ts --outdir ./out
# a summary of bundled files will be printed to stdout
如果 outdir
未传递给 JavaScript API,则打包的代码将不会写入磁盘。打包的文件在 BuildArtifact
对象数组中返回。这些对象是具有额外属性的 Blob;有关完整文档,请参阅 输出。
const result = await Bun.build({
entrypoints: ["./index.ts"],
});
for (const res of result.outputs) {
// Can be consumed as blobs
await res.text();
// Bun will set Content-Type and Etag headers
new Response(res);
// Can be written manually, but you should use `outdir` in this case.
Bun.write(path.join("out", res.path), res);
}
当设置 outdir
时,BuildArtifact
上的 path
属性将是写入该属性的绝对路径。
target
包的预期执行环境。
await Bun.build({
entrypoints: ['./index.ts'],
outdir: './out',
target: 'browser', // default
})
bun build --entrypoints ./index.ts --outdir ./out --target browser
根据目标,Bun 将应用不同的模块解析规则和优化。
browser | 默认。 用于生成旨在由浏览器执行的包。解析导入时,优先考虑 "browser" 导出条件。导入任何内置模块(如 node:events 或 node:path )都可以工作,但调用某些函数(如 fs.readFile )将不起作用。 |
| 用于生成旨在由 Bun 运行时运行的包。在许多情况下,不必打包服务器端代码;您可以直接执行源代码而无需修改。但是,打包服务器代码可以减少启动时间并提高运行性能。 使用 如果任何入口点包含 Bun shebang ( 当一起使用 |
node | 用于生成旨在由 Node.js 运行的包。解析导入时,优先考虑 "node" 导出条件,并输出 .mjs 。将来,这将自动填充 Bun 全局变量和其他内置 bun:* 模块,但这尚未实现。 |
format
指定要在生成的包中使用的模块格式。
Bun 默认为 "esm"
,并为 "cjs"
和 "iife"
提供实验性支持。
format: "esm"
- ES 模块
这是默认格式,它支持 ES 模块语法,包括顶层 await
、import.meta 等。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
format: "esm",
})
bun build ./index.tsx --outdir ./out --format esm
要在浏览器中使用 ES 模块语法,请将 format
设置为 "esm"
,并确保您的 <script type="module">
标记已设置 type="module"
。
format: "cjs"
- CommonJS
要构建 CommonJS 模块,请将 format
设置为 "cjs"
。选择 "cjs"
时,默认目标从 "browser"
(esm) 更改为 "node"
(cjs)。使用 format: "cjs", target: "node"
转译的 CommonJS 模块可以在 Bun 和 Node.js 中执行(假设使用的 API 都支持)。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
format: "cjs",
})
bun build ./index.tsx --outdir ./out --format cjs
format: "iife"
- IIFE
待办事项:一旦我们支持 globalNames,就记录 IIFE。
splitting
是否启用代码拆分。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
splitting: false, // default
})
bun build ./index.tsx --outdir ./out --splitting
当为 true
时,打包器将启用代码拆分。当多个入口点都导入相同的文件、模块或文件/模块集时,将共享代码拆分为单独的包通常很有用。此共享包称为chunk。考虑以下文件
import { shared } from './shared.ts';
import { shared } from './shared.ts';
export const shared = 'shared';
要打包启用代码拆分的 entry-a.ts
和 entry-b.ts
await Bun.build({
entrypoints: ['./entry-a.ts', './entry-b.ts'],
outdir: './out',
splitting: true,
})
bun build ./entry-a.ts ./entry-b.ts --outdir ./out --splitting
运行此构建将生成以下文件
.
├── entry-a.tsx
├── entry-b.tsx
├── shared.tsx
└── out
├── entry-a.js
├── entry-b.js
└── chunk-2fce6291bf86559d.js
生成的 chunk-2fce6291bf86559d.js
文件包含共享代码。为了避免冲突,默认情况下文件名自动包含内容哈希。这可以使用 naming
进行自定义。
plugins
要在打包期间使用的插件列表。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
plugins: [/* ... */],
})
n/a
Bun 为 Bun 的运行时和打包器实现了通用插件系统。有关完整文档,请参阅 插件文档。
env
控制在打包期间如何处理环境变量。在内部,这使用 define
将环境变量注入到包中,但可以更轻松地指定要注入的环境变量。
env: "inline"
通过将 process.env.FOO
引用转换为包含实际环境变量值的字符串文字,将环境变量注入到打包的输出中。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
env: "inline",
})
FOO=bar BAZ=123 bun build ./index.tsx --outdir ./out --env inline
对于下面的输入
console.log(process.env.FOO);
console.log(process.env.BAZ);
生成的包将包含以下代码
console.log("bar");
console.log("123");
env: "PUBLIC_*"
(前缀)
内联与给定前缀(*
字符之前的部分)匹配的环境变量,用实际环境变量值替换 process.env.FOO
。这对于选择性地内联环境变量以用于公共 URL 或客户端令牌等内容很有用,而无需担心将私有凭据注入到输出包中。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
// Inline all env vars that start with "ACME_PUBLIC_"
env: "ACME_PUBLIC_*",
})
FOO=bar BAZ=123 ACME_PUBLIC_URL=https://acme.com bun build ./index.tsx --outdir ./out --env 'ACME_PUBLIC_*'
例如,给定以下环境变量
FOO=bar BAZ=123 ACME_PUBLIC_URL=https://acme.com
和源代码
console.log(process.env.FOO);
console.log(process.env.ACME_PUBLIC_URL);
console.log(process.env.BAZ);
生成的包将包含以下代码
console.log(process.env.FOO);
console.log("https://acme.com");
console.log(process.env.BAZ);
env: "disable"
完全禁用环境变量注入。
例如,给定以下环境变量
FOO=bar BAZ=123 ACME_PUBLIC_URL=https://acme.com
和源代码
console.log(process.env.FOO);
console.log(process.env.ACME_PUBLIC_URL);
console.log(process.env.BAZ);
生成的包将包含以下代码
console.log(process.env.FOO);
console.log(process.env.BAZ);
sourcemap
指定要生成的源映射类型。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
sourcemap: 'linked', // default 'none'
})
bun build ./index.tsx --outdir ./out --sourcemap=linked
"none" | 默认。 不生成源映射。 |
| 使用
|
"external" | 在每个 *.js 包旁边创建一个单独的 *.js.map 文件,而不插入 //# sourceMappingURL 注释。 |
生成的包包含一个 debug id,可用于将包与其对应的源映射关联起来。此 debugId
作为注释添加到文件底部。
// <generated bundle code>
//# debugId=<DEBUG ID>
"inline"
生成源映射并作为 base64 有效负载附加到生成的包的末尾。
// <bundled code here> //# sourceMappingURL=data:application/json;base64,<encoded sourcemap here>
关联的
*.js.map
源映射将是一个 JSON 文件,其中包含等效的debugId
属性。
minify
是否启用压缩。默认为 false
。
当目标为 bun
时,默认情况下将压缩标识符。
要启用所有压缩选项
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
minify: true, // default false
})
bun build ./index.tsx --outdir ./out --minify
要精细地启用某些压缩
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
minify: {
whitespace: true,
identifiers: true,
syntax: true,
},
})
bun build ./index.tsx --outdir ./out --minify-whitespace --minify-identifiers --minify-syntax
external
要视为外部的导入路径列表。默认为 []
。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
external: ["lodash", "react"], // default: []
})
bun build ./index.tsx --outdir ./out --external lodash --external react
外部导入是最终包中不包含的导入。相反,import
语句将按原样保留,以便在运行时解析。
例如,考虑以下入口点文件
import _ from "lodash";
import {z} from "zod";
const value = z.string().parse("Hello world!")
console.log(_.upperCase(value));
通常,打包 index.tsx
会生成一个包含 "zod"
包的整个源代码的包。相反,如果我们想将 import
语句按原样保留,我们可以将其标记为外部
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
external: ['zod'],
})
bun build ./index.tsx --outdir ./out --external zod
生成的包将如下所示
import {z} from "zod";
// ...
// the contents of the "lodash" package
// including the `_.upperCase` function
var value = z.string().parse("Hello world!")
console.log(_.upperCase(value));
要将所有导入标记为外部,请使用通配符 *
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
external: ['*'],
})
bun build ./index.tsx --outdir ./out --external '*'
packages
控制是否将包依赖项包含在包中。可能的值:bundle
(默认)、external
。Bun 将任何路径不以 .
、..
或 /
开头的导入视为包。
await Bun.build({
entrypoints: ['./index.ts'],
packages: 'external',
})
bun build ./index.ts --packages external
naming
自定义生成的文件名。默认为 ./[dir]/[name].[ext]
。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
naming: "[dir]/[name].[ext]", // default
})
bun build ./index.tsx --outdir ./out --entry-naming [dir]/[name].[ext]
默认情况下,生成的包的名称基于关联入口点的名称。
.
├── index.tsx
└── out
└── index.js
对于多个入口点,生成的文件层次结构将反映入口点的目录结构。
.
├── index.tsx
└── nested
└── index.tsx
└── out
├── index.js
└── nested
└── index.js
可以使用 naming
字段自定义生成文件的名称和位置。此字段接受一个模板字符串,该字符串用于为与入口点对应的所有包生成文件名。其中以下标记将替换为它们对应的值
[name]
- 入口点文件的名称,不带扩展名。[ext]
- 生成的包的扩展名。[hash]
- 包内容的哈希值。[dir]
- 从项目根目录到源文件父目录的相对路径。
例如
标记 | [name] | [ext] | [hash] | [dir] |
---|---|---|---|---|
./index.tsx | index | js | a1b2c3d4 | "" (空字符串) |
./nested/entry.ts | entry | js | c3d4e5f6 | "nested" |
我们可以组合这些标记来创建模板字符串。例如,要在生成的包名称中包含哈希值
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
naming: 'files/[dir]/[name]-[hash].[ext]',
})
bun build ./index.tsx --outdir ./out --entry-naming [name]-[hash].[ext]
此构建将生成以下文件结构
.
├── index.tsx
└── out
└── files
└── index-a1b2c3d4.js
当为 naming
字段提供 string
时,它仅用于与入口点对应的包。 chunks 和复制的资源的名称不受影响。使用 JavaScript API,可以为每种类型的生成文件指定单独的模板字符串。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
naming: {
// default values
entry: '[dir]/[name].[ext]',
chunk: '[name]-[hash].[ext]',
asset: '[name]-[hash].[ext]',
},
})
bun build ./index.tsx --outdir ./out --entry-naming "[dir]/[name].[ext]" --chunk-naming "[name]-[hash].[ext]" --asset-naming "[name]-[hash].[ext]"
root
项目的根目录。
await Bun.build({
entrypoints: ['./pages/a.tsx', './pages/b.tsx'],
outdir: './out',
root: '.',
})
n/a
如果未指定,则计算为所有入口点文件的第一个公共祖先。考虑以下文件结构
.
└── pages
└── index.tsx
└── settings.tsx
我们可以在 pages
目录中构建两个入口点
await Bun.build({
entrypoints: ['./pages/index.tsx', './pages/settings.tsx'],
outdir: './out',
})
bun build ./pages/index.tsx ./pages/settings.tsx --outdir ./out
这将生成如下文件结构
.
└── pages
└── index.tsx
└── settings.tsx
└── out
└── index.js
└── settings.js
由于 pages
目录是入口点文件的第一个公共祖先,因此它被视为项目根目录。这意味着生成的包位于 out
目录的顶层;没有 out/pages
目录。
可以通过指定 root
选项来覆盖此行为
await Bun.build({
entrypoints: ['./pages/index.tsx', './pages/settings.tsx'],
outdir: './out',
root: '.',
})
bun build ./pages/index.tsx ./pages/settings.tsx --outdir ./out --root .
通过将 .
指定为 root
,生成的文件结构将如下所示
.
└── pages
└── index.tsx
└── settings.tsx
└── out
└── pages
└── index.js
└── settings.js
publicPath
要添加到打包代码中任何导入路径的前缀。
在许多情况下,生成的包将不包含 import
语句。毕竟,打包的目标是将所有代码组合到一个文件中。但是,在许多情况下,生成的包将包含 import
语句。
- 资源导入 — 当导入无法识别的文件类型(如
*.svg
)时,打包器会推迟到file
加载器,该加载器会将文件按原样复制到outdir
中。导入转换为变量 - 外部模块 — 文件和模块可以标记为
external
,在这种情况下,它们将不包含在包中。相反,import
语句将保留在最终包中。 - Chunking。当启用
splitting
时,打包器可能会生成单独的“chunk”文件,这些文件表示在多个入口点之间共享的代码。
在任何这些情况下,最终包都可能包含指向其他文件的路径。默认情况下,这些导入是相对的。以下是简单资源导入的示例
import logo from './logo.svg';
console.log(logo);
// logo.svg is copied into <outdir>
// and hash is added to the filename to prevent collisions
var logo = './logo-a7305bdef.svg';
console.log(logo);
设置 publicPath
将使用指定的值作为所有文件路径的前缀。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
publicPath: 'https://cdn.example.com/', // default is undefined
})
bun build ./index.tsx --outdir ./out --public-path https://cdn.example.com/
输出文件现在看起来像这样。
var logo = './logo-a7305bdef.svg';
var logo = 'https://cdn.example.com/logo-a7305bdef.svg';
define
要在构建时替换的全局标识符映射。此对象的键是标识符名称,值是将内联的 JSON 字符串。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
define: {
STRING: JSON.stringify("value"),
"nested.boolean": "true",
},
})
bun build ./index.tsx --outdir ./out --define 'STRING="value"' --define "nested.boolean=true"
loader
文件扩展名到 内置加载器名称 的映射。这可以用于快速自定义某些文件的加载方式。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
loader: {
".png": "dataurl",
".txt": "file",
},
})
bun build ./index.tsx --outdir ./out --loader .png:dataurl --loader .txt:file
banner
要添加到最终包的横幅,这可以是 react 的指令(如 "use client")或注释块(如代码的许可证)。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
banner: '"use client";'
})
bun build ./index.tsx --outdir ./out --banner "\"use client\";"
footer
要添加到最终包的页脚,这可以是许可证的注释块,也可以只是一个有趣的彩蛋。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
footer: '// built with love in SF'
})
bun build ./index.tsx --outdir ./out --footer="// built with love in SF"
drop
从包中删除函数调用。例如,--drop=console
将删除对 console.log
的所有调用。对调用的参数也将被删除,无论这些参数是否可能具有副作用。删除 debugger
将删除所有 debugger
语句。
await Bun.build({
entrypoints: ['./index.tsx'],
outdir: './out',
drop: ["console", "debugger", "anyIdentifier.or.propertyAccess"],
})
bun build ./index.tsx --outdir ./out --drop=console --drop=debugger --drop=anyIdentifier.or.propertyAccess
输出
Bun.build
函数返回一个 Promise<BuildOutput>
,定义为
interface BuildOutput {
outputs: BuildArtifact[];
success: boolean;
logs: Array<object>; // see docs for details
}
interface BuildArtifact extends Blob {
kind: "entry-point" | "chunk" | "asset" | "sourcemap";
path: string;
loader: Loader;
hash: string | null;
sourcemap: BuildArtifact | null;
}
outputs
数组包含构建生成的所有文件。每个工件都实现了 Blob
接口。
const build = await Bun.build({
/* */
});
for (const output of build.outputs) {
await output.arrayBuffer(); // => ArrayBuffer
await output.bytes(); // => Uint8Array
await output.text(); // string
}
每个工件还包含以下属性
kind | 此文件是什么类型的构建输出。构建生成打包的入口点、代码拆分的“chunks”、源映射、字节码和复制的资源(如图像)。 |
path | 磁盘上文件的绝对路径 |
loader | 用于解释文件的加载器。请参阅 打包器 > 加载器,了解 Bun 如何将文件扩展名映射到适当的内置加载器。 |
hash | 文件内容的哈希值。始终为资源定义。 |
sourcemap | 与此文件对应的源映射文件(如果已生成)。仅为入口点和 chunks 定义。 |
与 BunFile
类似,BuildArtifact
对象可以直接传递到 new Response()
中。
const build = await Bun.build({
/* */
});
const artifact = build.outputs[0];
// Content-Type header is automatically set
return new Response(artifact);
Bun 运行时实现了 BuildArtifact
对象的特殊漂亮打印,以使调试更容易。
// build.ts
const build = await Bun.build({/* */});
const artifact = build.outputs[0];
console.log(artifact);
bun run build.ts
BuildArtifact (entry-point) {
path: "./index.js",
loader: "tsx",
kind: "entry-point",
hash: "824a039620219640",
Blob (114 bytes) {
type: "text/javascript;charset=utf-8"
},
sourcemap: null
}
字节码
bytecode: boolean
选项可用于为任何 JavaScript/TypeScript 入口点生成字节码。这可以大大缩短大型应用程序的启动时间。仅支持 "cjs"
格式,仅支持 "target": "bun"
,并且依赖于匹配版本的 Bun。这会为每个入口点添加相应的 .jsc
文件。
await Bun.build({
entrypoints: ["./index.tsx"],
outdir: "./out",
bytecode: true,
})
bun build ./index.tsx --outdir ./out --bytecode
可执行文件
Bun 支持将 JavaScript/TypeScript 入口点“编译”为独立的可执行文件。此可执行文件包含 Bun 二进制文件的副本。
bun build ./cli.tsx --outfile mycli --compile
./mycli
有关完整文档,请参阅 打包器 > 可执行文件。
日志和错误
发生故障时,Bun.build
会返回一个被拒绝的 Promise,并带有 AggregateError
。 这可以记录到控制台以漂亮地打印错误列表,或者使用 try
/catch
块以编程方式读取。
try {
const result = await Bun.build({
entrypoints: ["./index.tsx"],
outdir: "./out",
});
} catch (e) {
// TypeScript does not allow annotations on the catch clause
const error = e as AggregateError;
console.error("Build Failed");
// Example: Using the built-in formatter
console.error(error);
// Example: Serializing the failure as a JSON string.
console.error(JSON.stringify(error, null, 2));
}
大多数时候,不需要显式的 try
/catch
,因为 Bun 会整洁地打印未捕获的异常。 仅在 Bun.build
调用上使用顶层 await
就足够了。
error.errors
中的每个项目都是 BuildMessage
或 ResolveMessage
(Error 的子类)的实例,其中包含每个错误的详细信息。
class BuildMessage {
name: string;
position?: Position;
message: string;
level: "error" | "warning" | "info" | "debug" | "verbose";
}
class ResolveMessage extends BuildMessage {
code: string;
referrer: string;
specifier: string;
importKind: ImportKind;
}
在构建成功时,返回的对象包含一个 logs
属性,其中包含 bundler 警告和信息消息。
const result = await Bun.build({
entrypoints: ["./index.tsx"],
outdir: "./out",
});
if (result.logs.length > 0) {
console.warn("Build succeeded with warnings:");
for (const message of result.logs) {
// Bun will pretty print the message object
console.warn(message);
}
}
参考
interface Bun {
build(options: BuildOptions): Promise<BuildOutput>;
}
interface BuildConfig {
entrypoints: string[]; // list of file path
outdir?: string; // output directory
target?: Target; // default: "browser"
/**
* Output module format. Top-level await is only supported for `"esm"`.
*
* Can be:
* - `"esm"`
* - `"cjs"` (**experimental**)
* - `"iife"` (**experimental**)
*
* @default "esm"
*/
format?: "esm" | "cjs" | "iife";
naming?:
| string
| {
chunk?: string;
entry?: string;
asset?: string;
};
root?: string; // project root
splitting?: boolean; // default true, enable code splitting
plugins?: BunPlugin[];
external?: string[];
packages?: "bundle" | "external";
publicPath?: string;
define?: Record<string, string>;
loader?: { [k in string]: Loader };
sourcemap?: "none" | "linked" | "inline" | "external" | "linked" | boolean; // default: "none", true -> "inline"
/**
* package.json `exports` conditions used when resolving imports
*
* Equivalent to `--conditions` in `bun build` or `bun run`.
*
* https://node.org.cn/api/packages.html#exports
*/
conditions?: Array<string> | string;
/**
* Controls how environment variables are handled during bundling.
*
* Can be one of:
* - `"inline"`: Injects environment variables into the bundled output by converting `process.env.FOO`
* references to string literals containing the actual environment variable values
* - `"disable"`: Disables environment variable injection entirely
* - A string ending in `*`: Inlines environment variables that match the given prefix.
* For example, `"MY_PUBLIC_*"` will only include env vars starting with "MY_PUBLIC_"
*/
env?: "inline" | "disable" | `${string}*`;
minify?:
| boolean
| {
whitespace?: boolean;
syntax?: boolean;
identifiers?: boolean;
};
/**
* Ignore dead code elimination/tree-shaking annotations such as @__PURE__ and package.json
* "sideEffects" fields. This should only be used as a temporary workaround for incorrect
* annotations in libraries.
*/
ignoreDCEAnnotations?: boolean;
/**
* Force emitting @__PURE__ annotations even if minify.whitespace is true.
*/
emitDCEAnnotations?: boolean;
/**
* Generate bytecode for the output. This can dramatically improve cold
* start times, but will make the final output larger and slightly increase
* memory usage.
*
* Bytecode is currently only supported for CommonJS (`format: "cjs"`).
*
* Must be `target: "bun"`
* @default false
*/
bytecode?: boolean;
/**
* Add a banner to the bundled code such as "use client";
*/
banner?: string;
/**
* Add a footer to the bundled code such as a comment block like
*
* `// made with bun!`
*/
footer?: string;
/**
* Drop function calls to matching property accesses.
*/
drop?: string[];
/**
* When set to `true`, the returned promise rejects with an AggregateError when a build failure happens.
* When set to `false`, the `success` property of the returned object will be `false` when a build failure happens.
*
* This defaults to `false` in Bun 1.1 and will change to `true` in Bun 1.2
* as most usage of `Bun.build` forgets to check for errors.
*/
throw?: boolean;
}
interface BuildOutput {
outputs: BuildArtifact[];
success: boolean;
logs: Array<BuildMessage | ResolveMessage>;
}
interface BuildArtifact extends Blob {
path: string;
loader: Loader;
hash: string | null;
kind: "entry-point" | "chunk" | "asset" | "sourcemap" | "bytecode";
sourcemap: BuildArtifact | null;
}
type Loader =
| "js"
| "jsx"
| "ts"
| "tsx"
| "json"
| "toml"
| "file"
| "napi"
| "wasm"
| "text";
interface BuildOutput {
outputs: BuildArtifact[];
success: boolean;
logs: Array<BuildMessage | ResolveMessage>;
}
declare class ResolveMessage {
readonly name: "ResolveMessage";
readonly position: Position | null;
readonly code: string;
readonly message: string;
readonly referrer: string;
readonly specifier: string;
readonly importKind:
| "entry_point"
| "stmt"
| "require"
| "import"
| "dynamic"
| "require_resolve"
| "at"
| "at_conditional"
| "url"
| "internal";
readonly level: "error" | "warning" | "info" | "debug" | "verbose";
toString(): string;
}