如何从PySpark中单个元素的RDD中创建一对RDD?

时间:2019-04-27 06:00:17

标签: python apache-spark pyspark rdd

这是实际的管道。我正在将文本加载到RDD。然后我清理它。

rdd1 = sc.textFile("sometext.txt")

import re
import string

def Func(lines):
    lines = lines.lower() #make all text lowercase
    lines = re.sub('[%s]' % re.escape(string.punctuation), '', lines) #remove punctuation
    lines = re.sub('\w*\d\w*', '', lines) #remove numeric-containing strings
    lines = lines.split() #split lines
    return lines
rdd2 = rdd1.flatMap(Func)

stopwords = ['list of stopwords goes here'] 
rdd3 = rdd2.filter(lambda x: x not in stopwords) # filter out stopwords
rdd3.take(5) #resulting RDD

Out:['a',
     'b',
     'c',
     'd',
     'e']

我现在要做的是Markov Chain函数的开始。我想将每个元素与其连续元素配对,例如:

[('a','b'),('b','c'),('c','d'),('d','e'),等等...] < / p>

2 个答案:

答案 0 :(得分:0)

我认为您需要在RDD中指定元素的顺序,以确定如何将2个元素视为彼此“连续”。因为您的RDD可以包含多个分区,所以spark不会知道partition_1中的1个元素是否连续到partition_2中的另一个元素。

如果您事先很了解数据,则可以定义密钥以及两个元素如何“连续”。给定您的示例,其中rdd是从list创建的,您可以将索引用作键并进行连接。

"""you want to shift arr by 1 to the left, then join back to arr. Calculation based on index"""

arr = ['a','b','c','d','e','f']
rdd = sc.parallelize(arr, 2).zipWithIndex().cache() #cache if rdd is small 

original_rdd = rdd.map(lambda x: (x[1], x[0])) #create rdd with key=index, value=item in list

shifted_rdd = rdd.map(lambda x: (x[1]-1, x[0]))

results = original_rdd.join(shifted_rdd)
print(results.values().collect())

要在join中获得更好的性能,可以对original_rddshifted_rdd使用范围分区。

答案 1 :(得分:-1)

相当血统的方法。确实可以进行更多优化。

>>> rdd=sc.parallelize(['a','b','c','d','e','f'])
#zipping with Index to rip off odd and even elements, to group consecutive elements in future
>>> rdd_odd=rdd.zipWithIndex().filter(lambda (x,y):y%2!=0).map(lambda (x,y):x).coalesce(1)
>>> rdd_even=rdd.zipWithIndex().filter(lambda (x,y):y%2==0).map(lambda (x,y):x).coalesce(1)
>>> rdd_2=rdd_even.zip(rdd_odd)
>>> rdd_2.collect()
[('a', 'b'), ('c', 'd'), ('e', 'f')]

确保rdd_1中的元素数为偶数。这实际上将构成配对连续元素的基础。