rp-hal-boards/boards/pico/examples/pico_countdown_blinky.rs

89 lines
2.3 KiB
Rust
Raw Normal View History

2021-09-21 19:47:43 +10:00
//! # Pico Countdown Blinky Example
//!
2021-09-21 19:03:47 +10:00
//! Blinks the LED on a Pico board, using an RP2040 Timer in Count-down mode.
//!
//! This will blink an LED attached to GP25, which is the pin the Pico uses for
//! the on-board LED.
//!
//! See the `Cargo.toml` file for Copyright and licence details.
#![no_std]
#![no_main]
2021-09-21 19:03:47 +10:00
// The macro for our start-up function
use cortex_m_rt::entry;
2021-09-21 19:03:47 +10:00
use cortex_m::prelude::*;
// GPIO traits
use embedded_hal::digital::v2::OutputPin;
2021-09-21 19:03:47 +10:00
// Traits for converting integers to amounts of time
use embedded_time::duration::Extensions;
2021-09-21 19:03:47 +10:00
// Ensure we halt the program on panic (if we don't mention this crate it won't
// be linked)
use panic_halt as _;
2021-09-21 19:03:47 +10:00
// A shorter alias for the Peripheral Access Crate, which provides low-level
// register access
use pico::hal::pac;
// A shorter alias for the Hardware Abstraction Layer, which provides
// higher-level drivers.
use pico::hal;
#[entry]
fn main() -> ! {
2021-09-21 19:03:47 +10:00
// Grab our singleton objects
let mut pac = pac::Peripherals::take().unwrap();
2021-09-21 19:03:47 +10:00
// Set up the watchdog driver - needed by the clock setup code
let mut watchdog = hal::Watchdog::new(pac.WATCHDOG);
2021-09-21 19:03:47 +10:00
// Configure the clocks
//
// The default is to generate a 125 MHz system clock
2021-09-21 19:03:47 +10:00
let _clocks = hal::clocks::init_clocks_and_plls(
pico::XOSC_CRYSTAL_FREQ,
pac.XOSC,
pac.CLOCKS,
pac.PLL_SYS,
pac.PLL_USB,
&mut pac.RESETS,
&mut watchdog,
)
.ok()
.unwrap();
2021-09-21 19:03:47 +10:00
// Configure the Timer peripheral in count-down mode
let timer = hal::Timer::new(pac.TIMER, &mut pac.RESETS);
let mut count_down = timer.count_down();
2021-09-21 19:03:47 +10:00
// The single-cycle I/O block controls our GPIO pins
2021-12-04 15:52:46 +11:00
let sio = hal::Sio::new(pac.SIO);
2021-09-21 19:03:47 +10:00
// Set the pins up according to their function on this particular board
let pins = pico::Pins::new(
pac.IO_BANK0,
pac.PADS_BANK0,
sio.gpio_bank0,
&mut pac.RESETS,
);
2021-09-21 19:03:47 +10:00
let mut led_pin = pins.led.into_push_pull_output();
// Blink the LED at 1 Hz
loop {
2021-09-21 19:03:47 +10:00
// LED on, and wait for 500ms
led_pin.set_high().unwrap();
count_down.start(500.milliseconds());
let _ = nb::block!(count_down.wait());
2021-09-21 19:03:47 +10:00
// LED off, and wait for 500ms
led_pin.set_low().unwrap();
count_down.start(500.milliseconds());
let _ = nb::block!(count_down.wait());
}
}