In previous iteration, I made the user LED blink using an active delay loop. I have two issues with this implementation:
What the System Tick does is very similar to my active delay loop as can be seen from the following pseudo-code.
while( enabled) { if( --current_value == 0) { current_value = reload_value ; countflag = true ; if( interrupt_enabled) SysTick_Handler() ; } }It’s an auto decremented counter that reloads and sets a flag when reaching zero. It can trigger a system interrupt if requested to. Its default clock is the processor clock and can be switched to external clock. Details can be found in the Programming Manual as this is part of Arm Core.
/* Memory locations defined by linker script */ extern long __StackTop ; /* &__StackTop points after end of stack */ void Reset_Handler( void) ; /* Entry point for execution */ void SysTick_Handler( void) ; /* Interrupt vector table: * 1 Stack Pointer reset value * 15 System Exceptions * NN Device specific Interrupts */ typedef void (*isr_p)( void) ; isr_p const isr_vector[ 16] __attribute__((section(".isr_vector"))) = { (isr_p) &__StackTop, /* System Exceptions */ Reset_Handler, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, SysTick_Handler } ; #define SYSTICK ((volatile long *) 0xE000E010) #define SYSTICK_CSR SYSTICK[ 0] #define SYSTICK_RVR SYSTICK[ 1] #define SYSTICK_CVR SYSTICK[ 2] #define RCC ((volatile long *) 0x40021000) #define RCC_AHBENR RCC[ 5] #define RCC_AHBENR_IOPBEN 0x00040000 /* 18: I/O port B clock enable */ #define GPIOB ((volatile long *) 0x48000400) #define GPIOB_MODER GPIOB[ 0] #define GPIOB_ODR GPIOB[ 5] void Reset_Handler( void) { /* By default SYSCLK == HSI [8MHZ] */ /* SYSTICK */ SYSTICK_RVR = 1000000 - 1 ; /* HBA / 8 */ SYSTICK_CVR = 0 ; SYSTICK_CSR = 3 ; /* HBA / 8, Interrupt ON, Enable */ /* SysTick_Handler will execute every 1s from now on */ /* User LED ON */ RCC_AHBENR |= RCC_AHBENR_IOPBEN ; /* Enable IOPB periph */ GPIOB_MODER |= 1 << (1 * 2) ; /* PB1 Output [01], over default 00 */ /* OTYPER Push-Pull by default */ /* PB1 output default LOW at reset */ for( ;;) __asm( "WFI") ; /* Wait for interrupt */ } void SysTick_Handler( void) { GPIOB_ODR ^= 1 << 1 ; /* Toggle PB1 (User LED) */ }I didn’t initialize the GPIO B before enabling the SysTick as I have a whole second before the first interrupt will tick in.
Build is straightforward.
$ make ledtick.hex ledtick.elf text data bss dec hex filename 148 0 0 148 94 ledtick.elf ledtick.hex rm ledtick.o ledtick.elfIf I compare with blink.hex, 56 bytes of the 80 bytes code increase are due to the expansion of the interrupt vector.
Once flashed in the board I can see that the LED changes state every second.
Code size has been growing steadily since the first bootstrap. On the other hand, except for the stack, I have not used RAM memory so far.
│ │ text │ data │ bss │ ├────────┼──────┼───────┼───────┤ │boot │ 10 │ 0 │ 0 │ │ledon │ 40 │ 0 │ 0 │ │blink │ 68 │ 0 │ 0 │ │ledtick │ 148 │ 0 │ 0 │Next, I will focus on RAM initialization.