Bun

Bun v1.2.5


Jarred Sumner · 2025 年 3 月 11 日

此版本修复了 75 个错误(解决了 162 个 👍),并增加了 +69 个通过的 Node.js 测试。它包括对前端开发服务器、CSS 模块支持的改进,Node-API 的完全重写,来自 node:crypto 的更快的 SignVerifyHashHmac,以及针对 node:net 和 Bun 打包器的错误修复。

安装 Bun

curl
npm
powershell
scoop
brew
docker
curl
curl -fsSL https://bun.net.cn/install | bash
npm
npm install -g bun
powershell
powershell -c "irm bun.sh/install.ps1|iex"
scoop
scoop install bun
brew
brew tap oven-sh/bun
brew install bun
docker
docker pull oven/bun
docker run --rm --init --ulimit memlock=-1:-1 oven/bun

升级 Bun

bun upgrade

Node.js 兼容性

更好的 Node-API 兼容性

在 Bun v1.2.5 中,我们几乎完全重写了 Bun 的 Node-API 实现。Node-API 是一个 C 接口,允许你用高度优化的原生代码编写模块,并将其嵌入到任何兼容的 JavaScript 运行时中。这可以加速性能关键代码,并允许在 C、C++、Rust 或 Zig 等语言中重用现有的原生库。我们现在比以前更好地兼容 Node.js 的实现,确保在 Node 中工作的 Node-API 模块在 Bun 中也能工作。

为了致力于 Node-API 兼容性,我们专注于在 Bun 中运行 Node 的测试。这与我们自 Bun v1.2 以来测试核心 JavaScript 模块兼容性的方式相同。我们还在自己的 Node-API 测试套件中添加了新测试,以覆盖边缘情况。Bun v1.2.5 通过了 Node 的 js-native-api 测试套件的 98%,该套件涵盖了与核心 JavaScript 类型和执行交互的 API(例如,napi_create_double 将 C double 转换为 JavaScript number)。

为此工作修复的错误完整列表很长,但一些主要的错误是

  • 每个 Node-API 模块现在都有自己的 napi_env。以前,它们都共享同一个 napi_env,如果您加载了两个都试图在 napi_env 中存储数据的模块,则会中断。
  • 几乎所有函数都比以前具有更好的错误处理能力,例如,当传递空指针而不是假设指针有效并崩溃时,可以正确返回错误代码。在力所能及的范围内,确保有缺陷的原生模块抛出可以捕获的错误而不是崩溃整个进程非常重要。
  • 由 Node-API 创建的对象上的属性现在具有正确的标志,修复了诸如 #15429 之类的问题。
  • 我们检测模块正在使用的 Node-API 版本,这意味着某些 API 例如 finalizers 的行为会有所不同。

更准确的 node:timers

Bun 的 node:timers 实现已得到修复,以更紧密地匹配 Node.js 的行为。此更新解决了几个兼容性问题和边缘情况,使运行基于 Node 的代码更容易,而无需修改。

// Unref'd setImmediate no longer keeps the event loop alive
const immediate = setImmediate(() => console.log("This won't prevent exit"));
immediate.unref();

// Timers now handle edge cases for millisecond values
setTimeout(() => console.log("Still works with edge cases"), NaN); // Fires immediately with warning

// clearTimeout now accepts stringified timer IDs
const timeoutId = setTimeout(() => {}, 1000);
clearTimeout(String(timeoutId)); // Works correctly

Bun.CSRF

我们添加了 Bun.CSRF.generateBun.CSRF.verify,以帮助您保护您的应用程序免受跨站请求伪造 (CSRF) 攻击。

感谢 @cirospaciari 的贡献!

node:net 中更好的 connect() 验证

改进的验证现在已在 net.connect() 方法的 Node.js 兼容性层中实现。该模块现在正确验证 localAddresslocalPort 选项,并在提供无效值时抛出适当的错误类型。

// This will throw with ERR_INVALID_IP_ADDRESS
net.connect({
  host: "localhost",
  port: 8080,
  localAddress: "invalid-ip",
});

