cu29_runtime/cutask.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336
//! This module contains all the main definition of the traits you need to implement
//! or interact with to create a Copper task.
use crate::config::ComponentConfig;
use bincode::de::Decoder;
use bincode::de::{BorrowDecoder, Decode};
use bincode::enc::Encode;
use bincode::enc::Encoder;
use bincode::error::{DecodeError, EncodeError};
use bincode::BorrowDecode;
use compact_str::{CompactString, ToCompactString};
use cu29_clock::{PartialCuTimeRange, RobotClock, Tov};
use cu29_traits::CuResult;
use serde_derive::{Deserialize, Serialize};
use std::fmt;
use std::fmt::{Debug, Display, Formatter};
// Everything that is stateful in copper for zero copy constraints need to be restricted to this trait.
pub trait CuMsgPayload: Default + Debug + Clone + Encode + Decode + Sized {}
pub trait CuMsgPack<'cl> {}
// Also anything that follows this contract can be a payload (blanket implementation)
impl<T: Default + Debug + Clone + Encode + Decode + Sized> CuMsgPayload for T {}
macro_rules! impl_cu_msg_pack {
($(($($ty:ident),*)),*) => {
$(
impl<'cl, $($ty: CuMsgPayload + 'cl),*> CuMsgPack<'cl> for ( $( &'cl CuMsg<$ty>, )* ) {}
)*
};
}
impl<'cl, T: CuMsgPayload> CuMsgPack<'cl> for (&'cl CuMsg<T>,) {}
impl<'cl, T: CuMsgPayload> CuMsgPack<'cl> for &'cl CuMsg<T> {}
impl<'cl, T: CuMsgPayload> CuMsgPack<'cl> for (&'cl mut CuMsg<T>,) {}
impl<'cl, T: CuMsgPayload> CuMsgPack<'cl> for &'cl mut CuMsg<T> {}
impl CuMsgPack<'_> for () {}
// Apply the macro to generate implementations for tuple sizes up to 5
impl_cu_msg_pack! {
(T1, T2), (T1, T2, T3), (T1, T2, T3, T4), (T1, T2, T3, T4, T5) // TODO: continue if necessary
}
// A convience macro to get from a payload or a list of payloads to a proper CuMsg or CuMsgPack
// declaration for your tasks used for input messages.
#[macro_export]
macro_rules! input_msg {
($lifetime:lifetime, $ty:ty) => {
&$lifetime CuMsg<$ty>
};
($lifetime:lifetime, $($ty:ty),*) => {
(
$( &$lifetime CuMsg<$ty>, )*
)
};
}
// A convience macro to get from a payload to a proper CuMsg used as output.
#[macro_export]
macro_rules! output_msg {
($lifetime:lifetime, $ty:ty) => {
&$lifetime mut CuMsg<$ty>
};
}
// MAX_SIZE from their repr module is not accessible so we need to copy paste their definition for 24
// which is the maximum size for inline allocation (no heap)
const COMPACT_STRING_CAPACITY: usize = size_of::<String>();
#[derive(Debug, Clone, Default, Serialize, Deserialize, PartialEq, Eq)]
pub struct CuCompactString(pub CompactString);
impl Encode for CuCompactString {
fn encode<E: Encoder>(&self, encoder: &mut E) -> Result<(), EncodeError> {
let bytes = self.0.as_bytes();
bytes.encode(encoder)
}
}
impl Decode for CuCompactString {
fn decode<D: Decoder>(decoder: &mut D) -> Result<Self, DecodeError> {
let bytes = <Vec<u8> as Decode>::decode(decoder)?; // Decode into a byte buffer
let compact_string =
CompactString::from_utf8(bytes).map_err(|e| DecodeError::Utf8 { inner: e })?;
Ok(CuCompactString(compact_string))
}
}
impl<'de> BorrowDecode<'de> for CuCompactString {
fn borrow_decode<D: BorrowDecoder<'de>>(decoder: &mut D) -> Result<Self, DecodeError> {
CuCompactString::decode(decoder)
}
}
/// CuMsgMetadata is a structure that contains metadata common to all CuMsgs.
#[derive(Debug, Clone, bincode::Encode, bincode::Decode, Serialize, Deserialize)]
pub struct CuMsgMetadata {
/// The time range used for the processing of this message
pub process_time: PartialCuTimeRange,
/// The time of validity of the message.
/// It can be undefined (None), one measure point or a range of measures (TimeRange).
pub tov: Tov,
/// A small string for real time feedback purposes.
/// This is usefull for to display on the field when the tasks are operating correctly.
pub status_txt: CuCompactString,
}
impl CuMsgMetadata {
pub fn set_status(&mut self, status: impl ToCompactString) {
self.status_txt = CuCompactString(status.to_compact_string());
}
}
impl Display for CuMsgMetadata {
fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
write!(
f,
"process_time start: {}, process_time end: {}",
self.process_time.start, self.process_time.end
)
}
}
/// CuMsg is the envelope holding the msg payload and the metadata between tasks.
#[derive(Default, Debug, Clone, bincode::Encode, bincode::Decode)]
pub struct CuMsg<T>
where
T: CuMsgPayload,
{
/// This payload is the actual data exchanged between tasks.
payload: Option<T>,
/// This metadata is the data that is common to all messages.
pub metadata: CuMsgMetadata,
}
impl Default for CuMsgMetadata {
fn default() -> Self {
CuMsgMetadata {
process_time: PartialCuTimeRange::default(),
tov: Tov::default(),
status_txt: CuCompactString(CompactString::with_capacity(COMPACT_STRING_CAPACITY)),
}
}
}
impl<T> CuMsg<T>
where
T: CuMsgPayload,
{
pub fn new(payload: Option<T>) -> Self {
CuMsg {
payload,
metadata: CuMsgMetadata::default(),
}
}
pub fn payload(&self) -> Option<&T> {
self.payload.as_ref()
}
pub fn set_payload(&mut self, payload: T) {
self.payload = Some(payload);
}
pub fn clear_payload(&mut self) {
self.payload = None;
}
pub fn payload_mut(&mut self) -> &mut Option<T> {
&mut self.payload
}
}
/// The internal state of a task needs to be serializable
/// so the framework can take a snapshop of the task graph.
pub trait Freezable {
/// This method is called by the framework when it wants to save the task state.
/// The default implementation is to encode nothing (stateless).
/// If you have a state, you need to implement this method.
fn freeze<E: Encoder>(&self, encoder: &mut E) -> Result<(), EncodeError> {
Encode::encode(&(), encoder) // default is stateless
}
/// This method is called by the framework when it wants to restore the task to a specific state.
/// Here it is similar to Decode but the framework will give you a new instance of the task (the new method will be called)
#[allow(unused_variables)]
fn thaw<D: Decoder>(&mut self, decoder: &mut D) -> Result<(), DecodeError> {
Ok(())
}
}
/// A Src Task is a task that only produces messages. For example drivers for sensors are Src Tasks.
/// They are in push mode from the runtime.
/// To set the frequency of the pulls and align them to any hw, see the runtime configuration.
/// Note: A source has the priviledge to have a clock passed to it vs a frozen clock.
pub trait CuSrcTask<'cl>: Freezable {
type Output: CuMsgPack<'cl>;
/// Here you need to initialize everything your task will need for the duration of its lifetime.
/// The config allows you to access the configuration of the task.
fn new(_config: Option<&ComponentConfig>) -> CuResult<Self>
where
Self: Sized;
/// Start is called between the creation of the task and the first call to pre/process.
fn start(&mut self, _clock: &RobotClock) -> CuResult<()> {
Ok(())
}
/// This is a method called by the runtime before "process". This is a kind of best effort,
/// as soon as possible call to give a chance for the task to do some work before to prepare
/// to make "process" as short as possible.
fn preprocess(&mut self, _clock: &RobotClock) -> CuResult<()> {
Ok(())
}
/// Process is the most critical execution of the task.
/// The goal will be to produce the output message as soon as possible.
/// Use preprocess to prepare the task to make this method as short as possible.
fn process(&mut self, clock: &RobotClock, new_msg: Self::Output) -> CuResult<()>;
/// This is a method called by the runtime after "process". It is best effort a chance for
/// the task to update some state after process is out of the way.
/// It can be use for example to maintain statistics etc. that are not time-critical for the robot.
fn postprocess(&mut self, _clock: &RobotClock) -> CuResult<()> {
Ok(())
}
/// Called to stop the task. It signals that the *process method won't be called until start is called again.
fn stop(&mut self, _clock: &RobotClock) -> CuResult<()> {
Ok(())
}
}
/// This is the most generic Task of copper. It is a "transform" task deriving an output from an input.
pub trait CuTask<'cl>: Freezable {
type Input: CuMsgPack<'cl>;
type Output: CuMsgPack<'cl>;
/// Here you need to initialize everything your task will need for the duration of its lifetime.
/// The config allows you to access the configuration of the task.
fn new(_config: Option<&ComponentConfig>) -> CuResult<Self>
where
Self: Sized;
/// Start is called between the creation of the task and the first call to pre/process.
fn start(&mut self, _clock: &RobotClock) -> CuResult<()> {
Ok(())
}
/// This is a method called by the runtime before "process". This is a kind of best effort,
/// as soon as possible call to give a chance for the task to do some work before to prepare
/// to make "process" as short as possible.
fn preprocess(&mut self, _clock: &RobotClock) -> CuResult<()> {
Ok(())
}
/// Process is the most critical execution of the task.
/// The goal will be to produce the output message as soon as possible.
/// Use preprocess to prepare the task to make this method as short as possible.
fn process(
&mut self,
_clock: &RobotClock,
input: Self::Input,
output: Self::Output,
) -> CuResult<()>;
/// This is a method called by the runtime after "process". It is best effort a chance for
/// the task to update some state after process is out of the way.
/// It can be use for example to maintain statistics etc. that are not time-critical for the robot.
fn postprocess(&mut self, _clock: &RobotClock) -> CuResult<()> {
Ok(())
}
/// Called to stop the task. It signals that the *process method won't be called until start is called again.
fn stop(&mut self, _clock: &RobotClock) -> CuResult<()> {
Ok(())
}
}
/// A Sink Task is a task that only consumes messages. For example drivers for actuators are Sink Tasks.
pub trait CuSinkTask<'cl>: Freezable {
type Input: CuMsgPack<'cl>;
/// Here you need to initialize everything your task will need for the duration of its lifetime.
/// The config allows you to access the configuration of the task.
fn new(_config: Option<&ComponentConfig>) -> CuResult<Self>
where
Self: Sized;
/// Start is called between the creation of the task and the first call to pre/process.
fn start(&mut self, _clock: &RobotClock) -> CuResult<()> {
Ok(())
}
/// This is a method called by the runtime before "process". This is a kind of best effort,
/// as soon as possible call to give a chance for the task to do some work before to prepare
/// to make "process" as short as possible.
fn preprocess(&mut self, _clock: &RobotClock) -> CuResult<()> {
Ok(())
}
/// Process is the most critical execution of the task.
/// The goal will be to produce the output message as soon as possible.
/// Use preprocess to prepare the task to make this method as short as possible.
fn process(&mut self, _clock: &RobotClock, input: Self::Input) -> CuResult<()>;
/// This is a method called by the runtime after "process". It is best effort a chance for
/// the task to update some state after process is out of the way.
/// It can be use for example to maintain statistics etc. that are not time-critical for the robot.
fn postprocess(&mut self, _clock: &RobotClock) -> CuResult<()> {
Ok(())
}
/// Called to stop the task. It signals that the *process method won't be called until start is called again.
fn stop(&mut self, _clock: &RobotClock) -> CuResult<()> {
Ok(())
}
}
#[cfg(test)]
mod tests {
use super::*;
use bincode::{config, decode_from_slice, encode_to_vec};
#[test]
fn test_cucompactstr_encode_decode() {
let cstr = CuCompactString(CompactString::from("hello"));
let config = config::standard();
let encoded = encode_to_vec(&cstr, config).expect("Encoding failed");
let (decoded, _): (CuCompactString, usize) =
decode_from_slice(&encoded, config).expect("Decoding failed");
assert_eq!(cstr.0, decoded.0);
}
}