help_me
help_me

Reputation: 71

Convert column of binary string to int in spark dataframe python

So I have a dataframe with one column like this:

+----------+
|some_colum|
+----------+
|        10|
|        00|
|        00|
|        10|
|        10|
|        00|
|        10|
|        00|
|        00|
|        10|
+----------+

where the column some_colum are binary strings.

I want to convert this column to decimal.

I've tried doing

data = data.withColumn("some_colum", int(col("some_colum"), 2))

But this doesn't seem to work. as I get the error:

int() can't convert non-string with explicit base

I think cast() might be able to do the job but I'm unable to figure it out. Any ideas?

Upvotes: 2

Views: 5466

Answers (2)

Samir More
Samir More

Reputation: 5

def to_decimal(input_column, base_value):
    return int(input_column, base_value)  

to_decimal_udf = udf(to_decimal, IntegerType())
df = df.withColumn("decimal_value_binary",\
to_decimal_udf(col("binary_sensor_data"),\
lit(2)))

df.show()

Upvotes: 0

Damião Martins
Damião Martins

Reputation: 1849

I think the int cannot be applied directly to a column. You can use in a udf:

from org.apache.spark.sql import functions
binary_to_int = functions.udf(lambda x: int(x, 2), IntegerType())
data = data.withColumn("some_colum", binary_to_int("some_colum").alias('some_column_int'))

Upvotes: 2

Related Questions