Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Spark dataframe not adding columns with null values

I am trying to create a new column by adding two existing columns in my dataframe.

Original dataframe

╔══════╦══════╗
║ cola ║ colb ║
╠══════╬══════╣
║ 1    ║ 1    ║
║ null ║ 3    ║
║ 2    ║ null ║
║ 4    ║ 2    ║
╚══════╩══════╝

Expected output with derived column

╔══════╦══════╦══════╗
║ cola ║ colb ║ colc ║
╠══════╬══════╬══════╣
║ 1    ║ 1    ║    2 ║
║ null ║ 3    ║    3 ║
║ 2    ║ null ║    2 ║
║ 4    ║ 2    ║    6 ║
╚══════╩══════╩══════╝

When I use df = df.withColumn('colc',df.cola+df.colb), it doesn't add columns with null values.

The output I get is:

╔══════╦══════╦══════╗
║ cola ║ colb ║ colc ║
╠══════╬══════╬══════╣
║ 1    ║ 1    ║ 2    ║
║ null ║ 3    ║ null ║
║ 2    ║ null ║ null ║
║ 4    ║ 2    ║ 6    ║
╚══════╩══════╩══════╝

Is there any way to incorporate the null values into the calculation. Any help would be appreciated.

like image 332
Mr.P Avatar asked Jan 01 '23 17:01

Mr.P


1 Answers

You can coalesce to 0 to get a sum. For cases where both columns are null, you can make use of conditional functions.

For your case, the code should look something like

df.selectExpr('*', 'if(isnull(cola) and isnull(colb), null, coalesce(cola, 0) + coalesce(colb, 0)) as colc')
like image 146
Constantine Avatar answered Jan 11 '23 12:01

Constantine