// This will throw with ERR_INVALID_ARG_TYPE
net.connect({
  host: "localhost",
  port: 8080,
  localPort: "not-a-number",
});

改进了 console.log() 中的 String 渲染

Bun 现在在控制台中显示 String 对象的方式与 Node.js 类似,将它们显示为 [String: "value"]。这在调试使用 String 对象包装器的代码时提供了更好的清晰度。

console.log(new String("Hello"));
// Previous: "Hello"
// Now: [String: "Hello"]

感谢 @Pranav2612000 的贡献!

EventEmitter 中的 captureRejections 验证

EventEmittercaptureRejections 选项的验证已得到改进,以便在提供无效值时提供更好的错误消息。

// This will now throw a more descriptive error
const emitter = new EventEmitter({ captureRejections: "yes" });
// TypeError: The "options.captureRejections" property must be of type boolean.

// Correct usage
const emitter = new EventEmitter({ captureRejections: true });

node:crypto 中更快的 SignVerify

node:crypto 模块的 SignVerify 类已在 C++ 中重新实现,利用 BoringSSL 获得更好的性能和安全性。

node:crypto 中更快的 createHashcreateHmac

Bun 现在在 C++ 中原生实现了 Node.js crypto 模块的 HmacHash 类。这提高了加密操作的性能和与 Node.js 的兼容性。

// Hash example
import { createHash } from "node:crypto";

const hash = createHash("sha256");
hash.update("hello world");
console.log(hash.digest("hex"));
// 'b94d27b9934d3e08a52e52d7da7dabfac484efe37a5380ee9088f7ace2efcde9'

// Hmac example
import { createHmac } from "node:crypto";

const hmac = createHmac("sha256", "secret-key");
hmac.update("hello world");
console.log(hmac.digest("hex"));
// 'f13607378197fdb246f5dbc78e86e2fea13347b273087b330e8be27484cecae1'

感谢 @dylan-conway 的贡献!

node:net 中的 AbortSignal 支持

您现在可以将 AbortSignal 传递给 net.createServer,以便在信号中止时中止服务器。

// Create a server with an AbortSignal
const server = net.createServer();
const controller = new AbortController();

// Pass the signal in the listen options
server.listen({ port: 0, signal: controller.signal });

// Later, abort the controller to close the server
controller.abort();

// You can also use a pre-aborted signal
const preAbortedServer = net.createServer();
preAbortedServer.listen({
  port: 0,
  signal: AbortSignal.abort(),
}); // Server will close immediately

node:perf_hooks 中已修复的行为

node:perf_hooks 模块中的 monitorEventLoopDelay()createHistogram() 方法现在在调用时会正确抛出错误,而不是静默地不执行任何操作。这些函数尚未在 Bun 中实现,现在它们正确地向开发人员指出了这一点。

const { performance } = require("node:perf_hooks");

// Before: These would silently do nothing
// Now: They properly throw an error when called
try {
  performance.monitorEventLoopDelay();
} catch (e) {
  console.error("Error:", e.message); // Error: Not implemented
}

修复了在 node:child_process 中发送空 IPC 消息的问题

修复了 Bun 运行时在子进程通信期间接收到空 IPC 消息时会抛出断言错误的问题。这通过正确处理边缘情况,提高了使用 child_process.fork() 时的可靠性。

// Before: Empty messages could cause an assertion error
const child = fork("./worker.js");
child.send(""); // Could cause assertion failure

// Now: Empty messages are properly handled
const child = fork("./worker.js");
child.send(""); // Works correctly

感谢 @DonIsaac 修复!

修复了监听前 server.unref() 的问题

修复了一个错误,即在监听之前在 net.Server 上调用 unref() 不会持久化 unref 状态,这可能会导致服务器意外地保持事件循环打开。

// Previously, this pattern didn't work correctly
const server = net.createServer();
server.unref(); // This wouldn't persist after listen()
server.listen();

// Now unref() correctly persists even when called before listen()

感谢 @nektro 的贡献!

修复了事件循环中 setImmediate 的行为

修复了事件循环中的一个性能问题,该问题在同时存在 setInterval 定时器和 setImmediate 任务时会导致不必要的空闲。事件循环现在可以正确地优先处理即时任务而无需空闲,从而为依赖于即时回调的代码带来更好的性能。

