我的输入是一个跟踪器软件在屏幕上移动的点的2d (x,y)时间序列。它有一些我想用卡尔曼滤波器去除的噪声。有没有人能告诉我卡尔曼二维滤波器的python代码?在scipy cookbook中,我只找到了一个1d示例:http://www.scipy.org/Cookbook/KalmanFiltering我看到在OpenCV中有卡尔曼滤波器的实现,但找不到代码示例。谢谢!
发布于 2012-12-16 17:58:49
这是我基于equations given on wikipedia实现的卡尔曼滤波器。请注意,我对卡尔曼滤波器的理解是非常初级的,所以有最可能的方法来改进这段代码。(例如,它受到here讨论的数值不稳定性问题的影响。据我所知,只有当运动噪声Q
非常小时,这才会影响数值稳定性。在现实生活中,噪声通常不小,所以幸运的是(至少对我的实现而言)在实践中没有表现出数值不稳定性。)
在下面的示例中,kalman_xy
假设状态向量是一个4元组:2个数字表示位置,2个数字表示速度。已经专门为该状态向量定义了F
和H
矩阵:如果x
是一个4元组状态,那么
new_x = F * x
position = H * x
然后调用kalman
,这是广义卡尔曼滤波器。它在某种意义上是通用的,如果您希望定义不同的状态向量--可能是表示位置、速度和加速度的6元组--它仍然很有用。您只需通过提供适当的F
和H
来定义运动方程。
import numpy as np
import matplotlib.pyplot as plt
def kalman_xy(x, P, measurement, R,
motion = np.matrix('0. 0. 0. 0.').T,
Q = np.matrix(np.eye(4))):
"""
Parameters:
x: initial state 4-tuple of location and velocity: (x0, x1, x0_dot, x1_dot)
P: initial uncertainty convariance matrix
measurement: observed position
R: measurement noise
motion: external motion added to state vector x
Q: motion noise (same shape as P)
"""
return kalman(x, P, measurement, R, motion, Q,
F = np.matrix('''
1. 0. 1. 0.;
0. 1. 0. 1.;
0. 0. 1. 0.;
0. 0. 0. 1.
'''),
H = np.matrix('''
1. 0. 0. 0.;
0. 1. 0. 0.'''))
def kalman(x, P, measurement, R, motion, Q, F, H):
'''
Parameters:
x: initial state
P: initial uncertainty convariance matrix
measurement: observed position (same shape as H*x)
R: measurement noise (same shape as H)
motion: external motion added to state vector x
Q: motion noise (same shape as P)
F: next state function: x_prime = F*x
H: measurement function: position = H*x
Return: the updated and predicted new values for (x, P)
See also http://en.wikipedia.org/wiki/Kalman_filter
This version of kalman can be applied to many different situations by
appropriately defining F and H
'''
# UPDATE x, P based on measurement m
# distance between measured and current position-belief
y = np.matrix(measurement).T - H * x
S = H * P * H.T + R # residual convariance
K = P * H.T * S.I # Kalman gain
x = x + K*y
I = np.matrix(np.eye(F.shape[0])) # identity matrix
P = (I - K*H)*P
# PREDICT x, P based on motion
x = F*x + motion
P = F*P*F.T + Q
return x, P
def demo_kalman_xy():
x = np.matrix('0. 0. 0. 0.').T
P = np.matrix(np.eye(4))*1000 # initial uncertainty
N = 20
true_x = np.linspace(0.0, 10.0, N)
true_y = true_x**2
observed_x = true_x + 0.05*np.random.random(N)*true_x
observed_y = true_y + 0.05*np.random.random(N)*true_y
plt.plot(observed_x, observed_y, 'ro')
result = []
R = 0.01**2
for meas in zip(observed_x, observed_y):
x, P = kalman_xy(x, P, meas, R)
result.append((x[:2]).tolist())
kalman_x, kalman_y = zip(*result)
plt.plot(kalman_x, kalman_y, 'g-')
plt.show()
demo_kalman_xy()
红点表示噪声位置测量,绿线表示卡尔曼预测位置。
发布于 2020-08-25 08:33:25
对于我的一个项目,我需要为时间序列建模创建时间间隔,并且为了使过程更高效,我创建了tsmoothie:一个python库,用于以矢量化的方式对时间序列进行平滑和异常值检测。
它提供了不同的平滑算法以及计算间隔的可能性。
在KalmanSmoother
的情况下,您可以对曲线进行平滑操作,将不同的组成部分放在一起:水平、趋势、季节性、长期季节性
import numpy as np
import matplotlib.pyplot as plt
from tsmoothie.smoother import *
from tsmoothie.utils_func import sim_randomwalk
# generate 3 randomwalks timeseries of lenght 100
np.random.seed(123)
data = sim_randomwalk(n_series=3, timesteps=100,
process_noise=10, measure_noise=30)
# operate smoothing
smoother = KalmanSmoother(component='level_trend',
component_noise={'level':0.1, 'trend':0.1})
smoother.smooth(data)
# generate intervals
low, up = smoother.get_intervals('kalman_interval', confidence=0.05)
# plot the first smoothed timeseries with intervals
plt.figure(figsize=(11,6))
plt.plot(smoother.smooth_data[0], linewidth=3, color='blue')
plt.plot(smoother.data[0], '.k')
plt.fill_between(range(len(smoother.data[0])), low[0], up[0], alpha=0.3)
我还指出,tsmoothie可以以向量化的方式执行多个时间序列的平滑。
https://stackoverflow.com/questions/13901997
复制