我的数据显示了一对单词以及这对单词出现的次数。例如:
[("('best', 'it')", 3), ("('best', 'of')", 4), ("('best', 'the')", 3), ("('best', 'was')", 3), ("('it', 'of')", 11), ("('it', 'the')", 11)]
我的目标是计算一个单词,它存在多少对。例如,我想要获得:
best 4
it 3
一件棘手的事情是“它”不仅出现在
("('it', 'of')", 11), ("('it', 'the')", 11)
但也发生在
('best', 'it')", 3)
因此,程序需要以某种方式进行识别。
如何使用Python在Spark中实现此目标?我是新手,感谢您的帮助!
答案 0 :(得分:4)
首先,根据数据创建pyspark数据框。
df = sql.createDataFrame(
[("('best', 'it')", 3),\
("('best', 'of')", 4),\
("('best', 'the')", 3),\
("('best', 'was')", 3),\
("('it', 'of')", 11),\
("('it', 'the')", 11)],
['text', 'count'])
df.show()
+---------------+-----+
| text|count|
+---------------+-----+
| ('best', 'it')| 3|
| ('best', 'of')| 4|
|('best', 'the')| 3|
|('best', 'was')| 3|
| ('it', 'of')| 11|
| ('it', 'the')| 11|
+---------------+-----+
然后,将text
中的Array
的字符串转换为text
和groupby
。
import pyspark.sql.functions as F
import ast
convert_udf = F.udf(lambda x: ast.literal_eval(x), ArrayType(StringType()) )
df = df.withColumn('text', convert_udf('text'))\
.withColumn('text', F.explode('text'))\
.groupby('text').count()
df.show()
+----+-----+
|text|count|
+----+-----+
| was| 1|
| it| 3|
| the| 2|
| of| 2|
|best| 4|
+----+-----+
答案 1 :(得分:1)
如果您使用的是RDD,则可以在这种情况下使用reduceByKey
>>> rdd.collect()
[("('best', 'it')", 3), ("('best', 'of')", 4), ("('best', 'the')", 3), ("('best', 'was')", 3), ("('it', 'of')", 11), ("('it', 'the')", 11)]
>>> rddMap = rdd.map(lambda x: x[0][1:-1].split(',')).flatMap(lambda x: [(i.replace("'","").strip(),1) for i in x])
>>> rddMap.collect()
[('best', 1), ('it', 1), ('best', 1), ('of', 1), ('best', 1), ('the', 1), ('best', 1), ('was', 1), ('it', 1), ('of', 1), ('it', 1), ('the', 1)]
>>> rddReduce = rddMap.reduceByKey(lambda x,y: x+y).map(lambda x: x[0]+','+str(x[1]))
>>> for i in rddReduce.collect(): print(i)
...
best,4
it,3
of,2
the,2
was,1