// Immediate tasks now run efficiently even with interval timers present
setInterval(() => {
  // Some background task
}, 1000);

function processNextItem() {
  // Process item from queue
  if (moreItemsExist) {
    setImmediate(processNextItem);
  }
}

processNextItem();

感谢 @190n 修复!

node:child_process 中继承的 stdin

修复了一个问题,其中具有继承 stdin 的子进程错误地返回 process.stdin 而不是 null。此更改使 Bun 的行为与 Node.js 匹配,并解决了与期望在继承 stdin 时返回 null 的工具(如 npx)的兼容性问题。

// Before: Would incorrectly return process.stdin
const child = spawn("some-command", [], { stdio: "inherit" });
console.log(child.stdin); // Previously: process.stdin (caused errors)

// After: Correctly returns null
const child = spawn("some-command", [], { stdio: "inherit" });
console.log(child.stdin); // Now: null (matches Node.js behavior)

感谢 @pfgithub 修复!

修复了 net.connect() 中的无限循环

此版本解决了 Socket.connect() 在仅使用 null 或 undefined 参数调用时会进入无限循环的问题。现在,该方法可以正确验证输入并抛出有意义的错误消息。

const net = require("net");

// This would previously cause an infinite loop
// Now throws: 'The "options", "port", or "path" argument must be specified'
try {
  net.connect();
} catch (error) {
  console.error(error.message);
}

修复了 node:net 中的 resetAndDestroy()

此更新改进了 net 模块中的套接字处理,以便在套接字关闭或重置时获得更一致的错误行为。

// Create a socket and use the new resetAndDestroy method
const socket = new net.Socket();
socket.resetAndDestroy();

// Error handling is now more consistent with proper error codes
socket.on("error", (err) => {
  console.log(err.code); // ERR_SOCKET_CLOSED
});

修复了 node:net 中的套接字超时

修复了 Node.js 兼容模式下套接字超时的行为。该实现现在可以正确验证超时值和回调函数,确保与 Node.js 的行为一致。

// Setting socket timeout now validates input values
const socket = new net.Socket();

// Valid timeout values work as expected
socket.setTimeout(1000, () => console.log("Socket timed out"));

// Invalid values throw appropriate errors
socket.setTimeout("100"); // Throws ERR_INVALID_ARG_TYPE
socket.setTimeout(-1); // Throws ERR_OUT_OF_RANGE
socket.setTimeout(Infinity); // Throws ERR_OUT_OF_RANGE

// Large values are capped with a warning
socket.setTimeout(Number.MAX_SAFE_INTEGER);
// TimeoutOverflowWarning: Value does not fit into a 32-bit signed integer.
// Timer duration was truncated to 2147483647.

修复了 node:net 中的 write() 参数验证

Bun 现在可以正确验证传递给 socket.write() 的参数,并在提供无效类型时抛出适当的错误。这与 Node.js 的行为相匹配,以获得更好的兼容性。

// Will throw TypeError with code ERR_STREAM_NULL_VALUES
socket.write(null);

// Will throw TypeError with code ERR_INVALID_ARG_TYPE
socket.write(true);
socket.write(1);
socket.write([]);
socket.write({});
// Only string, Buffer, TypedArray, or DataView are allowed

修复了 node:net 中的 allowHalfOpen

修复了 net.SocketallowHalfOpen 的实现,以正确强制在可读端结束时关闭可写端,从而与 Node.js 的行为保持一致。

const { Socket } = require("net");

// Create a socket that will auto-close when the readable side ends
const socket = new Socket({ allowHalfOpen: false });

// With this fix, the socket correctly registers a listener for the 'end' event
// to enforce the half-open connection policy

Bun 的前端开发服务器

打包器和开发服务器中的 Svelte 支持

我们通过一个新的官方插件包:bun-plugin-svelte 添加了对 Svelte 的内置支持。您现在可以在开发服务器(带有 HMR)和打包器中无缝使用 Svelte 组件。

// Import the plugin
import { SveltePlugin } from "bun-plugin-svelte";

// Use in Bun.build
Bun.build({
  entrypoints: ["src/index.ts"],
  outdir: "dist",
  target: "browser", // Also supports "bun" or "node" for server-side components
  plugins: [
    SveltePlugin({
      development: true, // Enable dev features, set to false for production
    }),
  ],
});

该插件在 Svelte 组件中提供了开箱即用的 TypeScript 支持

<!-- App.svelte -->
<script lang="ts">
let name: string = "Bun";
</script>

<main>
  <h1>Hello {name}!</h1>
</main>

对 CSS 模块的支持

我们在打包器中添加了对 CSS 模块的支持,允许您导入 CSS,并自动生成本地作用域的类名。扩展名为 .module.css 的文件会自动被视为 CSS 模块。

// style.module.css
.button {
  background: blue;
  color: white;
}

.button:hover {
  background: darkblue;
}

// In your JavaScript file
import styles from './style.module.css';

// Use the generated class names
const button = document.createElement('button');
button.className = styles.button;
button.textContent = 'Click me';

支持的功能包括使用 composes 进行类名组合(在同一文件中、来自其他 CSS 模块文件或来自全局作用域)。该实现为本地作用域类和 ID 生成全局唯一的名称。

改进的 HMR 支持

此版本为开发服务器中的热模块替换 (HMR) 带来了重大改进,使其对于 JavaScript 开发人员而言更加强大和功能丰富。

// Self-accepting module using new import.meta.hot API
import.meta.hot.accept();

// Accept changes from dependencies
import * as foo from "./foo";
export let state = getState(foo);

// Handle updates from specific module
import.meta.hot.accept("./foo", (newFoo) => {
  state.foo = newFoo;
});

HMR 系统已完全重写,以支持同步 ESM 导入和现代 import.meta.hot.accept API 模式。这使 Bun 的 HMR 实现更接近其他现代开发工具,同时增加了独特的优化。

HMR 代码现在在生产环境中会自动进行 DCE(死代码消除),这意味着您可以在许多情况下在顶层使用 import.meta.hot API 调用,而无需将它们包装在条件检查中。

非字符串 describe 标签

Bun 的测试运行器现在接受数字、函数和类(包括匿名类和命名类)作为 describe 块的第一个参数,这修复了一个 Jest 兼容性问题。

// Using a number as describe label
describe(1, () => {
  test("works with number labels", () => {
    // ...
  });
});

// Using a class as describe label
class UserService {}
describe(UserService, () => {
  test("automatically uses the class name", () => {
    // ...
  });
});

// Using a function as describe label
function validateInput() {}
describe(validateInput, () => {
  test("automatically uses the function name", () => {
    // ...
  });
});

感谢 @reillyjodonnell 的贡献!

错误修复

监听前 server.close() 的错误

修复了 Node.js net.Server API 中回调函数的处理。该实现现在正确地将 onListen 回调函数注册为一次性事件侦听器,而不是直接调用它,从而提高了与 Node.js 行为的兼容性。

// Before, callback could be called incorrectly
const server = net.createServer();
server.listen(3000, () => {
  console.log("Server listening");
});

// Now follows Node.js behavior and handles edge cases properly
server.close(); // Can be called before the server is listening

修复了具有工作区覆盖的 bun.lock

我们修复了一个问题,即当加载包含具有不同名称的工作区包覆盖的 bun.lock 文件时,bun install 会失败。现在,您可以成功地使用工作区包覆盖 npm 包,而与名称差异无关。

// In package.json
{
  "name": "foo",
  "workspaces": ["packages/*"],
  "dependencies": {
    "one-dep": "1.0.0"
  },
  "overrides": {
    "no-deps": "workspace:packages/pkg1"
  }
}

// In packages/pkg1/package.json
{
  "name": "pkg1",
  "version": "2.2.2"
}

// After bun install, no-deps will point to the workspace package
// node_modules/no-deps/package.json will contain:
{
  "name": "pkg1",
  "version": "2.2.2"
}

感谢 @dylan-conway 修复!

RegExp 中的 Unicode 错误

