将空值转换为 Spark DataFrame 中的空数组

Convert null values to empty array in Spark DataFrame

我有一个 Spark 数据框,其中一列是整数数组。该列可以为空,因为它来自左外部联接。我想将所有空值转换为空数组,这样我以后就不必处理空值了。

我以为我可以这样做:

val myCol = df("myCol")
df.withColumn( "myCol", when(myCol.isNull, Array[Int]()).otherwise(myCol) )

但是,这会导致以下异常:

java.lang.RuntimeException: Unsupported literal type class [I [I@5ed25612
at org.apache.spark.sql.catalyst.expressions.Literal$.apply(literals.scala:49)
at org.apache.spark.sql.functions$.lit(functions.scala:89)
at org.apache.spark.sql.functions$.when(functions.scala:778)

显然 when 函数不支持数组类型。还有其他一些简单的方法来转换空值吗?

如果相关,这里是此列的架构:

|-- myCol: array (nullable = true)
|    |-- element: integer (containsNull = false)

您可以使用 UDF:

import org.apache.spark.sql.functions.udf

val array_ = udf(() => Array.empty[Int])

结合WHENCOALESCE

df.withColumn("myCol", when(myCol.isNull, array_()).otherwise(myCol))
df.withColumn("myCol", coalesce(myCol, array_())).show

最近的版本中你可以使用array函数:

import org.apache.spark.sql.functions.{array, lit}

df.withColumn("myCol", when(myCol.isNull, array().cast("array<integer>")).otherwise(myCol))
df.withColumn("myCol", coalesce(myCol, array().cast("array<integer>"))).show

请注意,仅当允许从 string 转换为所需类型时,它才会起作用。

同样的事情当然也可以在 PySpark 中完成。对于遗留解决方案,您可以定义 udf

from pyspark.sql.functions import udf
from pyspark.sql.types import ArrayType, IntegerType

def empty_array(t):
    return udf(lambda: [], ArrayType(t()))()

coalesce(myCol, empty_array(IntegerType()))

并且在最新版本中只需使用 array:

from pyspark.sql.functions import array

coalesce(myCol, array().cast("array<integer>"))

通过对 zero323 的方法稍作修改,我无需在 Spark 2.3.1 中使用 udf 即可完成此操作。

val df = Seq("a" -> Array(1,2,3), "b" -> null, "c" -> Array(7,8,9)).toDF("id","numbers")
df.show
+---+---------+
| id|  numbers|
+---+---------+
|  a|[1, 2, 3]|
|  b|     null|
|  c|[7, 8, 9]|
+---+---------+

val df2 = df.withColumn("numbers", coalesce($"numbers", array()))
df2.show
+---+---------+
| id|  numbers|
+---+---------+
|  a|[1, 2, 3]|
|  b|       []|
|  c|[7, 8, 9]|
+---+---------+

当您希望数组元素所在的数据类型无法从 StringType 转换时使用的无 UDF 替代方法如下:

import pyspark.sql.types as T
import pyspark.sql.functions as F

df.withColumn(
    "myCol",
    F.coalesce(
        F.col("myCol"),
        F.from_json(F.lit("[]"), T.ArrayType(T.IntegerType()))
    )
)

您可以将 IntegerType() 替换为任何数据类型,也可以是复杂数据类型。