将窗口函数应用于 Dart 流
Applying a windowing function to a Dart stream
我是 Dart 的新手,并且仍然在研究流。具体来说,我很难找到制作函数的正确方法,该函数从流中获取 window 个 N 元素,对其应用函数并重新生成结果。
为了阐明我的意思,我提供了一个我自己实现的示例,它让我想到了这个问题。该代码从文件中获取字节流并将 4 字节块转换为整数流。通过使用 await for
我能够完成我想要的,但我正在寻找一个更惯用的基于流的函数来完成同样的事情,更简洁。
Stream<int> loadData(String path) async* {
final f = File(path);
final byteStream = f.openRead();
var buffer = Uint8List(8);
var i = 0;
// This is where I would like to use a windowing function
await for(var bs in byteStream) {
for(var b in bs) {
buffer[i++] = b;
if(i == 8) {
var bytes = new ByteData.view(buffer.buffer);
yield bytes.getUint16(0);
i = 0;
}
}
}
}
查看bufferCount method from RxDart包。
Buffers a number of values from the source Stream by count then emits the buffer and clears it, and starts a new buffer ...
这是一个例子:
import 'dart:typed_data';
import 'package:rxdart/rxdart.dart';
main() {
var bytes = Uint8List.fromList([255, 0, 0, 0, 0, 1, 0, 0, 1, 1, 0, 0, 2, 1, 0, 0]);
Stream<int>.fromIterable(bytes)
.bufferCount(4)
.map((bytes) => Uint8List.fromList(bytes).buffer)
.map((buffer) => ByteData.view(buffer).getInt32(0, Endian.little))
.listen(print); // prints 255 256 257 258
}
值得注意的是,执行此特定任务要容易得多:
bytes.buffer.asInt32List();
我是 Dart 的新手,并且仍然在研究流。具体来说,我很难找到制作函数的正确方法,该函数从流中获取 window 个 N 元素,对其应用函数并重新生成结果。
为了阐明我的意思,我提供了一个我自己实现的示例,它让我想到了这个问题。该代码从文件中获取字节流并将 4 字节块转换为整数流。通过使用 await for
我能够完成我想要的,但我正在寻找一个更惯用的基于流的函数来完成同样的事情,更简洁。
Stream<int> loadData(String path) async* {
final f = File(path);
final byteStream = f.openRead();
var buffer = Uint8List(8);
var i = 0;
// This is where I would like to use a windowing function
await for(var bs in byteStream) {
for(var b in bs) {
buffer[i++] = b;
if(i == 8) {
var bytes = new ByteData.view(buffer.buffer);
yield bytes.getUint16(0);
i = 0;
}
}
}
}
查看bufferCount method from RxDart包。
Buffers a number of values from the source Stream by count then emits the buffer and clears it, and starts a new buffer ...
这是一个例子:
import 'dart:typed_data';
import 'package:rxdart/rxdart.dart';
main() {
var bytes = Uint8List.fromList([255, 0, 0, 0, 0, 1, 0, 0, 1, 1, 0, 0, 2, 1, 0, 0]);
Stream<int>.fromIterable(bytes)
.bufferCount(4)
.map((bytes) => Uint8List.fromList(bytes).buffer)
.map((buffer) => ByteData.view(buffer).getInt32(0, Endian.little))
.listen(print); // prints 255 256 257 258
}
值得注意的是,执行此特定任务要容易得多:
bytes.buffer.asInt32List();