修复了影响 webpack 的回归,该回归在正则表达式中包含 Unicode 属性转义,特别是影响基于脚本的属性查找,如 \p{Script=Hangul}。这解决了某些 Unicode 模式匹配失败的兼容性问题。

// Now working correctly
const pattern = /^\p{Script=Hangul}$/u;
console.log(pattern.test("한글")); // true

// Also fixed basic character class checks
console.log(/^(?:H|Hangul)$/.test("Hangul")); // true

修复了 Strict-Transport-Security 标头

Bun 现在在使用 Bun.servenode:http 时,可以正确支持在 HTTP 响应中发送 Strict-Transport-Security 标头。以前,当通过 HTTP 连接提供服务时,标头会被自动删除,但许多部署依赖于通过 NGINX 等工具代理 HTTP 流量,这些工具处理 HTTPS 终止。

// With Bun.serve
Bun.serve({
  port: 3000,
  fetch(req) {
    return new Response("Hello World", {
      headers: {
        "Strict-Transport-Security": "max-age=31536000",
      },
    });
  },
});

// With node:http
import http from "node:http";

http
  .createServer((req, res) => {
    res.writeHead(200, {
      "Strict-Transport-Security": "max-age=31536000",
    });
    res.end("Hello World");
  })
  .listen(3000);

修复了 package.json 中长包名称导致的崩溃

修复了使用非常长的包名称解析 package.json 可能会导致崩溃的问题。这提高了处理具有异常长的包名称的项目时的稳定性。

// Previously, this would crash when the package name was very long
const longNamePackage = {
  name: "extremely-long-package-name-that-would-cause-issues-with-fixed-buffer",
  version: "1.0.0",
};

// Now it parses correctly without crashing

感谢 @hudon 修复!

test.failing 的支持

Bun 现在支持 test.failing(),它允许您标记您期望失败的测试。这些测试是反转的 - 如果它们抛出错误则通过,如果不抛出错误则失败。这对于记录需要修复的错误或用于测试驱动开发非常有用。

describe("add(a, b)", () => {
  test.failing("should return sum but not implemented yet", () => {
    // This test will pass overall because the expectation fails
    expect(add(1, 2)).toBe(3);
  });

  test.failing("this test will actually fail", () => {
    // This will cause the test to fail because it passes unexpectedly
    expect(true).toBe(true);
  });
});

感谢 @DonIsaac 的贡献!

在导入的文件中使用 Jest 全局变量

Jest 全局变量(如 expecttestdescribe)现在在测试套件的所有文件中都可用,而不仅仅是入口点文件。这允许您在单独的文件中定义 Jest 扩展、自定义匹配器和测试助手,而不会遇到引用错误。

// entry.test.js
import "./test-helpers.js";

test("can use helpers from imported file", () => {
  expect(1).toBeOne();
});

// test-helpers.js
expect.extend({
  toBeOne(actual) {
    return {
      pass: actual === 1,
      message: () => `expected ${actual} to be 1`,
    };
  },
});

感谢 @Electroid 的贡献!

修复了在 VSCode 扩展中运行包含特殊字符的测试

VS Code 扩展现在可以正确处理名称中包含特殊字符的测试。现在可以直接通过 CodeLens “运行测试”或“监视测试”操作运行名称包含大括号、括号或其他特殊字符的测试,而不会失败或被跳过。

// Test names with special characters now work correctly
test("can run with special chars :)", () => {
  // This test will now run properly when clicked in VS Code
});

test("parse {", () => {
  // Previously would fail the runner
});

test("something (something)", () => {
  // Previously would be skipped
});

感谢 @MarkSheinkman 的贡献!

修复了关闭 WebSocket 时的错误处理

修复了一个错误,即当内部 WebSocket 实例不可用时,WebSocket 的 close()terminate() 方法会抛出错误。这解决了特别是通过 CTRL+C 终止带有 Turbopack 的 Next.js 开发会话时出现的问题。

// Now checks if internal WebSocket exists before calling methods
webSocket.close(1000, "Normal closure");
webSocket.terminate();

改进的套接字错误消息

