Reviewed By: passy Differential Revision: D17863711 fbshipit-source-id: 259dc77826fb803ff1b88c88529d7f679d3b74d8
62 lines
1.4 KiB
TypeScript
62 lines
1.4 KiB
TypeScript
/**
|
|
* Copyright (c) Facebook, Inc. and its affiliates.
|
|
*
|
|
* This source code is licensed under the MIT license found in the
|
|
* LICENSE file in the root directory of this source tree.
|
|
*
|
|
* @format
|
|
*/
|
|
|
|
export default class LowPassFilter {
|
|
constructor(smoothing: number = 0.9) {
|
|
this.smoothing = smoothing;
|
|
this.buffer = [];
|
|
this.bufferMaxSize = 5;
|
|
}
|
|
|
|
bufferMaxSize: number;
|
|
smoothing: number;
|
|
buffer: Array<number>;
|
|
|
|
hasFullBuffer(): boolean {
|
|
return this.buffer.length === this.bufferMaxSize;
|
|
}
|
|
|
|
push(value: number): number {
|
|
let removed: number = 0;
|
|
|
|
if (this.hasFullBuffer()) {
|
|
const tmp: number | undefined = this.buffer.shift();
|
|
|
|
if (tmp === undefined) {
|
|
throw new Error(
|
|
'Invariant violation: Buffer reported full but shift returned nothing.',
|
|
);
|
|
}
|
|
|
|
removed = tmp;
|
|
}
|
|
|
|
this.buffer.push(value);
|
|
|
|
return removed;
|
|
}
|
|
|
|
next(nextValue: number): number {
|
|
// push new value to the end, and remove oldest one
|
|
const removed = this.push(nextValue);
|
|
|
|
// smooth value using all values from buffer
|
|
const result = this.buffer.reduce(this._nextReduce, removed);
|
|
|
|
// replace smoothed value
|
|
this.buffer[this.buffer.length - 1] = result;
|
|
|
|
return result;
|
|
}
|
|
|
|
_nextReduce = (last: number, current: number): number => {
|
|
return this.smoothing * current + (1 - this.smoothing) * last;
|
|
};
|
|
}
|