我正在
的Dataproc集群上运行PySpark(2.3)数据接近130万行,共有4列,即:
Date,unique_id (Alphanumeric) , category(10 distinct values) and Prediction (0 or 1)
P.S-这是时间序列数据
我们正在使用Facebook的先知模型进行预测建模,由于Prophet仅接受Pandas数据框作为输入,因此我在以下工作中将Spark数据框转换为Pandas数据框。
def prediction_func(spark_df):
import pandas as pd
# Lines of code to convert spark df to pandas df
# Calling prophet model with the converted pandas df
return pandas_df
predictions = spark_df.groupby('category').apply(prediction_func)
整个过程在dataproc上花费大约1.5个小时。
我确信在应用prediction_func
之前,有更好的分组和分区方法。
任何建议将不胜感激。
答案 0 :(得分:0)
由于您的代码不依赖于分组变量,因此应完全删除groupBy
并使用scalar UDF代替分组图。
这样,您就不需要洗牌,并且可以利用数据局部性和可用资源。
您必须重新定义函数以获取所有必需的列并返回pandas.Series
:
def prediction_func(*cols: pandas.Series) -> pandas.Series:
... # Combine cols into a single pandas.DataFrame and apply the model
return ... # Convert result to pandas.Series and return
用法示例:
from pyspark.sql.functions import PandasUDFType, pandas_udf, rand
import pandas as pd
import numpy as np
df = spark.range(100).select(rand(1), rand(2), rand(3)).toDF("x", "y", "z")
@pandas_udf("double", PandasUDFType.SCALAR)
def dummy_prediction_function(x, y, z):
pdf = pd.DataFrame({"x": x, "y": y, "z": z})
pdf["prediction"] = 1.0
return pdf["prediction"]
df.withColumn("prediction", dummy_prediction_function("x", "y", "z")).show(3)
+-------------------+-------------------+--------------------+----------+
| x| y| z|prediction|
+-------------------+-------------------+--------------------+----------+
|0.13385709732307427| 0.2630967864682161| 0.11641995793557336| 1.0|
| 0.5897562959687032|0.19795734254405561| 0.605595773295928| 1.0|
|0.01540012100242305|0.25419718814653214|0.006007018601722036| 1.0|
+-------------------+-------------------+--------------------+----------+
only showing top 3 rows