我有一个由两列组成的数据框
+--------------+------------+
| A| B|
+--------------+------------+
| [b, c]| [a, b, c]|
| [a]| [c, d]|
| [a, c]| [b, c, e]|
| [b, c]| [a, b]|
| [a]| [a, d, e]|
| [a, c]| [b]|
+--------------+------------+
模式:
|-- A: string (nullable = true)
|-- B: array (nullable = true)
| |-- element: string (containsNull = true)
我想添加一个新列,如果A和B的交集为空列表([]),则必须为O,否则为1。 我尝试了以下代码,但似乎根本不正确
df.withColumn('Check', when (list((set(col('A'))&set(col('B')))) !=[] , 0).otherwise(1)).show()
感谢您的帮助
答案 0 :(得分:3)
我想添加一个新列,如果A和B的交集为空列表([]),则必须为O,否则为1。
您可以直接将array_intersect与size
和when+otherwise
一起使用
import pyspark.sql.functions as F
df.withColumn("Check",(F.size(F.array_intersect("A","B"))!=0).cast("Integer")).show()
或:
df.withColumn("Check",F.when(F.size(F.array_intersect("A","B"))==0,0).otherwise(1)).show()
+------+---------+-----+
| A| B|Check|
+------+---------+-----+
|[b, c]|[a, b, c]| 1|
| [a]| [c, d]| 0|
|[a, c]|[b, c, e]| 1|
|[b, c]| [a, b]| 1|
| [a]|[a, d, e]| 1|
|[a, c]| [b]| 0|
+------+---------+-----+