我有一个流应用程序,该应用程序连续获取坐标流以及一些自定义元数据,其中还包括位串。使用生产者API将该流产生到kafka主题上。现在,另一个应用程序需要处理此流[Streams API]并存储位字符串中的特定位,并在该位更改时生成警报
下面是需要处理的连续消息流
{"device_id":"1","status_bit":"0"}
{"device_id":"2","status_bit":"1"}
{"device_id":"1","status_bit":"0"}
{"device_id":"3","status_bit":"1"}
{"device_id":"1","status_bit":"1"} // need to generate alert with change: 0->1
{"device_id":"3","status_bits":"1"}
{"device_id":"2","status_bit":"1"}
{"device_id":"3","status_bits":"0"} // need to generate alert with change 1->0
现在我想将这些警报写到另一个kafka主题,例如
{"device_id":1,"init":0,"final":1,"timestamp":"somets"}
{"device_id":3,"init":1,"final":0,"timestamp":"somets"}
我可以使用类似的方法将当前位保存在状态存储中
streamsBuilder
.stream("my-topic")
.mapValues((key, value) -> value.getStatusBit())
.groupByKey()
.windowedBy(TimeWindows.of(Duration.ofMinutes(1)))
.reduce((oldAggValue, newMessageValue) -> newMessageValue, Materialized.as("bit-temp-store"));
但是我无法理解如何从现有位中检测到此更改。我是否需要以某种方式查询处理器拓扑中的状态存储?如是?怎么样?如果不?还有什么可以做的?
我也可以尝试的任何建议/想法(可能与我的想法完全不同)。我是Kafka的新手,对事件驱动流的思考使我难以理解。
谢谢。
答案 0 :(得分:4)
我不确定这是最好的方法,但是在类似的任务中,我使用了一个中间实体来捕获状态变化。就您而言,它将是
streamsBuilder.stream("my-topic").groupByKey()
.aggregate(DeviceState::new, new Aggregator<String, Device, DeviceState>() {
public DeviceState apply(String key, Device newValue, DeviceState state) {
if(!newValue.getStatusBit().equals(state.getStatusBit())){
state.setChanged(true);
}
state.setStatusBit(newValue.getStatusBit());
state.setDeviceId(newValue.getDeviceId());
state.setKey(key);
return state;
}
}, TimeWindows.of(…) …).filter((s, t) -> (t.changed())).toStream();
在出现的主题中,您将进行更改。您还可以向DeviceState添加一些属性以首先对其进行初始化,具体取决于您是否要发送事件,何时到达第一条设备记录等。