我正在尝试基于时间序列数据的滑动窗口提取特征。
在Scala中,似乎有sliding
函数基于this post和the documentation
import org.apache.spark.mllib.rdd.RDDFunctions._
sc.parallelize(1 to 100, 10)
.sliding(3)
.map(curSlice => (curSlice.sum / curSlice.size))
.collect()
我的问题是PySpark中有类似的功能吗?或者,如果没有这样的功能,我们如何实现类似的滑动窗口转换?
答案 0 :(得分:11)
据我所知,sliding
函数无法从Python获得,SlidingRDD
是私有类,无法在MLlib
之外访问。
如果你在现有的RDD上使用sliding
,你可以像这样创建穷人sliding
:
def sliding(rdd, n):
assert n > 0
def gen_window(xi, n):
x, i = xi
return [(i - offset, (i, x)) for offset in xrange(n)]
return (
rdd.
zipWithIndex(). # Add index
flatMap(lambda xi: gen_window(xi, n)). # Generate pairs with offset
groupByKey(). # Group to create windows
# Sort values to ensure order inside window and drop indices
mapValues(lambda vals: [x for (i, x) in sorted(vals)]).
sortByKey(). # Sort to makes sure we keep original order
values(). # Get values
filter(lambda x: len(x) == n)) # Drop beginning and end
或者你也可以尝试这样的事情(只需toolz
的小帮助)
from toolz.itertoolz import sliding_window, concat
def sliding2(rdd, n):
assert n > 1
def get_last_el(i, iter):
"""Return last n - 1 elements from the partition"""
return [(i, [x for x in iter][(-n + 1):])]
def slide(i, iter):
"""Prepend previous items and return sliding window"""
return sliding_window(n, concat([last_items.value[i - 1], iter]))
def clean_last_items(last_items):
"""Adjust for empty or to small partitions"""
clean = {-1: [None] * (n - 1)}
for i in range(rdd.getNumPartitions()):
clean[i] = (clean[i - 1] + list(last_items[i]))[(-n + 1):]
return {k: tuple(v) for k, v in clean.items()}
last_items = sc.broadcast(clean_last_items(
rdd.mapPartitionsWithIndex(get_last_el).collectAsMap()))
return rdd.mapPartitionsWithIndex(slide)
答案 1 :(得分:2)
要添加 venuktan 的答案,以下是如何使用Spark SQL创建基于时间的滑动窗口并保留窗口的全部内容,而不是采用聚合它。在我将时间序列数据预处理到滑动窗口以输入Spark ML的用例中需要这样做。
这种方法的一个限制是我们假设你想随着时间推移滑动窗口。
首先,您可以创建Spark DataFrame,例如通过读取CSV文件:
df = spark.read.csv('foo.csv')
我们假设您的CSV文件有两列:其中一列是unix时间戳,另一列是要从中提取滑动窗口的列。
from pyspark.sql import functions as f
window_duration = '1000 millisecond'
slide_duration = '500 millisecond'
df.withColumn("_c0", f.from_unixtime(f.col("_c0"))) \
.groupBy(f.window("_c0", window_duration, slide_duration)) \
.agg(f.collect_list(f.array('_c1'))) \
.withColumnRenamed('collect_list(array(_c1))', 'sliding_window')
额外奖励:将此数组列转换为Spark ML see the UDF approach here所需的DenseVector格式。
额外奖励:取消嵌套生成的列,以便滑动窗口的每个元素都有自己的列try this approach here。
我希望这会有所帮助,如果我能澄清任何事情,请告诉我。
答案 2 :(得分:0)
spark 1.4具有窗口功能,如下所述: https://databricks.com/blog/2015/07/15/introducing-window-functions-in-spark-sql.html
希望有所帮助,请告诉我。