我是Akka和Akka流的新手。我创建了一个虚拟流,并希望它以异常结束,因为我的map()函数非常慢,并且我将缓冲区设置为1
。
所以我的问题分为两部分:
import akka.NotUsed;
import akka.actor.ActorSystem;
import akka.stream.OverflowStrategy;
import akka.stream.javadsl.Sink;
import akka.stream.javadsl.Source;
public class Application {
public static void main(String[] args) {
final ActorSystem system = ActorSystem.create("reactive-test");
Source<Integer, NotUsed> source =
Source.range(0, 10000000)
.buffer(1, OverflowStrategy.fail())
.map(Application::doubleInt);
source.runWith(Sink.foreach(a -> System.out.println(a)), system);
}
private static Integer doubleInt(int i) {
try {
Thread.sleep(2_000);
} catch (Exception e) {
System.out.println(e);
}
return 2 * i;
}
}
为什么此代码可以正常运行?
原因是背压。源所产生的元素数量不会超过您的接收器可以消耗的元素,因此,缓慢的接收器会直接影响快速生成元素的速度。因此,您的缓冲区永远不会溢出。
如何模拟溢出? (出于学习目的)
具有一个渴望消耗但同时又很慢的水槽。可以通过添加grouped(1000)
来模拟它,该列表创建1000个元素的列表并将其传递到下游。
import akka.NotUsed;
import akka.actor.ActorSystem;
import akka.stream.OverflowStrategy;
import akka.stream.javadsl.Sink;
import akka.stream.javadsl.Source;
public class StreamsBufJava {
public static void main(String[] args) {
final ActorSystem system = ActorSystem.create("reactive-test");
Source<Integer, NotUsed> source =
Source.range(0, 10000000)
.buffer(1, OverflowStrategy.fail())
.grouped(1000)
.mapConcat(list -> list)
.map(StreamsBufJava::doubleInt);
source.runWith(Sink.foreach(System.out::println), system);
}
private static Integer doubleInt(int i) {
try {
Thread.sleep(2_000);
} catch (Exception e) {
System.out.println(e);
}
return 2 * i;
}
}
产品
0
2
[ERROR] [04/17/2020 09:40:47.671] [reactive-test-akka.actor.default-dispatcher-5] [Buffer(akka://reactive-test)] Failing because buffer is full and overflowStrategy is: [Fail] in stream [class akka.stream.impl.fusing.Buffer$$anon$26]
4
6
8