为什么单核CPU能同时执行多个任务?比如我们在听歌的同时还可以和别人聊天,CPU是如何做到的呢?其实这个主要依靠任务调度算法,而调度算法只是宏观上让人感觉多个任务在同时执行,但是微观上单核CPU其实任然还是没有实现的,它只是让任务被轮流执行,只是切换的频率非常高,人感觉不到而已。当然多核CPU就无所谓了。
下面我将介绍三种常见的调度算法的C语言代码实现,循环调度、优先级调度和时间片轮转调度,并进行简要讲解。
- 循环调度算法:
- #include <stdio.h>
- #define NUM_TASKS 3
- // 任务函数类型定义
- typedef void (*TaskFunc)();
- // 任务结构体
- typedef struct {
- TaskFunc func; // 任务函数指针
- int period; // 任务执行周期
- } Task;
- // 任务函数示例
- void task1() {
- printf("Task 1\n");
- }
- void task2() {
- printf("Task 2\n");
- }
- void task3() {
- printf("Task 3\n");
- }
- int main() {
- Task tasks[NUM_TASKS] = {
- {task1, 1000}, // 任务1,执行周期为1000ms
- {task2, 2000}, // 任务2,执行周期为2000ms
- {task3, 3000} // 任务3,执行周期为3000ms
- };
- while (1) {
- for (int i = 0; i < NUM_TASKS; i++) {
- tasks[i].func(); // 执行当前任务
- delay(tasks[i].period); // 延时任务周期
- }
- }
- return 0;
- }
循环调度算法按照固定的顺序依次执行每个任务,并通过延时函数控制每个任务的执行周期。在上面的代码中,定义了3个任务,每个任务具有不同的执行周期。main函数中的while循环会不断执行任务,并通过delay函数进行延时。
- 优先级调度算法:
- #include <stdio.h>
- #define NUM_TASKS 3
- // 任务函数类型定义
- typedef void (*TaskFunc)();
- // 任务结构体
- typedef struct {
- TaskFunc func; // 任务函数指针
- int priority; // 任务优先级
- } Task;
- // 任务函数示例
- void task1() {
- printf("Task 1\n");
- }
- void task2() {
- printf("Task 2\n");
- }
- void task3() {
- printf("Task 3\n");
- }
- int main() {
- Task tasks[NUM_TASKS] = {
- {task1, 1}, // 任务1,优先级为1
- {task2, 2}, // 任务2,优先级为2
- {task3, 3} // 任务3,优先级为3
- };
- while (1) {
- for (int i = 0; i < NUM_TASKS; i++) {
- if (tasks[i].priority == 1) {
- tasks[i].func(); // 执行优先级最高的任务
- delay(tasks[i].period); // 延时任务周期
- }
- }
- for (int i = 0; i < NUM_TASKS; i++) {
- if (tasks[i].priority == 2) {
- tasks[i].func(); // 执行次高优先级的任务
- delay(tasks[i].period); // 延时任务周期
- }
- }
- for (int i = 0; i < NUM_TASKS; i++) {
- if (tasks[i].priority == 3) {
- tasks[i].func(); // 执行最低优先级的任务
- delay(tasks[i].period); // 延时任务周期
- }
- }
- }
- return 0;
- }
- 时间片轮转调度算法:
- #include <stdio.h>
- #define NUM_TASKS 3
- #define TIME_QUANTUM 1000
- // 任务函数类型定义
- typedef void (*TaskFunc)();
- // 任务结构体
- typedef struct {
- TaskFunc func; // 任务函数指针
- int remaining_time; // 任务剩余执行时间
- } Task;
- // 任务函数示例
- void task1() {
- printf("Task 1\n");
- }
- void task2() {
- printf("Task 2\n");
- }
- void task3() {
- printf("Task 3\n");
- }
- int main() {
- Task tasks[NUM_TASKS] = {
- {task1, 2000}, // 任务1,执行时间为2000ms
- {task2, 3000}, // 任务2,执行时间为3000ms
- {task3, 4000} // 任务3,执行时间为4000ms
- };
- int current_task = 0;
- while (1) {
- if (tasks[current_task].remaining_time > 0) {
- tasks[current_task].func(); // 执行当前任务
- tasks[current_task].remaining_time -= TIME_QUANTUM;
- }
- current_task = (current_task + 1) % NUM_TASKS; // 切换到下一个任务
- delay(TIME_QUANTUM); // 延时时间片长度
- }
- return 0;
- }
以上是常见的嵌入式开发中多任务调度算法的C语言代码实现示例。每种调度算法都有不同的特点和适用场景,根据实际需求选择合适的调度算法能够提高嵌入式系统的性能和效率。
来源:头条号 晓亮Albert