spacepackets/src/ecss.rs

437 lines
12 KiB
Rust
Raw Normal View History

2022-07-31 13:31:14 +02:00
//! Common definitions and helpers required to create PUS TMTC packets according to
//! [ECSS-E-ST-70-41C](https://ecss.nl/standard/ecss-e-st-70-41c-space-engineering-telemetry-and-telecommand-packet-utilization-15-april-2016/)
2023-01-22 18:26:38 +01:00
//!
//! You can find the PUS telecommand definitions in the [crate::tc] module and ithe PUS telemetry definitions
//! inside the [crate::tm] module.
use crate::{ByteConversionError, CcsdsPacket, SizeMissmatch};
2022-12-07 08:14:55 +01:00
use core::fmt::{Debug, Display, Formatter};
2022-06-18 22:48:51 +02:00
use core::mem::size_of;
use crc::{Crc, CRC_16_IBM_3740};
2022-12-04 12:17:36 +01:00
#[cfg(feature = "serde")]
2022-06-18 22:48:51 +02:00
use serde::{Deserialize, Serialize};
2022-12-07 08:14:55 +01:00
#[cfg(feature = "std")]
use std::error::Error;
2022-06-18 22:48:51 +02:00
2022-07-31 02:27:27 +02:00
pub type CrcType = u16;
2022-07-31 13:32:11 +02:00
/// CRC algorithm used by the PUS standard.
2022-06-18 22:48:51 +02:00
pub const CRC_CCITT_FALSE: Crc<u16> = Crc::<u16>::new(&CRC_16_IBM_3740);
pub const CCSDS_HEADER_LEN: usize = size_of::<crate::zc::SpHeader>();
2022-12-19 16:36:18 +01:00
#[derive(Debug, Copy, Clone, Eq, PartialEq)]
#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
pub enum PusServiceId {
2023-01-09 23:59:55 +01:00
/// Service 1
2022-12-19 16:36:18 +01:00
Verification = 1,
2023-01-09 23:59:55 +01:00
/// Service 3
2022-12-19 16:36:18 +01:00
Housekeeping = 3,
2023-01-09 23:59:55 +01:00
/// Service 5
2022-12-19 16:36:18 +01:00
Event = 5,
2023-01-09 23:59:55 +01:00
/// Service 8
2022-12-19 16:36:18 +01:00
Action = 8,
2023-01-09 23:59:55 +01:00
/// Service 17
2022-12-19 17:02:19 +01:00
Test = 17,
2022-12-19 16:36:18 +01:00
}
2022-07-31 13:32:11 +02:00
/// All PUS versions. Only PUS C is supported by this library.
2022-12-04 12:17:36 +01:00
#[derive(PartialEq, Eq, Copy, Clone, Debug)]
#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2022-06-18 22:48:51 +02:00
pub enum PusVersion {
EsaPus = 0,
PusA = 1,
PusC = 2,
2022-07-31 02:27:27 +02:00
Invalid = 0b1111,
}
impl TryFrom<u8> for PusVersion {
type Error = ();
fn try_from(value: u8) -> Result<Self, Self::Error> {
match value {
x if x == PusVersion::EsaPus as u8 => Ok(PusVersion::EsaPus),
x if x == PusVersion::PusA as u8 => Ok(PusVersion::PusA),
x if x == PusVersion::PusC as u8 => Ok(PusVersion::PusC),
_ => Err(()),
}
}
2022-06-18 22:48:51 +02:00
}
2023-01-09 23:59:55 +01:00
/// ECSS Packet Type Codes (PTC)s.
2022-09-13 10:18:21 +02:00
#[derive(Debug, Copy, Clone, PartialEq, Eq)]
2022-12-04 17:11:44 +01:00
#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2022-09-13 10:18:21 +02:00
pub enum PacketTypeCodes {
Boolean = 1,
Enumerated = 2,
UnsignedInt = 3,
SignedInt = 4,
Real = 5,
BitString = 6,
OctetString = 7,
CharString = 8,
AbsoluteTime = 9,
RelativeTime = 10,
Deduced = 11,
Packet = 12,
}
pub type Ptc = PacketTypeCodes;
2023-01-09 23:59:55 +01:00
/// ECSS Packet Field Codes (PFC)s for the unsigned [Ptc].
#[derive(Debug, Copy, Clone, PartialEq, Eq)]
#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
pub enum UnsignedPfc {
OneByte = 4,
TwelveBits = 8,
TwoBytes = 12,
ThreeBytes = 13,
FourBytes = 14,
SixBytes = 15,
EightBytes = 16,
OneBit = 17,
TwoBits = 18,
ThreeBits = 19,
}
2023-01-09 23:59:55 +01:00
/// ECSS Packet Field Codes (PFC)s for the real (floating point) [Ptc].
#[derive(Debug, Copy, Clone, PartialEq, Eq)]
#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
pub enum RealPfc {
/// 4 octets simple precision format (IEEE)
Float = 1,
/// 8 octets simple precision format (IEEE)
Double = 2,
/// 4 octets simple precision format (MIL-STD)
FloatMilStd = 3,
/// 8 octets simple precision format (MIL-STD)
DoubleMilStd = 4,
}
2022-08-16 11:12:47 +02:00
#[derive(Debug, Copy, Clone, PartialEq, Eq)]
2022-12-04 17:11:44 +01:00
#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
2022-06-18 22:48:51 +02:00
pub enum PusError {
VersionNotSupported(PusVersion),
IncorrectCrc(u16),
RawDataTooShort(usize),
NoRawData,
/// CRC16 needs to be calculated first
CrcCalculationMissing,
2022-09-13 09:52:59 +02:00
ByteConversionError(ByteConversionError),
}
2022-12-07 08:14:55 +01:00
impl Display for PusError {
fn fmt(&self, f: &mut Formatter<'_>) -> core::fmt::Result {
match self {
PusError::VersionNotSupported(v) => {
2023-01-26 21:57:45 +01:00
write!(f, "PUS version {v:?} not supported")
2022-12-07 08:14:55 +01:00
}
PusError::IncorrectCrc(crc) => {
2023-01-26 21:57:45 +01:00
write!(f, "crc16 {crc:#04x} is incorrect")
2022-12-07 08:14:55 +01:00
}
PusError::RawDataTooShort(size) => {
write!(
f,
2023-01-26 21:57:45 +01:00
"deserialization error, provided raw data with size {size} too short"
2022-12-07 08:14:55 +01:00
)
}
PusError::NoRawData => {
write!(f, "no raw data provided")
}
PusError::CrcCalculationMissing => {
write!(f, "crc16 was not calculated")
}
PusError::ByteConversionError(e) => {
2023-01-26 21:57:45 +01:00
write!(f, "low level byte conversion error: {e}")
2022-12-07 08:14:55 +01:00
}
}
}
}
#[cfg(feature = "std")]
impl Error for PusError {
fn source(&self) -> Option<&(dyn Error + 'static)> {
if let PusError::ByteConversionError(e) = self {
return Some(e);
}
None
}
}
2022-09-13 09:52:59 +02:00
impl From<ByteConversionError> for PusError {
fn from(e: ByteConversionError) -> Self {
PusError::ByteConversionError(e)
}
2022-06-18 22:48:51 +02:00
}
2023-01-09 23:59:55 +01:00
/// Generic trait to describe common attributes for both PUS Telecommands (TC) and PUS Telemetry
/// (TM) packets. All PUS packets are also a special type of [CcsdsPacket]s.
2022-06-18 22:48:51 +02:00
pub trait PusPacket: CcsdsPacket {
const PUS_VERSION: PusVersion = PusVersion::PusC;
2022-07-31 02:27:27 +02:00
fn pus_version(&self) -> PusVersion;
2022-06-18 22:48:51 +02:00
fn service(&self) -> u8;
fn subservice(&self) -> u8;
fn user_data(&self) -> Option<&[u8]>;
fn crc16(&self) -> Option<u16>;
}
2022-07-31 02:27:27 +02:00
2022-07-31 13:31:14 +02:00
pub(crate) fn crc_from_raw_data(raw_data: &[u8]) -> Result<u16, PusError> {
if raw_data.len() < 2 {
return Err(PusError::RawDataTooShort(raw_data.len()));
2022-07-31 02:27:27 +02:00
}
2022-07-31 13:31:14 +02:00
Ok(u16::from_be_bytes(
raw_data[raw_data.len() - 2..raw_data.len()]
.try_into()
.unwrap(),
))
2022-07-31 02:27:27 +02:00
}
pub(crate) fn calc_pus_crc16(bytes: &[u8]) -> u16 {
let mut digest = CRC_CCITT_FALSE.digest();
digest.update(bytes);
digest.finalize()
}
pub(crate) fn crc_procedure(
calc_on_serialization: bool,
cached_crc16: &Option<u16>,
2022-08-01 01:08:06 +02:00
start_idx: usize,
2022-07-31 02:27:27 +02:00
curr_idx: usize,
slice: &[u8],
) -> Result<u16, PusError> {
let crc16;
if calc_on_serialization {
2022-08-01 01:08:06 +02:00
crc16 = calc_pus_crc16(&slice[start_idx..curr_idx])
2022-07-31 02:27:27 +02:00
} else if cached_crc16.is_none() {
return Err(PusError::CrcCalculationMissing);
} else {
crc16 = cached_crc16.unwrap();
}
Ok(crc16)
}
2022-07-31 13:31:14 +02:00
pub(crate) fn user_data_from_raw(
current_idx: usize,
total_len: usize,
raw_data_len: usize,
slice: &[u8],
) -> Result<Option<&[u8]>, PusError> {
match current_idx {
_ if current_idx == total_len - 2 => Ok(None),
_ if current_idx > total_len - 2 => Err(PusError::RawDataTooShort(raw_data_len)),
_ => Ok(Some(&slice[current_idx..total_len - 2])),
}
}
pub(crate) fn verify_crc16_from_raw(raw_data: &[u8], crc16: u16) -> Result<(), PusError> {
let mut digest = CRC_CCITT_FALSE.digest();
digest.update(raw_data);
if digest.finalize() == 0 {
return Ok(());
}
Err(PusError::IncorrectCrc(crc16))
}
macro_rules! ccsds_impl {
() => {
delegate!(to self.sp_header {
fn ccsds_version(&self) -> u8;
fn packet_id(&self) -> crate::PacketId;
fn psc(&self) -> crate::PacketSequenceCtrl;
fn data_len(&self) -> u16;
});
}
}
2022-07-31 14:24:16 +02:00
macro_rules! sp_header_impls {
() => {
delegate!(to self.sp_header {
pub fn set_apid(&mut self, apid: u16) -> bool;
pub fn set_seq_count(&mut self, seq_count: u16) -> bool;
pub fn set_seq_flags(&mut self, seq_flag: SequenceFlags);
});
}
}
2022-07-31 13:31:14 +02:00
pub(crate) use ccsds_impl;
2022-07-31 14:24:16 +02:00
pub(crate) use sp_header_impls;
2022-10-26 00:22:56 +02:00
/// Generic trait for ECSS enumeration which consist of a PFC field denoting their bit length
2022-09-13 10:18:21 +02:00
/// and an unsigned value. The trait makes no assumptions about the actual type of the unsigned
/// value and only requires implementors to implement a function which writes the enumeration into
/// a raw byte format.
pub trait EcssEnumeration {
2022-09-13 10:18:21 +02:00
/// Packet Format Code, which denotes the number of bits of the enumeration
fn pfc(&self) -> u8;
fn byte_width(&self) -> usize {
(self.pfc() / 8) as usize
}
2022-11-02 00:36:18 +01:00
fn write_to_be_bytes(&self, buf: &mut [u8]) -> Result<(), ByteConversionError>;
}
2022-10-31 00:22:28 +01:00
pub trait EcssEnumerationExt: EcssEnumeration + Debug + Copy + Clone + PartialEq + Eq {}
2022-10-23 18:35:56 +02:00
pub trait ToBeBytes {
type ByteArray: AsRef<[u8]>;
fn to_be_bytes(&self) -> Self::ByteArray;
}
2022-12-08 00:29:07 +01:00
impl ToBeBytes for () {
type ByteArray = [u8; 0];
fn to_be_bytes(&self) -> Self::ByteArray {
[]
}
}
impl ToBeBytes for u8 {
type ByteArray = [u8; 1];
fn to_be_bytes(&self) -> Self::ByteArray {
u8::to_be_bytes(*self)
}
}
impl ToBeBytes for u16 {
type ByteArray = [u8; 2];
fn to_be_bytes(&self) -> Self::ByteArray {
u16::to_be_bytes(*self)
}
}
impl ToBeBytes for u32 {
type ByteArray = [u8; 4];
fn to_be_bytes(&self) -> Self::ByteArray {
u32::to_be_bytes(*self)
}
}
impl ToBeBytes for u64 {
type ByteArray = [u8; 8];
fn to_be_bytes(&self) -> Self::ByteArray {
u64::to_be_bytes(*self)
}
}
2022-10-31 00:23:13 +01:00
#[derive(Debug, Copy, Clone, Eq, PartialEq)]
2022-12-04 17:11:44 +01:00
#[cfg_attr(feature = "serde", derive(Serialize, Deserialize))]
pub struct GenericEcssEnumWrapper<TYPE> {
val: TYPE,
}
impl<TYPE> GenericEcssEnumWrapper<TYPE> {
2022-09-13 10:18:21 +02:00
pub const fn ptc() -> PacketTypeCodes {
PacketTypeCodes::Enumerated
}
pub fn new(val: TYPE) -> Self {
Self { val }
}
}
impl<TYPE: ToBeBytes> EcssEnumeration for GenericEcssEnumWrapper<TYPE> {
fn pfc(&self) -> u8 {
size_of::<TYPE>() as u8 * 8_u8
}
2022-11-02 00:36:18 +01:00
fn write_to_be_bytes(&self, buf: &mut [u8]) -> Result<(), ByteConversionError> {
2022-12-19 00:01:07 +01:00
if buf.len() < self.byte_width() {
return Err(ByteConversionError::ToSliceTooSmall(SizeMissmatch {
found: buf.len(),
2022-12-19 00:01:07 +01:00
expected: self.byte_width(),
}));
}
2022-12-19 00:01:07 +01:00
buf[0..self.byte_width()].copy_from_slice(self.val.to_be_bytes().as_ref());
Ok(())
}
}
2022-10-31 00:23:13 +01:00
impl<TYPE: Debug + Copy + Clone + PartialEq + Eq + ToBeBytes> EcssEnumerationExt
for GenericEcssEnumWrapper<TYPE>
{
}
2022-10-31 00:22:28 +01:00
pub type EcssEnumU8 = GenericEcssEnumWrapper<u8>;
pub type EcssEnumU16 = GenericEcssEnumWrapper<u16>;
pub type EcssEnumU32 = GenericEcssEnumWrapper<u32>;
pub type EcssEnumU64 = GenericEcssEnumWrapper<u64>;
#[cfg(test)]
mod tests {
use crate::ecss::{EcssEnumU16, EcssEnumU32, EcssEnumU8, EcssEnumeration};
use crate::ByteConversionError;
#[test]
fn test_enum_u8() {
let mut buf = [0, 0, 0];
let my_enum = EcssEnumU8::new(1);
my_enum
2022-11-02 00:36:18 +01:00
.write_to_be_bytes(&mut buf[1..2])
.expect("To byte conversion of u8 failed");
assert_eq!(buf[1], 1);
}
#[test]
fn test_enum_u16() {
let mut buf = [0, 0, 0];
let my_enum = EcssEnumU16::new(0x1f2f);
my_enum
2022-11-02 00:36:18 +01:00
.write_to_be_bytes(&mut buf[1..3])
.expect("To byte conversion of u8 failed");
assert_eq!(buf[1], 0x1f);
assert_eq!(buf[2], 0x2f);
}
#[test]
fn test_slice_u16_too_small() {
let mut buf = [0];
let my_enum = EcssEnumU16::new(0x1f2f);
2022-11-02 00:36:18 +01:00
let res = my_enum.write_to_be_bytes(&mut buf[0..1]);
assert!(res.is_err());
let error = res.unwrap_err();
match error {
ByteConversionError::ToSliceTooSmall(missmatch) => {
assert_eq!(missmatch.expected, 2);
assert_eq!(missmatch.found, 1);
}
_ => {
panic!("Unexpected error {:?}", error);
}
}
}
#[test]
fn test_enum_u32() {
let mut buf = [0, 0, 0, 0, 0];
let my_enum = EcssEnumU32::new(0x1f2f3f4f);
my_enum
2022-11-02 00:36:18 +01:00
.write_to_be_bytes(&mut buf[1..5])
.expect("To byte conversion of u8 failed");
assert_eq!(buf[1], 0x1f);
assert_eq!(buf[2], 0x2f);
assert_eq!(buf[3], 0x3f);
assert_eq!(buf[4], 0x4f);
}
#[test]
fn test_slice_u32_too_small() {
let mut buf = [0, 0, 0, 0, 0];
let my_enum = EcssEnumU32::new(0x1f2f3f4f);
2022-11-02 00:36:18 +01:00
let res = my_enum.write_to_be_bytes(&mut buf[0..3]);
assert!(res.is_err());
let error = res.unwrap_err();
match error {
ByteConversionError::ToSliceTooSmall(missmatch) => {
assert_eq!(missmatch.expected, 4);
assert_eq!(missmatch.found, 3);
}
_ => {
panic!("Unexpected error {:?}", error);
}
}
}
}