vTaskDelayUntil() for precise timing in FreeRTOS - Time & Space Complexity
We want to understand how the time spent by a FreeRTOS task using vTaskDelayUntil() changes as the number of task cycles grows.
Specifically, how does the delay function affect the task's execution timing over many cycles?
Analyze the time complexity of the following FreeRTOS task code using vTaskDelayUntil().
void vTaskFunction( void *pvParameters ) {
TickType_t xLastWakeTime;
const TickType_t xFrequency = pdMS_TO_TICKS( 100 );
xLastWakeTime = xTaskGetTickCount();
for( ;; ) {
// Perform task action here
vTaskDelayUntil( &xLastWakeTime, xFrequency );
}
}
This code runs a task that repeats an action every 100 milliseconds precisely using vTaskDelayUntil().
Look at what repeats in this task.
- Primary operation: The infinite
forloop repeating the task action and delay. - How many times: The loop runs indefinitely, repeating every fixed time interval.
The task runs once every 100 ms, so the number of executions grows linearly with time.
| Input Size (n) - Number of cycles | Approx. Operations |
|---|---|
| 10 | 10 task actions and delays |
| 100 | 100 task actions and delays |
| 1000 | 1000 task actions and delays |
Pattern observation: As the number of cycles increases, the total operations increase directly in proportion.
Time Complexity: O(n)
This means the total time spent grows directly with the number of task cycles executed.
[X] Wrong: "Using vTaskDelayUntil() makes the task run instantly without waiting, so time doesn't grow with cycles."
[OK] Correct: The function actually delays the task to keep timing precise, so each cycle takes a fixed time, making total time grow with the number of cycles.
Understanding how task delays affect timing helps you design real-time systems that behave predictably, a key skill in embedded programming.
What if we changed xFrequency to a variable value that changes each cycle? How would the time complexity change?