我从node.js中获得了巨大的价值并且喜欢流处理模型。我主要使用它来进行流处理,包括数据丰富和类似ETL的工作。
为了丰富,我可能会有这样的记录......
{ "ip":"123.45.789.01", "productId": 12345 }
我想通过添加产品细节来丰富这一点
{ "ip":"123.45.789.01", "productId": 12345, "description" : "Coca-Cola 12Pk", "price":4.00 }
描述数据和价格数据都来自不同的流。在高地处理这种依赖的最佳方法是什么?
H = require('highland')
descriptionStream = H(['[{"productId":1,"description":"Coca-Cola 12Pk"},{"productId":2,"description":"Coca-Cola 20oz Bottle"}]'])
.flatMap(JSON.parse)
priceStream = H(['[{"productId":1,"price":4.00},{"productId":2,"price":1.25}]'])
.flatMap(JSON.parse)
# the file is a 10G file with a json record on each line
activityStream = H(fs.createReadStream('8-11-all.json',{flags:'r',encoding:'utf8'}))
.splitBy("\n")
.take(100000) # just take 100k for testing
.filter((line)-> line.trim().length > 0) # to prevent barfing on empty lines
.doto((v)->
# here i want to add the decription from the descriptionStream
# and i want to add the price from the price stream.
# in order to do that, i need to make the execution of this
# stream dependent on the completion of the first two and
# availability of that data. this is easy with declarative
# programming but less intuitive with functional programming
)
.toArray((results)->
# dump my results here
)
有什么想法吗?
答案 0 :(得分:0)
如果你正在使用highland.js,你可以使用.map
并提供一个功能来修改每个项目。
e.g。
var stream = _([{ "ip":"123.45.789.01", "productId": 12345 }]).map(function (x) {
x.productName = 'Coca-Cola 12 Pack'
return x;
});
答案 1 :(得分:0)
这是对此的抨击。这是正确的做法吗?
H = require('highland')
# these values would come from some api/file
descriptionStream = H([{"productId":1,"description":"Coca-Cola 12Pk"},{"productId":2,"description":"Coca-Cola 20oz Bottle"}])
.reduce({}, (memo,v)->
memo[v.productId] = v;
return memo
)
# these values would come from some api/file
priceStream = H([{"productId":1,"price":4.00},{"productId":2,"price":1.25}])
.reduce({}, (memo,v)->
memo[v.productId] = v;
return memo
)
H([descriptionStream, priceStream])
.series()
.toArray((dependencies)->
[descriptionIndex, priceIndex] = dependencies
# these values would come from an api/file
H([{productId:1},{productId:2}])
.doto((v)-> v.description = descriptionIndex[v.productId].description)
.doto((v)-> v.price = priceIndex[v.productId].price)
.each((v)->
console.log(JSON.stringify(v))
)
)
这给了我正确的结果,但不确定这是否是执行流依赖的优雅方式。我还假设如果您不止一次需要价格或描述流,那么您可以将它们分叉。
{"productId":1,"description":"Coca-Cola 12Pk","price":4}
{"productId":2,"description":"Coca-Cola 20oz Bottle","price":1.25}