mirror of
https://github.com/denoland/std.git
synced 2024-11-22 04:59:05 +00:00
a04a2ed798
* fix(streams): strictly define `toJson()` and `toText()` input * fix
52 lines
1.5 KiB
TypeScript
52 lines
1.5 KiB
TypeScript
// Copyright 2018-2024 the Deno authors. All rights reserved. MIT license.
|
|
// This module is browser compatible.
|
|
|
|
/**
|
|
* Converts a {@linkcode ReadableSteam} of strings or {@linkcode Uint8Array}s
|
|
* to a single string. Works the same as {@linkcode Response.text} and
|
|
* {@linkcode Request.text}, but also extends to support streams of strings.
|
|
*
|
|
* @param stream A `ReadableStream` to convert into a `string`.
|
|
* @returns A `Promise` that resolves to the `string`.
|
|
*
|
|
* @example Basic usage with a stream of strings
|
|
* ```ts
|
|
* import { toText } from "@std/streams/to-text";
|
|
* import { assertEquals } from "@std/assert";
|
|
*
|
|
* const stream = ReadableStream.from(["Hello, ", "world!"]);
|
|
* assertEquals(await toText(stream), "Hello, world!");
|
|
* ```
|
|
*
|
|
* @example Basic usage with a stream of `Uint8Array`s
|
|
* ```ts
|
|
* import { toText } from "@std/streams/to-text";
|
|
* import { assertEquals } from "@std/assert";
|
|
*
|
|
* const stream = ReadableStream.from(["Hello, ", "world!"])
|
|
* .pipeThrough(new TextEncoderStream());
|
|
* assertEquals(await toText(stream), "Hello, world!");
|
|
* ```
|
|
*/
|
|
export async function toText(
|
|
stream: ReadableStream<string> | ReadableStream<Uint8Array>,
|
|
): Promise<string> {
|
|
const textDecoder = new TextDecoder();
|
|
const reader = stream.getReader();
|
|
let result = "";
|
|
|
|
while (true) {
|
|
const { done, value } = await reader.read();
|
|
|
|
if (done) {
|
|
break;
|
|
}
|
|
|
|
result += typeof value === "string"
|
|
? value
|
|
: textDecoder.decode(value, { stream: true });
|
|
}
|
|
result += textDecoder.decode();
|
|
return result;
|
|
}
|