Bun

指南进程

衍生子进程并使用 IPC 与 Bun 通信

使用 Bun.spawn() 衍生子进程。当衍生第二个 bun 进程时,您可以在两个进程之间打开直接的进程间通信 (IPC) 通道。

注意 — 此 API 仅与其他 bun 进程兼容。使用 process.execPath 获取当前正在运行的 bun 可执行文件的路径。

parent.ts
const child = Bun.spawn(["bun", "child.ts"], {
  ipc(message) {
    /**
     * The message received from the sub process
     **/
  },
});

父进程可以使用返回的 Subprocess 实例上的 .send() 方法向子进程发送消息。发送子进程的引用也可用作 ipc 处理程序中的第二个参数。

parent.ts
const childProc = Bun.spawn(["bun", "child.ts"], {
  ipc(message, childProc) {
    /**
     * The message received from the sub process
     **/
    childProc.send("Respond to child")
  },
});

childProc.send("I am your father"); // The parent can send messages to the child as well

同时,子进程可以使用 process.send() 向其父进程发送消息,并使用 process.on("message") 接收消息。这与 Node.js 中用于 child_process.fork() 的 API 相同。

child.ts
process.send("Hello from child as string");
process.send({ message: "Hello from child as object" });

process.on("message", (message) => {
  // print message from parent
  console.log(message);
});

所有消息都使用 JSC serialize API 进行序列化,该 API 允许使用与 postMessagestructuredClone 支持的 可转移类型 相同的集合,包括字符串、类型化数组、流和对象。

child.ts
// send a string
process.send("Hello from child as string");

// send an object
process.send({ message: "Hello from child as object" });

请参阅文档 > API > 子进程以获取完整文档。