Enable interrupts and sleep

Comment

Enable interrupts and sleep

For low power applications it is essential to use the sleep modes of the processor to achieve the lowest power consumption. Most code will be triggered by interrupts that wake up the processor. It is therefore critical that the processor can enter the sleep mode in a safe way that ensures no interrupt effects are lost. An example will serve to clarify.

Imagine that we need to process some data every time an interrupt arrives. We can code the following:

brush: c
volatile int process_data = 0;

void interrupt() {
  // Clear interrupt
  ...
  // Signal main loop
  process_data = 1;
}

int main() {
  while (1) {
     if (process_data) {
       process_data = 0;

       // Do something with the data
       ...
     }
     sleep(); // Translated to a single instruction
  }
}

The problem with the code above is that in some cases the signal from the interrupt service routine (isr) can be lost by the main loop. Imagine that a new interrupt is received while the data is being processed. The code will enter sleep and will only come from sleep on the next interrupt. It might then be too late to save a life.

We could think that the above can be solved by checking the variable process_data before entering sleep mode.

brush: c
int main() {
  while (1) {
     if (process_data) {
       process_data = 0;

       // Do something with the data
       ...
     }
     else {
       // Now we only sleep immediately after checking process_data is not set
       sleep();
     }
  }
}

The problem is still there but minimized. Now it will be a much harder bug to find. The window where the interrupt is received and the processor goes to sleep is a handful of instructions. I'm sure this would not pass a safety review.

Another problem in all the above implementations is the the shared globsal variable is manipulated in two contexts that can be threaded. Hence atomocity is not guaranteed. We can improve by disabling interrupts:

brush: c
int main() {
  while (1) {
     disableInterrupts()
     if (process_data) {
       process_data = 0;
       enableInterrupts();

       // Do something with the data
       ...
     }
     else {
       // process_data is checked/modified with interrupts disabled
       enableInterrupts();
       sleep();
     }
  }
}

This code still sufers from the same condition but now is just limited to consecutive instructions: the instruction to enable interrupts and the instruction to enter the sleep mode. Unfortunately, this is still not 100% safe.

The correct way to solve this is to add a mechanism in the processor to execute this two in an atomic way. This can be either an instruction that does both, or a mechanism to ensure two instructions are executed atomically (as in the Atmel AVR microcontroller family link).

Once this is in place, we can finally get safe code:

brush: c
int main() {
  while (1) {
     disableInterrupts()
     if (process_data) {
       process_data = 0;
       enableInterrupts();

       // Do something with the data
       ...
     }
     else {
       // Now we only sleep immediately after checking process_data
       enableInterruptsAndSleep();
     }
  }
}

Some reader might have frowned at the use of the process_data and might prefer a version where no variable is written from more than one thread. This can be achieved as follows:

brush: c
volatile int interrupts_received = 0;
volatile int interrupts_processed = 0;

void interrupt() {
  // Clear interrupt
  ...
  // Signal main loop
  interrupts_received++;
}
int main() {
  while (1) {
     disableInterrupts()
     if (interrupts_received != interrupts_processed) {
       interrupts_processed++;
       enableInterrupts();

       // Do something with the data
       ...
     }
     else {
       // Now we only sleep immediately after the check
       enableInterruptsAndSleep();
     }
  }
}

The code above still requires the atomic sleep and interrupt enable. Otherwise it is possible that the interrupts_received variable is updated betwen the two.

Hence, all lower processors will need a mechanism to sleep and enable interrupts in an atomic way.

Side note: the discussion above is only valid for single processor systems. In a multiprocessor system disabling interrupts will not guarantee that the access to the control variables is atomic. This will be the topic for a post some other day.

Comment

Embedded programming tricks

Comment

Embedded programming tricks

There are some pieces of code that regularly appear when programming embedded systems. They are not really design patterns but rather small tricks that might be confusing the first time you see them.

Bit manipulation

Registers in peripherals typically have single bit fields. It is often needed to clear, set, test or toggle them.

brush: c
unsigned int reg;
reg &= ~(1 << offset); // Clear a bit
reg |=  (1 << offset);  // Set a bit
reg ^=  (1 << offset);  // Toggle a bit
if (reg & (1 << offset)) { /// Test a bit
  // Bit is set
}
else {
  // Bit is not set
}

Create a mask

You often need to create a mask with a certain width. The code below works even for fields that take the whole data width.

brush: c
const int width = 4;
unsigned int mask = ((1 << width) - 1); // mask = 0xf

Clear a field

Clearing a field of several bits in a variable.

brush: c
unsigned int reg;
const unsigned int mask = 0x3f;
const int offset;

reg &= ~(mask << offset);

Setting all bits in a field

Setting all bits in a field to 1.

brush: c
unsigned int reg;
const unsigned int mask = 0x3f;
const int offset;

reg |= (mask << offset);

Field access

When accessing a hardware register in a peripheral, this sequence is often used to extract a bit fields. The C standard has support for them though you still see them.

brush: c
const int offset = 3;
const unsigned int mask = 0x7f;
unsigned int data;
unsigned int field = (data >> offset) & mask; // Get a field
data = (data & (mask << offset)) | ((field & mask) << offset);

Circular buffer

When accessing a circular buffer, address increments can be done quickly if the size is a power of two.

brush: c
unsigned int offset;
offset = (offset + step) & ((1 << width) - 1);

Testing if a number is a power of two

Finding if a number is a power of two is easy.

brush: c
unsigned int number;

if ((number & (number - 1)) == 0) {
  // power of two
}
else {
  // non-power of two
}

Comment

Anatomy of an Objective-C class

Comment

Anatomy of an Objective-C class

Obective-C, the language with a death sentence...

Interface declaration

Defined in a header file (with a .h extension)

brush: objc
@interface: Animal : NSObject {
  // Protected instance variables (not recommended)
}

@property (copy) NSString *name;

-(NSString*) getName; // object method
-(id)initWithName:(NSString*)name; // Initializer

+(int) getPopulation; // class method
+(void)initialize; // class initializer

@end

Implementation

Defined in a module file (with a .m extension)

brush: objc
static int population;

@implementation Animal {
  // Private instance variables
  NSString _name;
}

-(id)initWithName:(NSString*) name {
  self = [super init]; // Always call the base class initializer
  if (self) {
    // Custom setup goes here
    _name = name;
  }
}

+(int) getPopulation {
  return population;
}

+(void)initialize {
  if (self == [Animal class]) {
    // Make sure this is only executed once
  }
}
@end

Comment