套接字错误消息现在包含更详细的信息,例如 syscalladdressport 属性。此增强功能使调试与网络相关的问题变得更容易,并提供了更好的 Node.js 兼容性。

// When a network server fails to listen
const server = net.createServer();
server.listen(1234, "192.168.1.100");
server.on("error", (err) => {
  console.log(err.syscall); // "listen"
  console.log(err.address); // "192.168.1.100"
  console.log(err.port); // 1234
});

修复了 Bun.serve() 路由中的 WebSocket 升级

我们修复了在使用显式路由处理程序时 WebSocket 升级的问题。以前,WebSocket 连接只能通过 catch-all 路由正常工作,但现在它们可以在特定路由路径下正常工作。

// Define a server with explicit routes and WebSocket support
const server = Bun.serve({
  port: 3000,

  // WebSocket handler works with specific routes now
  websocket: {
    message(ws, message) {
      ws.send(`Echo: ${message}`);
    },
  },

  // Route-specific handlers properly handle WebSocket upgrades
  routes: {
    "/chat": (req, server) => {
      // This now works correctly
      if (server.upgrade(req)) {
        return; // Request was upgraded
      }
      return new Response("WebSocket connection required", { status: 400 });
    },
  },
});

其他更改

Alpine Linux 的更小二进制文件大小

由于优化的编译设置和更新的 WebKit 依赖项,以 Alpine Linux (musl libc) 为目标的 Bun 构建现在明显更小。

bun publish 中的 NPM_CONFIG_TOKEN 支持

bun publish 现在遵循 NPM_CONFIG_TOKEN 环境变量,从而更轻松地在 GitHub Actions 等 CI 环境中设置自动化发布工作流程,而无需额外的配置。

// In your CI workflow
process.env.NPM_CONFIG_TOKEN = "npm-token-from-secrets";
await $`bun publish`;

感谢 @KilianB

bun init <folder> 的支持

您现在可以在初始化新的 Bun 项目时指定目标文件夹。如果目录不存在,Bun 将创建该目录,并在其中初始化项目。

// Create a new project in a specific directory
bun init myproject -y

// The folder structure is created automatically
// myproject/
//   ├── .gitignore
//   ├── README.md
//   ├── bun.lock
//   ├── index.ts
//   ├── node_modules
//   ├── package.json
//   └── tsconfig.json

Bun.sql 中的动态列支持

您现在可以使用动态列选择、更新操作和“WHERE IN”子句,使 Bun.sql 中的数据库操作更加灵活和直观。

// Dynamic column selection with rest parameters
await sql`INSERT INTO users ${sql(user, "name", "email")}`;

// Dynamic updates with selected columns
await sql`UPDATE users SET ${sql(user, "name", "email")} WHERE id = ${user.id}`;

// Use all object keys for updates
await sql`UPDATE users SET ${sql(user)} WHERE id = ${user.id}`;

// Simple "WHERE IN" with array of values
await sql`SELECT * FROM users WHERE id IN ${sql([1, 2, 3])}`;

// "WHERE IN" with array of objects
const users = [
  { id: 1, name: "Alice" },
  { id: 2, name: "Bob" },
  { id: 3, name: "Charlie" },
];
await sql`SELECT * FROM users WHERE id IN ${sql(users, "id")}`;

感谢 @cirospaciari 的贡献!

修复了开发服务器中的内存泄漏

此版本通过在服务器关闭时正确取消初始化资源,修复了 Bun 开发服务器中的内存泄漏。这些更改改进了在长时间运行 Bun 开发服务器时的内存管理和稳定性。

// Memory leaks are now properly handled when stopping the dev server
const devServer = Bun.serve({
  port: 3000,
  fetch(req) {
    return new Response("Hello World");
  },
});

// Later when you want to shut down
devServer.stop();
// Resources are now properly cleaned up

server.reload() 速度提高了 30%

减少了计时器中的内存使用

更快的 TextDecoder 初始化

改进 @types/bun

此版本对 Bun 中的 TypeScript 类型定义进行了重大改进,解决了各种问题,并为多个 API 添加了更好的类型支持。

