ws2812_esp32_rmt_driver/driver/esp32_rmt.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
#![cfg_attr(not(target_vendor = "espressif"), allow(dead_code))]
use core::convert::From;
use core::fmt;
use core::time::Duration;
#[cfg(not(target_vendor = "espressif"))]
use core::marker::PhantomData;
#[cfg(not(target_vendor = "espressif"))]
use crate::mock::esp_idf_hal;
use esp_idf_hal::{
gpio::OutputPin,
peripheral::Peripheral,
rmt::{config::TransmitConfig, RmtChannel, TxRmtDriver},
};
#[cfg(target_vendor = "espressif")]
use esp_idf_hal::{
rmt::{PinState, Pulse, Symbol},
units::Hertz,
};
#[cfg(not(target_vendor = "espressif"))]
use crate::mock::esp_idf_sys;
use esp_idf_sys::EspError;
#[cfg(feature = "std")]
use std::error::Error;
/// T0H duration time (0 code, high voltage time)
const WS2812_T0H_NS: Duration = Duration::from_nanos(400);
/// T0L duration time (0 code, low voltage time)
const WS2812_T0L_NS: Duration = Duration::from_nanos(850);
/// T1H duration time (1 code, high voltage time)
const WS2812_T1H_NS: Duration = Duration::from_nanos(800);
/// T1L duration time (1 code, low voltage time)
const WS2812_T1L_NS: Duration = Duration::from_nanos(450);
/// Converter to a sequence of RMT items.
#[repr(C)]
#[cfg(target_vendor = "espressif")]
struct Ws2812Esp32RmtItemEncoder {
/// The RMT item that represents a 0 code.
bit0: Symbol,
/// The RMT item that represents a 1 code.
bit1: Symbol,
}
#[cfg(target_vendor = "espressif")]
impl Ws2812Esp32RmtItemEncoder {
/// Creates a new encoder with the given clock frequency.
///
/// # Arguments
///
/// * `clock_hz` - The clock frequency.
///
/// # Errors
///
/// Returns an error if the clock frequency is invalid or if the RMT item encoder cannot be created.
fn new(clock_hz: Hertz) -> Result<Self, EspError> {
let (bit0, bit1) = (
Symbol::new(
Pulse::new_with_duration(clock_hz, PinState::High, &WS2812_T0H_NS)?,
Pulse::new_with_duration(clock_hz, PinState::Low, &WS2812_T0L_NS)?,
),
Symbol::new(
Pulse::new_with_duration(clock_hz, PinState::High, &WS2812_T1H_NS)?,
Pulse::new_with_duration(clock_hz, PinState::Low, &WS2812_T1L_NS)?,
),
);
Ok(Self { bit0, bit1 })
}
/// Encodes a block of data as a sequence of RMT items.
///
/// # Arguments
///
/// * `src` - The block of data to encode.
///
/// # Returns
///
/// An iterator over the RMT items that represent the encoded data.
#[inline]
fn encode_iter<'a, 'b, T>(&'a self, src: T) -> impl Iterator<Item = Symbol> + Send + 'a
where
'b: 'a,
T: Iterator<Item = u8> + Send + 'b,
{
src.flat_map(move |v| {
(0..(u8::BITS as usize)).map(move |i| {
if v & (1 << (7 - i)) != 0 {
self.bit1
} else {
self.bit0
}
})
})
}
}
/// WS2812 ESP32 RMT Driver error.
#[derive(Debug)]
#[repr(transparent)]
pub struct Ws2812Esp32RmtDriverError {
source: EspError,
}
#[cfg(not(feature = "std"))]
impl Ws2812Esp32RmtDriverError {
/// The `EspError` source of this error, if any.
///
/// This is a workaround function until `core::error::Error` added.
pub fn source(&self) -> Option<&EspError> {
Some(&self.source)
}
}
#[cfg(feature = "std")]
impl Error for Ws2812Esp32RmtDriverError {
fn source(&self) -> Option<&(dyn Error + 'static)> {
Some(&self.source)
}
}
impl fmt::Display for Ws2812Esp32RmtDriverError {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
self.source.fmt(f)
}
}
impl From<EspError> for Ws2812Esp32RmtDriverError {
fn from(source: EspError) -> Self {
Self { source }
}
}
/// WS2812 ESP32 RMT driver wrapper.
///
/// # Examples
///
/// ```
/// #[cfg(not(target_vendor = "espressif"))]
/// use ws2812_esp32_rmt_driver::mock::esp_idf_hal;
///
/// use esp_idf_hal::peripherals::Peripherals;
/// use ws2812_esp32_rmt_driver::driver::Ws2812Esp32RmtDriver;
/// use ws2812_esp32_rmt_driver::driver::color::{LedPixelColor, LedPixelColorGrb24};
///
/// let peripherals = Peripherals::take().unwrap();
/// let led_pin = peripherals.pins.gpio27;
/// let channel = peripherals.rmt.channel0;
/// let mut driver = Ws2812Esp32RmtDriver::new(channel, led_pin).unwrap();
///
/// // Single LED with RED color.
/// let red = LedPixelColorGrb24::new_with_rgb(30, 0, 0);
/// let pixel: [u8; 3] = red.as_ref().try_into().unwrap();
/// assert_eq!(pixel, [0, 30, 0]);
///
/// driver.write_blocking(pixel.clone().into_iter()).unwrap();
/// ```
pub struct Ws2812Esp32RmtDriver<'d> {
/// TxRMT driver.
tx: TxRmtDriver<'d>,
/// `u8`-to-`rmt_item32_t` Encoder
#[cfg(target_vendor = "espressif")]
encoder: Ws2812Esp32RmtItemEncoder,
/// Pixel binary array to be written
///
/// If the target vendor does not equals to "espressif", pixel data is written into this
/// instead of genuine encoder.
#[cfg(not(target_vendor = "espressif"))]
pub pixel_data: Option<Vec<u8>>,
/// Dummy phantom to take care of lifetime for `pixel_data`.
#[cfg(not(target_vendor = "espressif"))]
phantom: PhantomData<&'d Option<Vec<u8>>>,
}
impl<'d> Ws2812Esp32RmtDriver<'d> {
/// Creates a WS2812 ESP32 RMT driver wrapper.
///
/// RMT driver of `channel` shall be initialized and installed for `pin`.
/// `channel` shall be different between different `pin`.
///
/// # Errors
///
/// Returns an error if the RMT driver initialization failed.
pub fn new<C: RmtChannel>(
channel: impl Peripheral<P = C> + 'd,
pin: impl Peripheral<P = impl OutputPin> + 'd,
) -> Result<Self, Ws2812Esp32RmtDriverError> {
#[cfg(target_vendor = "espressif")]
{
let config = TransmitConfig::new().clock_divider(1);
let tx = TxRmtDriver::new(channel, pin, &config)?;
let clock_hz = tx.counter_clock()?;
let encoder = Ws2812Esp32RmtItemEncoder::new(clock_hz)?;
Ok(Self { tx, encoder })
}
#[cfg(not(target_vendor = "espressif"))] // Mock implement
{
let config = TransmitConfig::new();
let tx = TxRmtDriver::new(channel, pin, &config)?;
Ok(Self {
tx,
pixel_data: None,
phantom: Default::default(),
})
}
}
/// Writes pixel data from a pixel-byte sequence to the IO pin.
///
/// Byte count per LED pixel and channel order is not handled by this method.
/// The pixel data sequence has to be correctly laid out depending on the LED strip model.
///
/// # Errors
///
/// Returns an error if an RMT driver error occurred.
///
/// # Warning
///
/// Iteration of `pixel_sequence` happens inside an interrupt handler so beware of side-effects
/// that don't work in interrupt handlers.
/// See [esp_idf_hal::rmt::TxRmtDriver#start_iter_blocking()] for details.
pub fn write_blocking<'a, 'b, T>(
&'a mut self,
pixel_sequence: T,
) -> Result<(), Ws2812Esp32RmtDriverError>
where
'b: 'a,
T: Iterator<Item = u8> + Send + 'b,
{
#[cfg(target_vendor = "espressif")]
{
let signal = self.encoder.encode_iter(pixel_sequence);
self.tx.start_iter_blocking(signal)?;
}
#[cfg(not(target_vendor = "espressif"))]
{
self.pixel_data = Some(pixel_sequence.collect());
}
Ok(())
}
/// Writes pixel data from a pixel-byte sequence to the IO pin.
///
/// Byte count per LED pixel and channel order is not handled by this method.
/// The pixel data sequence has to be correctly laid out depending on the LED strip model.
///
/// Note that this requires `pixel_sequence` to be [`Box`]ed for an allocation free version see [`Self::write_blocking`].
///
/// # Errors
///
/// Returns an error if an RMT driver error occurred.
///
/// # Warning
///
/// Iteration of `pixel_sequence` happens inside an interrupt handler so beware of side-effects
/// that don't work in interrupt handlers.
/// See [esp_idf_hal::rmt::TxRmtDriver#start_iter()] for details.
#[cfg(feature = "alloc")]
pub fn write<'b, T>(
&'static mut self,
pixel_sequence: T,
) -> Result<(), Ws2812Esp32RmtDriverError>
where
T: Iterator<Item = u8> + Send + 'static,
{
#[cfg(target_vendor = "espressif")]
{
let signal = self.encoder.encode_iter(pixel_sequence);
self.tx.start_iter(signal)?;
}
#[cfg(not(target_vendor = "espressif"))]
{
self.pixel_data = Some(pixel_sequence.collect());
}
Ok(())
}
}