对于 CLI 工具,通常需要从 stdin
读取。在 Bun 中,console
对象是一个 AsyncIterable
,它从 stdin
中生成行。
const prompt = "Type something: ";
process.stdout.write(prompt);
for await (const line of console) {
console.log(`You typed: ${line}`);
process.stdout.write(prompt);
}
运行此文件将生成一个永不结束的交互式提示,它会回显用户键入的任何内容。
bun run index.ts
Type something: hello
You typed: hello
Type something: hello again
You typed: hello again
Bun 还通过 Bun.stdin
将 stdin 公开为 BunFile
。这对于增量读取管道输入到 bun
进程的大型输入非常有用。
无法保证这些块将按行拆分。
for await (const chunk of Bun.stdin.stream()) {
// chunk is Uint8Array
// this converts it to text (assumes ASCII encoding)
const chunkText = Buffer.from(chunk).toString();
console.log(`Chunk: ${chunkText}`);
}
这将打印管道输入到 bun
进程的输入。
echo "hello" | bun run stdin.ts
Chunk: hello
请参阅 文档 > API > 实用程序 了解更实用的实用程序。