-
Notifications
You must be signed in to change notification settings - Fork 227
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
ReadableStream[Symbol.asyncIterator] path to stability #333
Comments
I'm going to try and migrate a small project in a few months. The code is private but I'll be happy to provide feedback. |
Here are questions I was hoping to ask people, please edit in your own
Of course, suggestions to remove/replace these are also welcome |
Also, if you're interested and we have time, we can do this in time for the Berlin collaborator summit and discuss it there - if it magically aligns for everyone. |
Definitely +1 to all of what you said. I think the folllwing are also needed:
We can drop the experimental flag in the 10 lts cycle without problems. |
I suspect you can make use of https://github.com/whatwg/streams/tree/master/reference-implementation (in particular the tests). |
The tests are located at https://github.com/w3c/web-platform-tests/tree/master/streams. |
I created a Google Form, I'll start distributing it later https://goo.gl/forms/BCcCoM81wtpcRWg12 |
@benjamingr Should we remove experimental for Node 10? I fear we are not really getting any feedback atm, or everybody is happy with it. |
@mcollina the feedback I've been getting is that only a few people are actually using it - but those who are are pretty happy. Also that the google form I did was way too to answer lol. I did try to solicit feedback but did not get much other than "works fine" :/ |
Personally I'm + 0.5 on removing experimental - it's not as if we have a lot of wiggle room in the semantics of streams with async iterators anyway. |
I think there is value in having it out of experimental before Node 10 goes LTS. |
@mcollina feel free to ping me in the PR for a LGTM :) |
I've just used Symbol.asyncIterator, and liked using it 👍 I will fill in the form to provide some feedback ;) Just leaving a note here, since I hope this functionality will be part of the next LTS... |
@benjamingr can you please share the answers with me ([email protected])? |
The current implementation breaks IE11 support (which the readme claims) since Symbol isn't defined. I'll open a separate issue for that. |
The IE11 issue is #364 |
@mcollina I am not available until the end of next week (holiday during most of September) - in any case - shared the form with you (not many responses) |
I have been loving async generators and iterators in Node v10, as using try/catch for errors is very nice. However, I am having trouble building pipelines and connecting them with other streams (maybe I'm missing something). I want to write to a const fs = require('fs');
const csvStream = fs.createReadStream('./large-csv-file');
async function* convertChunksToLines(stream) {
..
}
// This doesn't work
convertChunksToLines(stream).pipe(fs.createWriteStream('results.csv')) I want to read from a const request = require("request");
const JSONStream = require("JSONStream");
const httpStream = request.get(
"large-json-url"
);
const parsedJsonStream = httpStream.pipe(
JSONStream.parse("results.transcripts.*.transcript")
);
async function test() {
for await (const chunk of parsedJsonStream) {
console.log(chunk);
}
}
// This doesn't work
test(); Gist: https://gist.github.com/MattMorgis/f2e71a83b2caaabd1ec61a35baa3999c |
I was able to get the second part of this to work by wrapping the const request = require("request");
const JSONStream = require("JSONStream");
const stream = require("stream");
const passThrough = new stream.PassThrough({
objectMode: true
});
const httpStream = request.get(
"large-json-url"
);
const parsedJsonStream = httpStream
.pipe(JSONStream.parse("results.transcripts.*.transcript"))
.pipe(passThrough);
async function test() {
for await (const chunk of parsedJsonStream) {
console.log(chunk);
}
}
test(); |
@MattMorgis would a utility on "stream" help? Like a We can also alternatively teach |
@MattMorgis you have to pipe it to a PassThrough because JSONStream does not inherit from Transform or use this module. So, there is no async iterators support there. On that one, there is not much we could do. @benjamingr I think we should develop a set of quick utilities to work with async iterators and streams. |
That would be awesome. I can help on that front, but maybe we should first experiment in a userland module? |
Probably for a separate thread, but I'd love to learn more about this. There are variations of JSONStream that use
I I wasn't sure if there was a better way. I found a discussion from last year about a possible |
Check out https://github.com/mcollina/stream-iterators-utils. @benjamingr @targos I've added both of you. |
@mcollina oh that's perfect I wish I saw that earlier. I've written https://github.com/reconbot/streaming-iterables and I just added await pipeline(getUsers, grabImagesToo, serializeNodeIfNotSaved, writeToStream(output)) Feels really nice. Not having to managing the overhead, error handling, highWaterMarks etc of intermediate streams also feels good. And It's increased the cpu bound throughput by about 20%. I'm still testing but it looks like it's going to replace most of my stream based approaches at Bustle sooner than later. |
I love it for scanning process output: const gitProcess = await spawn('git', ['log', '--format=%H'])
try {
for await (const commit of gitProcess.stdout.pipe(split())) {
const version = versionsByCommit.get(commit)
if (version) {
return version
}
}
return undefined
} finally {
gitProcess.kill()
} |
Im using this feature a lot with readline where the data coming in has to maintain order.
I hope it isn't an anti pattern! Any idea when |
@danm not an anti-pattern, I believe this is intended usage :) |
This would be really good to get into Node 12 for the next LTS. Anyone know what the status is? |
I need some help. I need somebody to go through the WHATWG Stream spec for AsyncIterators and check if our behavior is compatible with theirs. Ideally adding some I’m convinced it is, but I need some more confirmation. The end goal should be that the same function could consume both. Would you like to help? |
PR to make them stable open in nodejs/node#26989 |
If you're still looking for feedback, here's something that just caught me out when using this, coming at it from complete novice level just today. In the following: const test = fs.createWriteStream('./teststream');
for await (const chunk of readableStream) {
test.write(chunk);
}
test.end(); I missed that I should be "awaiting" the write. That is a promise version of the write call would possibly have saved me here: const test = fs.createWriteStream('./teststream');
for await (const chunk of readableStream) {
await test.writeAsync(chunk);
}
test.end(); unless I've misunderstood a better way that is (which is likely). |
It would also be really useful to have |
This would be a different issue as it's not part of the async iterator. However, you probably want to check for back pressure and wait for the drain event. In any case after you call I've been able to solve this problem with the following code borrowed from [ // https://github.com/bustle/streaming-iterables/blob/master/lib/write-to-stream.ts
function once(event: string, stream: IWritable): Promise<any> {
return new Promise(resolve => {
stream.once(event, resolve)
})
}
async function writeToStream(stream: IWritable, iterable: AnyIterable<any>): Promise<void> {
for await (const value of iterable) {
if (stream.write(value) === false) {
await once('drain', stream)
}
}
stream.end()
await once('finish', stream)
} |
@reconbot thanks so much for sharing, that explains a lot, I was wondering how to handle backpressure but couldn't find anything on this. I also didn't understand at all why |
@reconbot also note once should probably include error handling, see https://github.com/mcollina/stream-iterators-utils/blob/master/index.js#L31. |
btw |
Hey,
As after landing
unhandledRejection
I'd like to investigate and gather some community feedback about our API forSymbol.asyncIterator
as well as identify possible problems before we make the feature non-experimental. I'd like to aim for Node v12 is a good target for marking the API as stable.My current plan (which I'd love feedback on) is to:
for await
usage in Node projects using ReadableStream, analyze it and post findings.What do you think?
cc @bmeurer @mcollina @zenparsing @nodejs/streams
The text was updated successfully, but these errors were encountered: