1#![cfg_attr(not(feature = "std"), no_std)]
2
3#[cfg(not(feature = "std"))]
4extern crate alloc;
5
6use bincode::de::Decoder;
7use bincode::enc::Encoder;
8use bincode::error::{DecodeError, EncodeError};
9use bincode::{Decode, Encode};
10use core::marker::PhantomData;
11use cu29::prelude::*;
12use cu29::reflect::{Reflect, ReflectTypePath};
13use serde::{Deserialize, Serialize};
14
15#[cfg(not(feature = "std"))]
16use alloc::format;
17
18#[derive(Debug, Default, Clone, Encode, Decode, Serialize, Deserialize, Reflect)]
20pub struct PIDControlOutputPayload {
21 pub p: f32,
23 pub i: f32,
25 pub d: f32,
27 pub output: f32,
29}
30
31#[derive(Reflect)]
33pub struct PIDController {
34 kp: f32,
36 ki: f32,
37 kd: f32,
38 setpoint: f32,
39 p_limit: f32,
40 i_limit: f32,
41 d_limit: f32,
42 output_limit: f32,
43 sampling: CuDuration,
44 integral: f32,
46 last_error: f32,
47 elapsed: CuDuration,
48 last_output: PIDControlOutputPayload,
49}
50
51impl PIDController {
52 #[allow(clippy::too_many_arguments)]
53 pub fn new(
54 kp: f32,
55 ki: f32,
56 kd: f32,
57 setpoint: f32,
58 p_limit: f32,
59 i_limit: f32,
60 d_limit: f32,
61 output_limit: f32,
62 sampling: CuDuration, ) -> Self {
64 PIDController {
65 kp,
66 ki,
67 kd,
68 setpoint,
69 integral: 0.0,
70 last_error: 0.0,
71 p_limit,
72 i_limit,
73 d_limit,
74 output_limit,
75 elapsed: CuDuration::default(),
76 sampling,
77 last_output: PIDControlOutputPayload::default(),
78 }
79 }
80
81 pub fn reset(&mut self) {
82 self.integral = 0.0f32;
83 self.last_error = 0.0f32;
84 }
85
86 pub fn reset_integral(&mut self) {
87 self.integral = 0.0f32;
88 }
89
90 pub fn init_measurement(&mut self, measurement: f32) {
91 self.last_error = self.setpoint - measurement;
92 self.elapsed = self.sampling; }
94
95 pub fn next_control_output(
96 &mut self,
97 measurement: f32,
98 dt: CuDuration,
99 ) -> PIDControlOutputPayload {
100 self.elapsed += dt;
101
102 if self.elapsed < self.sampling {
103 return self.last_output.clone();
105 }
106
107 let error = self.setpoint - measurement;
108 let CuDuration(elapsed) = self.elapsed;
109 let dt = elapsed as f32 / 1_000_000f32; if dt == 0.0 {
111 return self.last_output.clone();
112 }
113
114 let p_unbounded = self.kp * error;
116 let p = p_unbounded.clamp(-self.p_limit, self.p_limit);
117
118 self.integral += error * dt;
120 let i_unbounded = self.ki * self.integral;
121 let i = i_unbounded.clamp(-self.i_limit, self.i_limit);
122
123 let derivative = (error - self.last_error) / dt;
125 let d_unbounded = self.kd * derivative;
126 let d = d_unbounded.clamp(-self.d_limit, self.d_limit);
127
128 self.last_error = error;
130
131 let output_unbounded = p + i + d;
133 let output = output_unbounded.clamp(-self.output_limit, self.output_limit);
134
135 let output = PIDControlOutputPayload { p, i, d, output };
136
137 self.last_output = output.clone();
138 self.elapsed = CuDuration::default();
139 output
140 }
141}
142
143#[derive(Reflect)]
145pub struct GenericPIDTask<I>
146where
147 f32: for<'a> From<&'a I>,
148{
149 #[reflect(ignore)]
150 _marker: PhantomData<fn() -> I>,
151 pid: PIDController,
152 first_run: bool,
153 last_tov: CuTime,
154 setpoint: f32,
155 cutoff: f32,
156}
157
158impl<I> CuTask for GenericPIDTask<I>
159where
160 f32: for<'a> From<&'a I>,
161 I: CuMsgPayload + ReflectTypePath + 'static,
162{
163 type Resources<'r> = ();
164 type Input<'m> = input_msg!(I);
165 type Output<'m> = output_msg!(PIDControlOutputPayload);
166
167 fn new(config: Option<&ComponentConfig>, _resources: Self::Resources<'_>) -> CuResult<Self>
168 where
169 Self: Sized,
170 {
171 match config {
172 Some(config) => {
173 debug!("PIDTask config loaded");
174 let setpoint: f32 = config
175 .get::<f64>("setpoint")?
176 .ok_or("'setpoint' not found in config")?
177 as f32;
178
179 let cutoff: f32 = config.get::<f64>("cutoff")?.ok_or(
180 "'cutoff' not found in config, please set an operating +/- limit on the input.",
181 )? as f32;
182
183 let kp = match config.get::<f64>("kp")? {
185 Some(kp) => Ok(kp as f32),
186 None => Err(CuError::from(
187 "'kp' not found in the config. We need at least 'kp' to make the PID algorithm work.",
188 )),
189 }?;
190
191 let p_limit = getcfg(config, "pl", 2.0f32)?;
192 let ki = getcfg(config, "ki", 0.0f32)?;
193 let i_limit = getcfg(config, "il", 1.0f32)?;
194 let kd = getcfg(config, "kd", 0.0f32)?;
195 let d_limit = getcfg(config, "dl", 2.0f32)?;
196 let output_limit = getcfg(config, "ol", 1.0f32)?;
197
198 let sampling = if let Some(value) = config.get::<u32>("sampling_ms")? {
199 CuDuration::from(value as u64 * 1_000_000u64)
200 } else {
201 CuDuration::default()
202 };
203
204 let pid: PIDController = PIDController::new(
205 kp,
206 ki,
207 kd,
208 setpoint,
209 p_limit,
210 i_limit,
211 d_limit,
212 output_limit,
213 sampling,
214 );
215
216 Ok(Self {
217 _marker: PhantomData,
218 pid,
219 first_run: true,
220 last_tov: CuTime::default(),
221 setpoint,
222 cutoff,
223 })
224 }
225 None => Err(CuError::from("PIDTask needs a config.")),
226 }
227 }
228
229 fn process(
230 &mut self,
231 _ctx: &CuContext,
232 input: &Self::Input<'_>,
233 output: &mut Self::Output<'_>,
234 ) -> CuResult<()> {
235 output.tov = input.tov;
236 match input.payload() {
237 Some(payload) => {
238 let tov = match input.tov {
239 Tov::Time(single) => single,
240 _ => return Err("Unexpected variant for a TOV of PID".into()),
241 };
242
243 let measure: f32 = payload.into();
244
245 if self.first_run {
246 self.first_run = false;
247 self.last_tov = tov;
248 self.pid.init_measurement(measure);
249 output.clear_payload();
250 return Ok(());
251 }
252 let dt = tov - self.last_tov;
253 self.last_tov = tov;
254
255 let state = self.pid.next_control_output(measure, dt);
257 let upper_limit = self.setpoint + self.cutoff;
259 let lower_limit = self.setpoint - self.cutoff;
260 if measure > upper_limit {
261 return Err(format!("{} > {} (cutoff)", measure, upper_limit).into());
262 }
263 if measure < lower_limit {
264 return Err(format!("{} < {} (cutoff)", measure, lower_limit).into());
265 }
266 output.metadata.set_status(format!(
267 "{:>5.2} {:>5.2} {:>5.2} {:>5.2}",
268 &state.output, &state.p, &state.i, &state.d
269 ));
270 output.set_payload(state);
271 }
272 None => output.clear_payload(),
273 };
274 Ok(())
275 }
276
277 fn stop(&mut self, _ctx: &CuContext) -> CuResult<()> {
278 self.pid.reset();
279 self.first_run = true;
280 Ok(())
281 }
282}
283
284impl<I> Freezable for GenericPIDTask<I>
286where
287 f32: for<'a> From<&'a I>,
288{
289 fn freeze<E: Encoder>(&self, encoder: &mut E) -> Result<(), EncodeError> {
290 Encode::encode(&self.pid.integral, encoder)?;
291 Encode::encode(&self.pid.last_error, encoder)?;
292 Encode::encode(&self.pid.elapsed, encoder)?;
293 Encode::encode(&self.pid.last_output, encoder)?;
294 Ok(())
295 }
296
297 fn thaw<D: Decoder>(&mut self, decoder: &mut D) -> Result<(), DecodeError> {
298 self.pid.integral = Decode::decode(decoder)?;
299 self.pid.last_error = Decode::decode(decoder)?;
300 self.pid.elapsed = Decode::decode(decoder)?;
301 self.pid.last_output = Decode::decode(decoder)?;
302 Ok(())
303 }
304}
305
306fn getcfg(config: &ComponentConfig, key: &str, default: f32) -> Result<f32, ConfigError> {
308 Ok(config
309 .get::<f64>(key)?
310 .map(|value| value as f32)
311 .unwrap_or(default))
312}