Spark:有条件地将列添加到数据框

Spark: Add column to dataframe conditionally

我正在尝试获取我的输入数据:

A    B       C
--------------
4    blah    2
2            3
56   foo     3

并根据B是否为空在末尾加一列:

A    B       C     D
--------------------
4    blah    2     1
2            3     0
56   foo     3     1

我可以通过将输入数据框注册为临时 table,然后输入 SQL 查询来轻松完成此操作。

但我真的很想知道如何只使用 Scala 方法来做到这一点,而不必在 Scala 中输入 SQL 查询。

我试过 .withColumn,但我无法按照我的意愿进行操作。

这样的事情怎么样?

val newDF = df.filter($"B" === "").take(1) match {
  case Array() => df
  case _ => df.withColumn("D", $"B" === "")
}

使用take(1)应该有最小的命中率

糟糕,我漏掉了问题的一部分。

最好、最干净的方法是使用 UDF。 代码中的解释。

// create some example data...BY DataFrame
// note, third record has an empty string
case class Stuff(a:String,b:Int)
val d= sc.parallelize(Seq( ("a",1),("b",2),
     ("",3) ,("d",4)).map { x => Stuff(x._1,x._2)  }).toDF

// now the good stuff.
import org.apache.spark.sql.functions.udf
// function that returns 0 is string empty 
val func = udf( (s:String) => if(s.isEmpty) 0 else 1 )
// create new dataframe with added column named "notempty"
val r = d.select( $"a", $"b", func($"a").as("notempty") )

    scala> r.show
+---+---+--------+
|  a|  b|notempty|
+---+---+--------+
|  a|  1|    1111|
|  b|  2|    1111|
|   |  3|       0|
|  d|  4|    1111|
+---+---+--------+

使用函数 when 尝试 withColumn,如下所示:

val sqlContext = new SQLContext(sc)
import sqlContext.implicits._ // for `toDF` and $""
import org.apache.spark.sql.functions._ // for `when`

val df = sc.parallelize(Seq((4, "blah", 2), (2, "", 3), (56, "foo", 3), (100, null, 5)))
    .toDF("A", "B", "C")

val newDf = df.withColumn("D", when($"B".isNull or $"B" === "", 0).otherwise(1))

newDf.show() 显示

+---+----+---+---+
|  A|   B|  C|  D|
+---+----+---+---+
|  4|blah|  2|  1|
|  2|    |  3|  0|
| 56| foo|  3|  1|
|100|null|  5|  0|
+---+----+---+---+

我添加了 (100, null, 5) 行来测试 isNull 案例。

我用 Spark 1.6.0 尝试了这段代码,但正如 when 的代码中所评论的那样,它适用于 1.4.0.

之后的版本