LED roulette
Alright, let's start by building the following application:
I'm going to give you a high level API to implement this app but don't worry we'll do low level stuff later on. The main goal of this chapter is to get familiar with the flashing and debugging process.
Throughout this text we'll be using the starter code that's in the discovery repository. Make sure you always have the latest version of the master branch because this website tracks that branch.
The starter code is in the src
directory of that repository. Inside that directory there are more
directories named after each chapter of this book. Most of those directories are starter Cargo
projects.
Now, jump into the src/05-led-roulette
directory. Check the src/main.rs
file:
#![deny(unsafe_code)] #![no_main] #![no_std] use aux5::entry; #[entry] fn main() -> ! { let _y; let x = 42; _y = x; // infinite loop; just so we don't leave this stack frame loop {} }
Microcontroller programs are different from standard programs in two aspects: #![no_std]
and
#![no_main]
.
The no_std
attribute says that this program won't use the std
crate, which assumes an underlying
OS; the program will instead use the core
crate, a subset of std
that can run on bare metal
systems (i.e., systems without OS abstractions like files and sockets).
The no_main
attribute says that this program won't use the standard main
interface, which is
tailored for command line applications that receive arguments. Instead of the standard main
we'll
use the entry
attribute from the cortex-m-rt
crate to define a custom entry point. In this
program we have named the entry point "main", but any other name could have been used. The entry
point function must have the signature fn() -> !
; this type indicates that the function can't
return – this means that the program never terminates.
If you are a careful observer, you'll also notice there is a .cargo
directory in the Cargo project
as well. This directory contains a Cargo configuration file (.cargo/config
) that tweaks the
linking process to tailor the memory layout of the program to the requirements of the target device.
This modified linking process is a requirement of the cortex-m-rt
crate. You'll also be making
further tweaks to .cargo/config
in future sections to make building and debugging easier.
Alright, let's start by building this program.