spark: access rdd inside another rdd

匿名 (未验证) 提交于 2019-12-03 10:24:21

问题:

I have a lookup rdd of size 6000, lookup_rdd: RDD[String]

a1 a2 a3 a4 a5 .....

and another rdd, data_rdd: RDD[(String, Iterable[(String, Int)])]: (id,(item,count)) which has unique ids,

(id1,List((a1,2), (a3,4))) (id2,List((a2,1), (a4,2), (a1,1))) (id3,List((a5,1)))

FOREACH element in lookup_rdd I want to check whether each id has that element or not, if it is there I put the count and if it's not I put 0, and store in a file.

What is the efficient way to achieve this. Is hashing possible? eg. output I want is:

id1,2,0,4,0,0 id2,1,1,0,2,0 id3,0,0,0,0,1

I have tried this:

val headers = lookup_rdd.zipWithIndex().persist()   val indexing = data_rdd.map{line =>   val id = line._1   val item_cnt_list = line._2   val arr = Array.fill[Byte](6000)(0)   item_cnt_list.map(c=>(headers.lookup(c._1),c._2))   } indexing.collect().foreach(println) 

I get the exception:

org.apache.spark.SparkException: RDD transformations and actions can only be invoked by the driver, not inside of other transformations

回答1:

The bad news is that you cannot use an RDD within another.

The good news is that for your use case, assuming that the 6000 entries are fairly small, there is an ideal solution: collect the RDD on the driver, broadcast it back to each node of the cluster and use it within the other RDD as you did before.

val sc: SparkContext = ??? val headers = sc.broadcast(lookup_rdd.zipWithIndex.collect().toMap) val indexing = data_rdd.map { case (_, item_cnt_list ) =>   item_cnt_list.map { case (k, v) => (headers.value(k), v) } } indexing.collect().foreach(println) 


标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!