我有一个带有event_time字段的文件,每条记录每30分钟生成一次,并指示事件持续了多少秒。 示例:
Event_time | event_duration_seconds
09:00 | 800
09:30 | 1800
10:00 | 2700
12:00 | 1000
13:00 | 1000
我需要将持续时间转换为一个连续事件。输出文件应如下所示:
Event_time_start | event_time_end | event_duration_seconds
09:00 | 11:00 | 5300
12:00 | 12:30 | 1000
13:00 | 13:30 | 1000
Scala Spark 中是否存在将数据框记录与下一个记录进行比较的方法?
我尝试了foreach
循环,但这不是一个好选择,因为它要处理的数据量很大
答案 0 :(得分:0)
这不是一个小问题,但这是一个具有以下步骤的解决方案:
event_ts_end
API计算下一个最近的30分钟事件结束时间java.time
lag
用于上一行的事件时间when/otherwise
生成具有event_ts_start
值的列null
last(event_ts_start, ignoreNulls=true)
用最后的null
值向event_ts_start
回填event_ts_start
分组数据以汇总event_duration
和event_ts_end
首先,让我们组装一个样本数据集:
import org.apache.spark.sql.functions._
import org.apache.spark.sql.expressions.Window
import spark.implicits._
val df = Seq(
(101, "2019-04-01 09:00", 800),
(101, "2019-04-01 09:30", 1800),
(101, "2019-04-01 10:00", 2700),
(101, "2019-04-01 12:00", 1000),
(101, "2019-04-01 13:00", 1000),
(220, "2019-04-02 10:00", 1500),
(220, "2019-04-02 10:30", 2400)
).toDF("event_id", "event_time", "event_duration")
请注意,样本数据集已被略微概括为包括多个事件,并使事件时间包括date
信息,以涵盖事件跨越给定日期的情况。
步骤1
:
import java.sql.Timestamp
def get_next_closest(seconds: Int) = udf{ (ts: Timestamp, duration: Int) =>
import java.time.LocalDateTime
import java.time.format.DateTimeFormatter
val iter = Iterator.iterate(ts.toLocalDateTime)(_.plusSeconds(seconds)).
dropWhile(_.isBefore(ts.toLocalDateTime.plusSeconds(duration)))
iter.next.format(DateTimeFormatter.ofPattern("yyyy-MM-dd HH:mm:ss"))
}
步骤2 - 5
:
val winSpec = Window.partitionBy("event_id").orderBy("event_time")
val seconds = 30 * 60
df.
withColumn("event_ts", to_timestamp($"event_time", "yyyy-MM-dd HH:mm")).
withColumn("event_ts_end", get_next_closest(seconds)($"event_ts", $"event_duration")).
withColumn("prev_event_ts", lag($"event_ts", 1).over(winSpec)).
withColumn("event_ts_start", when($"prev_event_ts".isNull ||
unix_timestamp($"event_ts") - unix_timestamp($"prev_event_ts") =!= seconds, $"event_ts"
)).
withColumn("event_ts_start", last($"event_ts_start", ignoreNulls=true).over(winSpec)).
groupBy($"event_id", $"event_ts_start").agg(
sum($"event_duration").as("event_duration"), max($"event_ts_end").as("event_ts_end")
).show
// +--------+-------------------+--------------+-------------------+
// |event_id| event_ts_start|event_duration| event_ts_end|
// +--------+-------------------+--------------+-------------------+
// | 101|2019-04-01 09:00:00| 5300|2019-04-01 11:00:00|
// | 101|2019-04-01 12:00:00| 1000|2019-04-01 12:30:00|
// | 101|2019-04-01 13:00:00| 1000|2019-04-01 13:30:00|
// | 220|2019-04-02 10:00:00| 3900|2019-04-02 11:30:00|
// +--------+-------------------+--------------+-------------------+