kernel/hil/
radio.rs

1// Licensed under the Apache License, Version 2.0 or the MIT License.
2// SPDX-License-Identifier: Apache-2.0 OR MIT
3// Copyright Tock Contributors 2022.
4
5//! Interface for sending and receiving IEEE 802.15.4 packets.
6//!
7//! Hardware independent interface for an 802.15.4 radio. Note that
8//! configuration commands are asynchronous and must be committed with a call to
9//! config_commit. For example, calling set_address will change the source
10//! address of packets but does not change the address stored in hardware used
11//! for address recognition. This must be committed to hardware with a call to
12//! config_commit. Please see the relevant TRD for more details.
13
14use crate::ErrorCode;
15
16/// Client trait for when sending a packet is finished.
17pub trait TxClient {
18    /// Send is complete or an error occurred during transmission.
19    ///
20    /// ## Arguments
21    ///
22    /// - `buf`: Buffer of the transmitted packet.
23    /// - `acked`: Set to true if the sender received an acknowledgement after
24    ///   transmitting. Note, this is only set on a confirmed ACK; if the
25    ///   transmission did not request an ACK this will be set to false.
26    /// - `result`: Status of the transmission. `Ok(())` when the packet was
27    ///   sent successfully. On `Err()`, valid errors are:
28    ///   - `ErrorCode::BUSY`: The channel was never clear and we could not
29    ///     transmit.
30    ///   - `ErrorCode::FAIL`: Internal TX error occurred.
31    fn send_done(&self, buf: &'static mut [u8], acked: bool, result: Result<(), ErrorCode>);
32}
33
34/// Client for receiving packets.
35pub trait RxClient {
36    /// Packet was received.
37    ///
38    /// ## Arguments
39    ///
40    /// - `buf`: Buffer containing the packet. This is the buffer provided via
41    ///   `RadioData::set_receive_buffer()`. The structure of this buffer is the
42    ///   same as in the TX case, as described in this HIL. That is, the first
43    ///   byte is reserved, and the full 802.15.4 starts with the PHR in the
44    ///   second byte.
45    /// - `frame_len`: Length of the received frame, excluding the MAC footer.
46    ///   In other words, this length is PHR-MFR_SIZE. Note, this length does
47    ///   _not_ correspond to the length of data from the start of the buffer.
48    ///   This length is from the third byte in the buffer (i.e.,
49    ///   `buf[2:2+frame_length]`).
50    /// - `lqi`: The Link Quality Indicator as measured by the receiver during
51    ///   the packet reception. This is on the scale as specified in the IEEE
52    ///   802.15.4 specification (section 6.9.8), with value 0 being the lowest
53    ///   detectable signal and value 0xff as the highest quality detectable
54    ///   signal.
55    /// - `crc_valid`: Whether the CRC check matched the received frame. Note,
56    ///   the MFR bytes are not required to be stored in `buf` so using this
57    ///   argument is the only reliable method for checking the CRC.
58    /// - `result`: Status of the reception. `Ok(())` when the packet was
59    ///   received normally. On `Err()`, valid errors are:
60    ///   - `ErrorCode::NOMEM`: Ack was requested, but there was no buffer
61    ///     available to transmit an ACK.
62    ///   - `ErrorCode::FAIL`: Internal error occurred.
63    fn receive(
64        &self,
65        buf: &'static mut [u8],
66        frame_len: usize,
67        lqi: u8,
68        crc_valid: bool,
69        result: Result<(), ErrorCode>,
70    );
71}
72
73/// Client for callbacks after the radio is configured.
74pub trait ConfigClient {
75    /// Configuring the radio has finished.
76    ///
77    /// ## Arguments
78    ///
79    /// - `result`: Status of the configuration procedure. `Ok(())` if all
80    ///   options were set as expected. On `Err()`, valid errors are:
81    ///   - `ErrorCode::FAIL`: Internal error occurred.
82    fn config_done(&self, result: Result<(), ErrorCode>);
83}
84
85/// Client for callbacks when the radio's power state changes.
86pub trait PowerClient {
87    /// The power state of the radio changed. This is called when the radio has
88    /// turned on or off.
89    ///
90    /// ## Arguments
91    ///
92    /// - `on`: True if the radio is now on. False otherwise.
93    fn changed(&self, on: bool);
94}
95
96// These constants are used for interacting with the SPI buffer, which contains
97// a 1-byte SPI command, a 1-byte PHY header, and then the 802.15.4 frame. In
98// theory, the number of extra bytes in front of the frame can depend on the
99// particular method used to communicate with the radio, but we leave this as a
100// constant in this generic trait for now.
101//
102// Furthermore, the minimum MHR size assumes that
103//
104// - The source PAN ID is omitted
105// - There is no auxiliary security header
106// - There are no IEs
107//
108// ```text
109// +---------+-----+--------+-------------+-----+-----+
110// | SPI com | PHR | MHR    | MAC payload | MFR | LQI |
111// +---------+-----+--------+-------------+-----+-----+
112// \______ Static buffer for implementation __________/
113//                 \_________ PSDU _____________/
114// \___ 2 bytes ___/                            \1byte/
115// ```
116
117/// Length of the physical layer header. This is the Frame length field.
118pub const PHR_SIZE: usize = 1;
119/// Length of the Frame Control field in the MAC header.
120pub const MHR_FC_SIZE: usize = 2;
121/// Length of the MAC footer. Contains the CRC.
122pub const MFR_SIZE: usize = 2;
123/// Maximum length of a MAC frame.
124pub const MAX_MTU: usize = 127;
125/// Minimum length of the MAC frame (except for acknowledgements). This is
126/// explained in Table 21 of the specification.
127pub const MIN_FRAME_SIZE: usize = 9;
128/// Maximum length of a MAC frame.
129pub const MAX_FRAME_SIZE: usize = MAX_MTU;
130
131/// Location in the buffer of the physical layer header. This is the location of
132/// the Frame length byte.
133pub const PHR_OFFSET: usize = 1;
134/// Location in the buffer of the PSDU. This is equivalent to the start of the
135/// MAC payload.
136pub const PSDU_OFFSET: usize = 2;
137/// Length of the reserved space in the buffer for a SPI command.
138pub const SPI_HEADER_SIZE: usize = 1;
139/// Length of the reserved space in the buffer for LQI information.
140pub const LQI_SIZE: usize = 1;
141/// Required buffer size for implementations of this HIL.
142pub const MAX_BUF_SIZE: usize = SPI_HEADER_SIZE + PHR_SIZE + MAX_MTU + LQI_SIZE;
143
144/// General Radio trait that supports configuration and TX/RX.
145pub trait Radio<'a>: RadioConfig<'a> + RadioData<'a> {}
146// Provide blanket implementations for trait group
147impl<'a, T: RadioConfig<'a> + RadioData<'a>> Radio<'a> for T {}
148
149/// Configure the 802.15.4 radio.
150pub trait RadioConfig<'a> {
151    /// Initialize the radio.
152    ///
153    /// This should perform any needed initialization, but should not turn the
154    /// radio on.
155    ///
156    /// ## Return
157    ///
158    /// `Ok(())` on success. On `Err()`, valid errors are:
159    ///
160    /// - `ErrorCode::FAIL`: Internal error occurred.
161    fn initialize(&self) -> Result<(), ErrorCode>;
162
163    /// Reset the radio.
164    ///
165    /// Perform a radio reset which may reset the internal state of the radio.
166    ///
167    /// ## Return
168    ///
169    /// `Ok(())` on success. On `Err()`, valid errors are:
170    ///
171    /// - `ErrorCode::FAIL`: Internal error occurred.
172    fn reset(&self) -> Result<(), ErrorCode>;
173
174    /// Start the radio.
175    ///
176    /// This should put the radio into receive mode.
177    ///
178    /// ## Return
179    ///
180    /// `Ok(())` on success. On `Err()`, valid errors are:
181    ///
182    /// - `ErrorCode::FAIL`: Internal error occurred.
183    fn start(&self) -> Result<(), ErrorCode>;
184
185    /// Stop the radio.
186    ///
187    /// This should turn the radio off, disabling receive mode, and put the
188    /// radio into a low power state.
189    ///
190    /// ## Return
191    ///
192    /// `Ok(())` on success. On `Err()`, valid errors are:
193    ///
194    /// - `ErrorCode::FAIL`: Internal error occurred.
195    fn stop(&self) -> Result<(), ErrorCode>;
196
197    /// Check if the radio is currently on.
198    ///
199    /// ## Return
200    ///
201    /// True if the radio is on, false otherwise.
202    fn is_on(&self) -> bool;
203
204    /// Check if the radio is currently busy transmitting or receiving a packet.
205    ///
206    /// If this returns `true`, the radio is unable to start another operation.
207    ///
208    /// ## Return
209    ///
210    /// True if the radio is busy, false otherwise.
211    fn busy(&self) -> bool;
212
213    /// Set the client that is called when the radio changes power states.
214    fn set_power_client(&self, client: &'a dyn PowerClient);
215
216    /// Commit the configuration calls to the radio.
217    ///
218    /// This will set the address, PAN ID, TX power, and channel to the
219    /// specified values within the radio hardware. When this finishes, this
220    /// will issue a callback to the config client when done.
221    fn config_commit(&self);
222
223    /// Set the client that is called when configuration finishes.
224    fn set_config_client(&self, client: &'a dyn ConfigClient);
225
226    /// Get the 802.15.4 short (16-bit) address for the radio.
227    ///
228    /// ## Return
229    ///
230    /// The radio's short address.
231    fn get_address(&self) -> u16;
232
233    /// Get the 802.15.4 extended (64-bit) address for the radio.
234    ///
235    /// ## Return
236    ///
237    /// The radio's extended address.
238    fn get_address_long(&self) -> [u8; 8];
239
240    /// Get the 802.15.4 16-bit PAN ID for the radio.
241    ///
242    /// ## Return
243    ///
244    /// The radio's PAN ID.
245    fn get_pan(&self) -> u16;
246
247    /// Get the radio's transmit power.
248    ///
249    /// ## Return
250    ///
251    /// The transmit power setting used by the radio, in dBm.
252    fn get_tx_power(&self) -> i8;
253
254    /// Get the 802.15.4 channel the radio is currently using.
255    ///
256    /// ## Return
257    ///
258    /// The channel number.
259    fn get_channel(&self) -> u8;
260
261    /// Set the 802.15.4 short (16-bit) address for the radio.
262    ///
263    /// Note, calling this function configures the software driver, but does not
264    /// take effect in the radio hardware. Call `RadioConfig::config_commit()`
265    /// to set the configuration settings in the radio hardware.
266    ///
267    /// ## Argument
268    ///
269    /// - `addr`: The short address.
270    fn set_address(&self, addr: u16);
271
272    /// Set the 802.15.4 extended (64-bit) address for the radio.
273    ///
274    /// Note, calling this function configures the software driver, but does not
275    /// take effect in the radio hardware. Call `RadioConfig::config_commit()`
276    /// to set the configuration settings in the radio hardware.
277    ///
278    /// ## Argument
279    ///
280    /// - `addr`: The extended address.
281    fn set_address_long(&self, addr: [u8; 8]);
282
283    /// Set the 802.15.4 PAN ID (16-bit) for the radio.
284    ///
285    /// Note, calling this function configures the software driver, but does not
286    /// take effect in the radio hardware. Call `RadioConfig::config_commit()`
287    /// to set the configuration settings in the radio hardware.
288    ///
289    /// ## Argument
290    ///
291    /// - `id`: The PAN ID.
292    fn set_pan(&self, id: u16);
293
294    /// Set the radio's transmit power.
295    ///
296    /// Note, calling this function configures the software driver, but does not
297    /// take effect in the radio hardware. Call `RadioConfig::config_commit()`
298    /// to set the configuration settings in the radio hardware.
299    ///
300    /// ## Argument
301    ///
302    /// - `power`: The transmit power in dBm.
303    ///
304    /// ## Return
305    ///
306    /// `Ok(())` on success. On `Err()`, valid errors are:
307    ///
308    /// - `ErrorCode::INVAL`: The transmit power is above acceptable limits.
309    /// - `ErrorCode::NOSUPPORT`: The transmit power is not supported by the
310    ///   radio.
311    /// - `ErrorCode::FAIL`: Internal error occurred.
312    fn set_tx_power(&self, power: i8) -> Result<(), ErrorCode>;
313
314    /// Set the 802.15.4 channel for the radio.
315    ///
316    /// Note, calling this function configures the software driver, but does not
317    /// take effect in the radio hardware. Call `RadioConfig::config_commit()`
318    /// to set the configuration settings in the radio hardware.
319    ///
320    /// ## Argument
321    ///
322    /// - `chan`: The 802.15.4 channel.
323    fn set_channel(&self, chan: RadioChannel);
324}
325
326/// Send and receive packets with the 802.15.4 radio.
327pub trait RadioData<'a> {
328    /// Set the client that will be called when packets are transmitted.
329    fn set_transmit_client(&self, client: &'a dyn TxClient);
330
331    /// Set the client that will be called when packets are received.
332    fn set_receive_client(&self, client: &'a dyn RxClient);
333
334    /// Set the buffer to receive packets into.
335    ///
336    /// ## Argument
337    ///
338    /// - `receive_buffer`: The buffer to receive into. Must be at least
339    ///   `MAX_BUF_SIZE` bytes long.
340    fn set_receive_buffer(&self, receive_buffer: &'static mut [u8]);
341
342    /// Transmit a packet.
343    ///
344    /// The radio will create and insert the PHR (Frame length) field.
345    ///
346    /// ## Argument
347    ///
348    /// - `buf`: Buffer with the MAC layer 802.15.4 frame to be transmitted.
349    ///   The buffer must conform to the buffer formatted documented in the HIL.
350    ///   That is, the MAC payload (PSDU) must start at the third byte.
351    ///   The first byte must be reserved for the radio driver (i.e.
352    ///   for a SPI transaction) and the second byte is reserved for the PHR.
353    ///   The buffer must be at least `frame_len` + 2 + MFR_SIZE` bytes long.
354    /// - `frame_len`: The length of the MAC payload, not including the MFR.
355    ///
356    /// ## Return
357    ///
358    /// `Ok(())` on success. On `Err()`, valid errors are:
359    ///
360    /// - `ErrorCode::OFF`: The radio is off and cannot transmit.
361    /// - `ErrorCode::BUSY`: The radio is busy. This is likely to occur because
362    ///   the radio is already transmitting a packet.
363    /// - `ErrorCode::SIZE`: The buffer does not have room for the MFR (CRC).
364    /// - `ErrorCode::FAIL`: Internal error occurred.
365    fn transmit(
366        &self,
367        buf: &'static mut [u8],
368        frame_len: usize,
369    ) -> Result<(), (ErrorCode, &'static mut [u8])>;
370}
371
372/// IEEE 802.15.4 valid channels.
373#[derive(PartialEq, Debug, Copy, Clone)]
374pub enum RadioChannel {
375    Channel11 = 5,
376    Channel12 = 10,
377    Channel13 = 15,
378    Channel14 = 20,
379    Channel15 = 25,
380    Channel16 = 30,
381    Channel17 = 35,
382    Channel18 = 40,
383    Channel19 = 45,
384    Channel20 = 50,
385    Channel21 = 55,
386    Channel22 = 60,
387    Channel23 = 65,
388    Channel24 = 70,
389    Channel25 = 75,
390    Channel26 = 80,
391}
392
393impl RadioChannel {
394    /// Get the IEEE 802.15.4 channel number for the `RadioChannel`.
395    ///
396    /// ## Return
397    ///
398    /// A 1 byte number corresponding to the channel number.
399    pub fn get_channel_number(&self) -> u8 {
400        match *self {
401            RadioChannel::Channel11 => 11,
402            RadioChannel::Channel12 => 12,
403            RadioChannel::Channel13 => 13,
404            RadioChannel::Channel14 => 14,
405            RadioChannel::Channel15 => 15,
406            RadioChannel::Channel16 => 16,
407            RadioChannel::Channel17 => 17,
408            RadioChannel::Channel18 => 18,
409            RadioChannel::Channel19 => 19,
410            RadioChannel::Channel20 => 20,
411            RadioChannel::Channel21 => 21,
412            RadioChannel::Channel22 => 22,
413            RadioChannel::Channel23 => 23,
414            RadioChannel::Channel24 => 24,
415            RadioChannel::Channel25 => 25,
416            RadioChannel::Channel26 => 26,
417        }
418    }
419}
420
421impl TryFrom<u8> for RadioChannel {
422    type Error = ();
423    /// Try to convert a 1 byte channel number to a `RadioChannel`
424    ///
425    /// ## Argument
426    ///
427    /// - `val`: The channel number to convert.
428    ///
429    /// ## Return
430    ///
431    /// Returns `Ok(RadioChannel)` if `val` is a valid IEEE 802.15.4 2.4 GHz
432    /// channel number. Otherwise, returns `Err(())`.
433    fn try_from(val: u8) -> Result<RadioChannel, ()> {
434        match val {
435            11 => Ok(RadioChannel::Channel11),
436            12 => Ok(RadioChannel::Channel12),
437            13 => Ok(RadioChannel::Channel13),
438            14 => Ok(RadioChannel::Channel14),
439            15 => Ok(RadioChannel::Channel15),
440            16 => Ok(RadioChannel::Channel16),
441            17 => Ok(RadioChannel::Channel17),
442            18 => Ok(RadioChannel::Channel18),
443            19 => Ok(RadioChannel::Channel19),
444            20 => Ok(RadioChannel::Channel20),
445            21 => Ok(RadioChannel::Channel21),
446            22 => Ok(RadioChannel::Channel22),
447            23 => Ok(RadioChannel::Channel23),
448            24 => Ok(RadioChannel::Channel24),
449            25 => Ok(RadioChannel::Channel25),
450            26 => Ok(RadioChannel::Channel26),
451            _ => Err(()),
452        }
453    }
454}