Its very handy to keep track of time in embedded programs. In this post I will implement a function called millis() which can be used to track time. Arduino users will be familiar with this one. I would be doing it for AVR MCUs you can easily port it for others. this function returns the number of milliseconds since the MCU began running the current program. This number will overflow (go back to zero), after approximately 50 days.
It uses a hardware timer , in this post i will use timer0 . The first step is to initialize timer0 and interupts. lets start.
void timer0(){ // To set clock: // 1MHZ is 1,000,000 ticks per second // 1000 milli in 1 second // xMHZ = 1000millis // so MHZ/millis gives # HZ per millis // (HZ/millis)/prescaler= Top counter number // EG:for 8MHZ clock // 8000000/1000 // 8000.0000000000 // 8000/256 // 31.2500000000 TOP counter //set CTC (clear timer on compare match mode) TCCR0A = (1< <WGM01); //sets prescaler clkIO/256 ***THIS MIGHT CAUSE ISSUES SETS FOR ALL CLOCKS**!!!! TCCR0B = (1<<CS02); //sets interrupt enable for OCF0A (TIMER_COMPA_vect) TIMSK0 = (1<<OCIE0A); //sets TOP counter match A at 31 OCR0A = 31; } volatile uint32_t millis() { uint32_t mill; uint8_t oldSREG = SREG; // remember last value of interrupts // disable interrupts while we read timer0_millis or we might get an // inconsistent value (e.g. in the middle of a write to timer0_millis) cli(); mill = millis_count; SREG = oldSREG; // rewrite reg value to turn back on interrupts return mill; }
In the code shown above we have initialized timer/counter 0 to make an interrupt after every millisecond. Next we have to update our millisecond count.
//interrupt declaration ISR(TIMER0_COMPA_vect) { ++millis_count; //OCR0A = 10; //sets upper breakpoint A }
That’s it. Lets see how to use it! First we copy the current value in milis() to a variable.
uint32_t starttime=millis();
and later we compare the new values with the start value. Here’s an example of a 25 second.
if(millis()-starttime > 25000) { // some code here }
Note that the parameter for millis() is an unsigned long, errors may be generated if a programmer tries to do math with other datatypes such as ints.
There are a number of ways you can use this. Hope this post will help you
youstron sic Asked what are the advantages of tracking time??
There are alot of ways you might use it, I used it in my program to take blink some debugging LEDs for a commercial Product . I used it to blink LED every 15secs by the following code
if(!(millis()%15000)) {//BLINK LED}
similarly I used it for creating delays both blocking and non-blocking.
and so on