例如,我有一个像这样的数据集
test = spark.createDataFrame([
(0, 1, 5, "2018-06-03", "Region A"),
(1, 1, 2, "2018-06-04", "Region B"),
(2, 2, 1, "2018-06-03", "Region B"),
(3, 3, 1, "2018-06-01", "Region A"),
(3, 1, 3, "2018-06-05", "Region A"),
])\
.toDF("orderid", "customerid", "price", "transactiondate", "location")
test.show()
我可以通过
获得客户区域订单计数矩阵overall_stat = test.groupBy("customerid").agg(count("orderid"))\
.withColumnRenamed("count(orderid)", "overall_count")
temp_result = test.groupBy("customerid").pivot("location").agg(count("orderid")).na.fill(0).join(overall_stat, ["customerid"])
for field in temp_result.schema.fields:
if str(field.name) not in ['customerid', "overall_count", "overall_amount"]:
name = str(field.name)
temp_result = temp_result.withColumn(name, col(name)/col("overall_count"))
temp_result.show()
数据看起来像这样
现在,我想通过overall_count
计算加权平均值,该怎么做?
对于A区,结果应为(0.66*3+1*1)/4
,对于B区,结果应为(0.33*3+1*1)/4
我的想法:
当然可以通过将数据转换为python / pandas然后进行一些计算来实现,但是在什么情况下我们应该使用Pyspark?
我可以得到
temp_result.agg(sum(col("Region A") * col("overall_count")), sum(col("Region B")*col("overall_count"))).show()
但是感觉不对,特别是如果要计算许多region
时。
答案 0 :(得分:0)
您可以通过将上述步骤分为多个阶段来获得加权平均值。
请考虑以下内容:
Dataframe Name: sales_table
[ total_sales, count_of_orders, location]
[ 50 , 9 , A ]
[ 80 , 4 , A ]
[ 90 , 7 , A ]
要计算上述(70)的分组加权平均值,可以分为两个步骤:
sales
乘以importance
sales_x_count
产品sales_x_count
除以原始金额之和如果我们在PySpark代码中将以上内容分为几个阶段,则可以获得以下信息:
new_sales = sales_table \
.withColumn("sales_x_count", col("total_sales") * col("count_orders")) \
.groupBy("Location") \
.agg(sf.sum("total_sales").alias("sum_total_sales"), \
sf.sum("sales_x_count").alias("sum_sales_x_count")) \
.withColumn("count_weighted_average", col("sum_sales_x_count") / col("sum_total_sales"))
所以...这里不需要花哨的UDF(并且可能会使您慢下来)。