我的目标是使用kafka以json格式读取字符串,对字符串执行过滤,选择消息的一部分并将消息拖出(仍以json字符串格式)。
出于测试目的,我的输入字符串消息如下所示:
{"a":1,"b":2,"c":"3"}
我的实施代码是:
def main(args: Array[String]): Unit = {
val inputProperties = new Properties()
inputProperties.setProperty("bootstrap.servers", "localhost:9092")
inputProperties.setProperty("group.id", "myTest2")
val inputTopic = "test"
val outputProperties = new Properties()
outputProperties.setProperty("bootstrap.servers", "localhost:9092")
val outputTopic = "test2"
val env = StreamExecutionEnvironment.getExecutionEnvironment
env.getConfig.disableSysoutLogging
env.getConfig.setRestartStrategy(RestartStrategies.fixedDelayRestart(4, 10000))
// create a checkpoint every 5 seconds
env.enableCheckpointing(5000)
// create a Kafka streaming source consumer for Kafka 0.10.x
val kafkaConsumer = new FlinkKafkaConsumer010(
inputTopic,
new JSONDeserializationSchema(),
inputProperties)
val messageStream : DataStream[ObjectNode]= env
.addSource(kafkaConsumer).rebalance
val filteredStream: DataStream[ObjectNode] = messageStream.filter(node => node.get("a")
.asText.equals("1") && node.get("b").asText.equals("2"))
// Need help in this part, how to extract for instance a,c and
// get something like {"a":"1", "c":"3"}?
val testStream:DataStream[JsonNode] = filteredStream.map(
node => {
node.get("a")
}
)
testStream.addSink(new FlinkKafkaProducer010[JsonNode](
outputTopic,
new SerializationSchema[JsonNode] {
override def serialize(element: JsonNode): Array[Byte] = element.toString.getBytes()
}, outputProperties
))
env.execute("Kafka 0.10 Example")
}
如此代码的注释所示,我不确定如何正确选择部分消息。我使用map,但我不知道如何连接整个消息。例如,我在代码中所做的只能给我一个“1”的结果,但我想要的是{“a”:1,“c”:“3”}
或者可能有一种完全不同的方法来解决这个问题。事情是火花流,有一个“选择”API,但我在Flink找不到它。
非常感谢flink社区的帮助!这是我想在这个小项目中实现的最后一个功能。
答案 0 :(得分:1)
Flink Streaming作业处理每次输入一次并将其输出到下一个任务或将其保存到外部存储。
一种方法是将所有输出保存到外部存储器,如HDFS。完成流式传输作业后,使用批处理作业将它们组合成JSON。
另一种方法是使用state和RichMapFunction来获取包含所有键值的JSON。
stream.map(new MapFunction<String, Tuple2<String, String>>() {
public Tuple2<String, String> map(String value) throws Exception {
return new Tuple2<String, String>("mock", value);
}
}).keyBy(0).map(new RichMapFunction<Tuple2<String,String>, String>() {
@Override
public String map(Tuple2<String, String> value) throws Exception {
ValueState<String> old = getRuntimeContext().getState(new ValueStateDescriptor<String>("test", String.class));
String newVal = old.value();
if (newVal != null) makeJSON(newVal, value.f1);
else newVal = value.f1;
old.update(newVal);
return newVal;
}
}).print();
并使用此map函数:filteredStream.map(function);
请注意,使用状态时,您会看到如下输出: {“a”:1},{“a”:1,“c”:3}。 最后一个输出应该是你想要的。