Registers
This chapter is a technical deep-dive. You can safely skip it for now and come back to it later if you like. That said, there's a lot of good stuff in here, so I'd recommend you dive in.
It's time to explore what calling display_pins.row1.set_high()
does under the hood.
In a nutshell, it just writes to some special memory regions. Go into the 07-registers
directory
and let's run the starter code statement by statement (src/main.rs
).
#![no_main] #![no_std] #[allow(unused_imports)] use registers::entry; #[entry] fn main() -> ! { registers::init(); unsafe { // A magic address! const PORT_P0_OUT: u32 = 0x50000504; // Turn on the top row *(PORT_P0_OUT as *mut u32) |= 1 << 21; // Turn on the bottom row *(PORT_P0_OUT as *mut u32) |= 1 << 19; // Turn off the top row *(PORT_P0_OUT as *mut u32) &= !(1 << 21); // Turn off the bottom row *(PORT_P0_OUT as *mut u32) &= !(1 << 19); } loop {} }
What's this magic?
The address 0x50000504
points to a register. A register is a special region of memory that
controls a peripheral. A peripheral is a piece of electronics that sits right next to the
processor within the microcontroller package and provides the processor with extra functionality.
After all, the processor, on its own, can only do math and logic.
This particular register controls General Purpose Input/Output (GPIO) pins (GPIO is a peripheral) and can be used to drive each of those pins low or high. On the nRF52833, these pins are organized in
An aside: LEDs, digital outputs and voltage levels
Drive? Pin? Low? High?
A pin is a electrical contact. Our microcontroller has several of them and some of them are connected to Light Emitting Diodes (LEDs). An LED will emit light when voltage is applied to it. As the name implies, an LED also acts as a "diode". A diode will only let electricity flow in one direction. Hook an LED up "forwards" and light comes out. Hook it up "backwards" and nothing happens.
Luckily for us, the microcontroller's pins are connected such that we can drive the LEDs the right way round. All that we have to do is apply enough voltage across the pins to turn the LED on. The pins attached to the LEDs are normally configured as digital outputs and can output two different voltage levels: "low", 0 Volts, or "high", 3 Volts. A "high" (voltage) level will turn the LED on whereas a "low" (voltage) level will turn it off.
These "low" and "high" states map directly to the concept of digital logic. "low" is 0
or false
and "high" is 1
or true
. This is why this pin configuration is known as digital output.
OK. But how can one find out what this register does? Time to RTRM (Read the Reference Manual)!