Filter: add SlewCalculator2D

This commit is contained in:
Randy Mackay 2023-06-02 13:23:33 +09:00 committed by Andrew Tridgell
parent f91cda7b6e
commit 07ecbd18ec
2 changed files with 73 additions and 0 deletions

View File

@ -0,0 +1,43 @@
/*
This program is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program. If not, see <http://www.gnu.org/licenses/>.
*/
/*
The SlewCalculator2D filter calculates a slew rate useful for detecting
oscillations in a 2-axis PID controller.
*/
#include "SlewCalculator2D.h"
SlewCalculator2D::SlewCalculator2D() :
xlimiter(slew_rate_max, slew_rate_tau),
ylimiter(slew_rate_max, slew_rate_tau)
{
}
// apply filter to sample and calculate slewrate
void SlewCalculator2D::update(const Vector2f& sample, float dt)
{
if (!is_positive(dt)) {
return;
}
// call x and y slew rate limiter
xlimiter.modifier(sample.x, dt);
ylimiter.modifier(sample.y, dt);
}
// get last oscillation slew rate
float SlewCalculator2D::get_slew_rate() const
{
return safe_sqrt(sq(xlimiter.get_slew_rate()) + sq(xlimiter.get_slew_rate()));
}

View File

@ -0,0 +1,30 @@
#pragma once
/* slew rate limiting filter. This is used to prevent oscillation of a
* controller by modifying the controllers output based on a maximum
* slew rate
*/
#include <AP_Math/AP_Math.h>
#include <stdint.h>
#include "SlewLimiter.h"
class SlewCalculator2D {
public:
SlewCalculator2D();
CLASS_NO_COPY(SlewCalculator2D);
// apply filter to sample and calculate slewrate
void update(const Vector2f& sample, float dt);
// get last oscillation slew rate
float get_slew_rate() const;
private:
SlewLimiter xlimiter; // X-axis 1D slew rate limiter
SlewLimiter ylimiter; // Y-axis 1D slew rate limiter
float slew_rate_max = 0; // slew rate max (always zero)
float slew_rate_tau = 1.0; // slew rate tau (always 1.0)
};