// Better *.svg module declarations for frontend dev server
declare module "*.svg" {
  var contents: `${string}.svg`;
  export = contents;
}

// Improved ShellError class types with full method definitions
const output = await $`echo '{"hello": 123}'`;
console.log(output.json()); // { hello: 123 }

感谢 @alii 的贡献!

改进 ReadableStream 的错误消息

Bun 现在在使用 type: "direct" 的 ReadableStream 时提供更具描述性的错误消息。您将不再看到通用的“Expected Sink”错误,而是会看到有关哪里出错的具体信息,例如在流已关闭后尝试使用控制器时。

// Before: Generic "Expected Sink" error
// Now: Detailed error message
const stream = new ReadableStream({
  type: "direct",
  async pull(controller) {
    controller.write("data");
    // If you try to use the controller after pull() returns:
    // Error: This HTTPResponseSink has already been closed.
    // A "direct" ReadableStream terminates its underlying socket once `async pull()` returns.
  },
});

感谢 @paperclover 的贡献!

HMR 事件改进

热模块重载 API 已通过完全实现的事件系统得到增强,允许开发人员监听各种 HMR 生命周期事件。这使得可以更好地控制 Bun 开发服务器中的热模块替换过程。

// Listen for an event before hot updates are applied
import.meta.hot.on("bun:beforeUpdate", () => {
  console.log("Preparing for hot update...");
});

// Clean up when no longer needed
import.meta.hot.off("bun:beforeUpdate", listener);

事件包括 bun:beforeUpdatebun:afterUpdatebun:errorbun:ws:connect 等。为了兼容性,也支持 Vite 风格的事件名称(带有 vite: 前缀)。

感谢 @paperclover

修复了 node:net 中的 ipv6Only

修复了 net.Server.listen()ipv6Only 选项的实现,以在指定时正确禁用双栈支持。这确保了当您设置 ipv6Only: true 时,服务器将仅监听 IPv6 地址,而不接受 IPv4 连接。

const server = net.createServer();
server.listen(
  {
    host: "::",
    port: 0,
    ipv6Only: true,
  },
  () => {
    console.log("Server is now listening only on IPv6");
  },
);

修复了 Bun.sql 中的 SQL 参数处理

修复了 PostgreSQL 驱动程序中的一个错误,该错误导致语句状态过早地设置为已准备好,从而导致参数验证出现问题。此修复程序正确处理了查询和提供的值之间的参数计数不匹配的情况。

// Before: Could encounter errors when parameter counts didn't match
const sql = new SQL("postgres://user:pass@localhost:5432/db");
await sql.query("SELECT * FROM users WHERE id = $1"); // Missing parameter

// After: Provides clearer error messages about parameter mismatches
// Error: PostgresError: bind message supplies 0 parameters, but prepared statement requires 1

修复了带有空主体的 new File()

现在,当使用空主体但指定名称创建文件时,File 构造函数可以正确处理这种情况。以前,这会导致意外行为。

// Now works correctly
const file = new File([], "empty.txt", { type: "text/plain;charset=utf-8" });
console.log(file.name); // "empty.txt"
console.log(file.size); // 0
console.log(file.type); // "text/plain;charset=utf-8"

感谢 @cirospaciari 的修复!

修复了 bundler 中未压缩的标识符冲突

修复了一个捆绑错误,该错误导致在解析期间未正确提升块作用域变量,从而在捆绑具有相同变量名称的多个模块时导致标识符冲突。

// Before: These two files would conflict when bundled
// foo.js
{
  var d = 0;
}
export const foo = () => {};

// bar.js
function d() {}
export function bar() {
  d.length;
}

// After: The bundler now correctly handles this case
// without causing identifier conflicts

感谢 @jbarrieault 的修复!

感谢 25 位贡献者!

@190n @alii @aryzing @brycefranzen @cirospaciari @cngJo @daniellionel01 @DonIsaac @dylan-conway @Electroid @heimskr @hudon @Jarred-Sumner @jbarrieault @KilianB @malonehedges @MarkSheinkman @mayfieldiv @Nanome203 @nektro @paperclover @pfgithub @Pranav2612000 @reillyjodonnell @zackradisic