STM32智能手表——任务线程部分

RTOS和LVGL我没学过,但是应该能硬啃这个项目例程

├─Application/User/Tasks            # 用于存放任务线程的函数
│  ├─user_TaskInit.c                # 初始化任务
│  ├─user_HardwareInitTask.c        # 硬件初始化任务
│  ├─user_RunModeTasks.c            # 运行模式任务
│  ├─user_KeyTask.c                 # 按键任务
│  ├─user_DataSaveTask.c            # 数据保存任务
│  ├─user_MessageSendTask.c         # 消息发送任务
│  ├─user_ChargeCheckTask.c         # 充电检查任务
│  ├─user_SensUpdateTask.c          # 传感器更新任务
│  ├─user_ScrRenewTask.c            # 屏幕刷新任务

一、TaskInit 任务初始化

该文件初始化嵌入式系统任务

1. Tasks

线程ID和成员

osThreadId_t LvHandlerTaskHandle;
const osThreadAttr_t LvHandlerTask_attributes = {.name = "LvHandlerTask",.stack_size = 128 * 24,  // 3KB栈空间.priority = osPriorityLow,
};

我们联系一下 Linux 的线程:

首先是定义一个线程 ID

//CMSIS-RTOS2
osThreadId_t LvHandlerTaskHandle;//Linux
pthread_t threadId;

然后我们查看官网提供的API文档:

这段代码,只对 name,stack_size以及 priority 成员进行赋值。

name:线程的名字

stack_size:栈的大小

由于内存的最小寻址单元通常是1Byte,那么这段代码所开辟的栈空间为:

128*24B=2^7*2^3*3B=2^10*3=3KB

priority:优先级

这里要提到优先级,其枚举类型为:

typedef enum {osPriorityIdle          = -3,         ///< Priority: idle (lowest)osPriorityLow           = -2,         ///< Priority: lowosPriorityBelowNormal   = -1,         ///< Priority: below normalosPriorityNormal        =  0,         ///< Priority: normal (default)osPriorityAboveNormal   = +1,         ///< Priority: above normalosPriorityHigh          = +2,         ///< Priority: highosPriorityRealtime      = +3,         ///< Priority: realtime (highest)osPriorityError         = 0x84,       ///< System cannot determine priority or illegal priority.osPriorityReserved      = 0x7FFFFFFF  ///< Prevents enum down-size compiler optimization.
} osPriority;

创建线程

void User_Tasks_Init(void) 
{/* add threads, ... */LvHandlerTaskHandle  = osThreadNew(LvHandlerTask, NULL, &LvHandlerTask_attributes);KeyTaskHandle 			 = osThreadNew(KeyTask, NULL, &KeyTask_attributes);ScrRenewTaskHandle   = osThreadNew(ScrRenewTask, NULL, &ScrRenewTask_attributes);TimeRenewTaskHandle  = osThreadNew(TimeRenewTask, NULL, &TimeRenewTask_attributes);HomeUpdataTaskHandle = osThreadNew(HomeUpdata_Task, NULL, &HomeUpdataTask_attributes);}

类似于 linux 的 create,返回类型为线程 ID。

Parameters

functhread function.
argumentpointer that is passed to the thread function as start argument.
attrthread attributes; NULL: default values.

2. Message queues 

首先也是类似于线程一样,定义 ID

//Key message
osMessageQueueId_t Key_MessageQueue;
osMessageQueueId_t Idle_MessageQueue;
osMessageQueueId_t Stop_MessageQueue;
osMessageQueueId_t IdleBreak_MessageQueue;
osMessageQueueId_t HomeUpdata_MessageQueue;
osMessageQueueId_t DataSave_MessageQueue;

和上面一样,也是创建队列: 

  /* add queues, ... */Key_MessageQueue  = osMessageQueueNew(1, 1, NULL);Idle_MessageQueue = osMessageQueueNew(1, 1, NULL);Stop_MessageQueue = osMessageQueueNew(1, 1, NULL);IdleBreak_MessageQueue = osMessageQueueNew(1, 1, NULL);HomeUpdata_MessageQueue = osMessageQueueNew(1, 1, NULL);DataSave_MessageQueue = osMessageQueueNew(2, 1, NULL);

Parameters

msg_countmaximum number of messages in queue.
msg_sizemaximum message size in bytes.
attrmessage queue attributes; NULL: default values.

3. 定时器

  /* start timers, add new ones, ... */IdleTimerHandle = osTimerNew(IdleTimerCallback, osTimerPeriodic, NULL, NULL);osTimerStart(IdleTimerHandle,100);//100ms

Parameters

funcfunction pointer to callback function.
typeosTimerOnce for one-shot or osTimerPeriodic for periodic behavior.
argumentargument to the timer callback function.
attrtimer attributes; NULL: default values.

返回值为 timer ID。

4. LVGL Tick

void TaskTickHook(void)
{//to increase the LVGL ticklv_tick_inc(1);//to increase the timerpage's timer(put in here is to ensure the Real Time)if(ui_TimerPageFlag){ui_TimerPage_ms+=1;if(ui_TimerPage_ms>=10){ui_TimerPage_ms=0;ui_TimerPage_10ms+=1;}if(ui_TimerPage_10ms>=100){ui_TimerPage_10ms=0;ui_TimerPage_sec+=1;uint8_t IdleBreakstr = 0;osMessageQueuePut(IdleBreak_MessageQueue, &IdleBreakstr, 0, 0);}if(ui_TimerPage_sec>=60){ui_TimerPage_sec=0;ui_TimerPage_min+=1;}if(ui_TimerPage_min>=60){ui_TimerPage_min=0;}}
}

LVGL心跳:每毫秒调用lv_tick_inc(1),驱动LVGL内部动画和事件。

计时器逻辑:更新计时器时间,并在用户操作时通过消息队列打断空闲状态。

心跳更新

void lv_tick_inc(uint32_t tick_period)

tick_period – 此函数的调用周期(以毫秒为单位)

传送信息给消息队列

 osMessageQueuePut(IdleBreak_MessageQueue, &IdleBreakstr, 0, 0);

Put a Message into a Queue or timeout if Queue is full.

Parameters

mq_idmessage queue ID obtained by osMessageQueueNew.
msg_ptrpointer to buffer with message to put into a queue.
msg_priomessage priority.
timeoutTimeout Values or 0 in case of no time-out.

阻塞函数 osMessageQueuePut 将 msg_ptr 指向的消息放入参数 mq_id 指定的消息队列中。参数 msg_prio 用于在插入时根据消息的优先级(数字越高表示优先级越高)对消息进行排序。

参数 timeout 指定系统等待将消息放入队列的时间。在系统等待时,调用此函数的线程将进入阻塞状态。参数 timeout 可以具有以下值:

  • 当 timeout 为 0 时,函数立即返回(即 try 语义)。
  • 当 timeout 设置为 osWaitForever 时,该函数将等待无限时间,直到消息被传递(即等待语义)。
  • 所有其他值在 kernel ticks 中指定超时时间(即定时等待语义)。

5. LvHandlerTask (LVGL处理任务)

空闲检测:通过lv_disp_get_inactive_time获取用户无操作时间。
实时性:osDelay(1)确保界面流畅响应。

void LvHandlerTask(void *argument) {while (1) {if (lv_disp_get_inactive_time(NULL) < 1000) {// 如果用户1秒内无操作,发送空闲打断消息osMessageQueuePut(IdleBreak_MessageQueue, &IdleBreakstr, 0, 0);}lv_task_handler(); // LVGL任务处理osDelay(1);        // 1ms延迟}
}
lv_disp_get_inactive_time(NULL) < 1000

Get elapsed time since last user activity on a display (e.g. click)

获取自上次用户活动以来在显示器上经过的时间(例如,单击)

Parameters:

disp – pointer to a display (NULL to get the overall smallest inactivity)

disp – 指向显示的指针(NULL表示总的最小不活动)

Returns:

elapsed ticks (milliseconds) since the last activity

6. 看门狗

开发者这段代码注释掉了,后面再看看。

7. 小结

接下来,我们把初始化代码的框架给出来:

二、KeyTask 按键任务

这部分很简单,按下就将向消息队列发送数据。

void KeyTask(void *argument)
{uint8_t keystr=0;uint8_t Stopstr=0;uint8_t IdleBreakstr=0;while(1){switch(KeyScan(0)){case 1://向两个消息队列发送数据keystr = 1;osMessageQueuePut(Key_MessageQueue, &keystr, 0, 1);//退出空闲状态osMessageQueuePut(IdleBreak_MessageQueue, &IdleBreakstr, 0, 1);break;case 2:break;}osDelay(1);}
}

三、ScrRenewTask 屏幕更新任务

上面的按键任务,很自然会想到屏幕更新,肯定要切屏的。

而栈可以实现切换页面。

而 PageStack.c 实现了导航栈:

#include "PageStack.h"uint8_t user_Stack_Push(user_Stack_T* stack, StackData_t datain)
{if(stack->Top_Point == MAX_DEPTH - 1){return -1;}stack->Data[stack->Top_Point++] = datain;return 0;
}uint8_t user_Stack_Pop(user_Stack_T* stack)
{if(stack->Top_Point == 0){return -1;}stack->Data[--stack->Top_Point] = NULL;return 0;
}uint8_t user_Stack_isEmpty(user_Stack_T* stack)
{if(stack->Top_Point == 0){return 1;} return 0;
}void user_Stack_Clear(user_Stack_T* stack)
{while(!user_Stack_isEmpty(stack)){user_Stack_Pop(stack);}
}

回到更新屏幕的代码中: 

void ScrRenewTask(void *argument)
{uint8_t keystr=0;//将主页压入导航栈user_Stack_Push(&ScrRenewStack,(long long int)&ui_HomePage);while(1){//检查按键消息队列if(osMessageQueueGet(Key_MessageQueue,&keystr,NULL,0)==osOK){//key1 pressedif(keystr == 1){// 弹出当前页面user_Stack_Pop(&ScrRenewStack);// 检查栈是否为空if(user_Stack_isEmpty(&ScrRenewStack)){// 栈空时初始化并跳转到菜单页ui_MenuPage_screen_init();lv_scr_load_anim(ui_MenuPage,LV_SCR_LOAD_ANIM_MOVE_RIGHT,0,0,true);// 重建导航栈(主页->菜单页)user_Stack_Push(&ScrRenewStack,(long long int)&ui_HomePage);user_Stack_Push(&ScrRenewStack,(long long int)&ui_MenuPage);}// 当前是主页else if(ScrRenewStack.Data[ScrRenewStack.Top_Point-1] == (long long int)&ui_HomePage){// 刷新主页ui_HomePage_screen_init();lv_scr_load_anim(ui_HomePage,LV_SCR_LOAD_ANIM_MOVE_RIGHT,0,0,true);}// 当前是菜单页else if(ScrRenewStack.Data[ScrRenewStack.Top_Point-1] == (long long int)&ui_MenuPage){// 刷新菜单页ui_MenuPage_screen_init();lv_scr_load_anim(ui_MenuPage,LV_SCR_LOAD_ANIM_MOVE_RIGHT,0,0,true);//传感器休眠代码//HR sensor sleep//EM7028_hrs_DisEnable();//sensor sleep//LSM303DLH_Sleep();//SPL_Sleep();}//其他页面处理,游戏页面、设置页面、时间设置页面else if(ScrRenewStack.Data[ScrRenewStack.Top_Point-1] == (long long int)&ui_GameSelectPage){ui_GameSelectPage_screen_init();lv_scr_load_anim(ui_GameSelectPage,LV_SCR_LOAD_ANIM_MOVE_RIGHT,0,0,true);}else if(ScrRenewStack.Data[ScrRenewStack.Top_Point-1] == (long long int)&ui_SetPage){ui_SetPage_screen_init();lv_scr_load_anim(ui_SetPage,LV_SCR_LOAD_ANIM_MOVE_RIGHT,0,0,true);}else if(ScrRenewStack.Data[ScrRenewStack.Top_Point-1] == (long long int)&ui_DateTimeSetPage){ui_DateTimeSetPage_screen_init();lv_scr_load_anim(ui_DateTimeSetPage,LV_SCR_LOAD_ANIM_MOVE_RIGHT,0,0,true);}}	//key2 pressed// 按键2处理(返回主页)else if(keystr == 2){// 清空导航栈user_Stack_Clear(&ScrRenewStack);// 初始化并跳转到主页ui_HomePage_screen_init();lv_scr_load_anim(ui_HomePage,LV_SCR_LOAD_ANIM_MOVE_RIGHT,0,0,true);// 将主页压入栈user_Stack_Push(&ScrRenewStack,(long long int)&ui_HomePage);// 传感器休眠代码//HR sensor sleep//EM7028_hrs_DisEnable();//sensor sleep//LSM303DLH_Sleep();//SPL_Sleep();}}	osDelay(10);}
}

获取消息队列的按键值

osMessageQueueGet(Key_MessageQueue,&keystr,NULL,0)==osOK

参数

mq_id通过 osMessageQueueNew 获取的消息队列 ID。
msg_ptr指向要从队列中获取的消息的缓冲区的指针。
msg_prio指向消息优先级或 NULL 的缓冲区的指针。
超时超时值或 0(如果没有超时)

可能的 osStatus_t 返回值:

  • osOK:已从队列中检索到消息。
  • osErrorTimeout:在给定时间内无法从队列中检索消息(定时等待语义)。
  • osErrorResource:没有要从队列中获取的内容(尝试语义)。
  • osErrorParameter:参数 mq_id 为 NULL 或无效,ISR 中指定的非零超时。
  • osErrorSafetyClass:调用线程安全等级低于指定消息队列的安全等级。

屏幕加载函数

void lv_scr_load_anim(lv_obj_t * new_scr,           // 新屏幕对象lv_scr_load_anim_t anim_type, // 动画类型uint32_t time,                // 动画持续时间(毫秒)uint32_t delay,               // 动画延迟时间(毫秒)bool auto_del                 // 是否自动删除旧屏幕
);

四、HomePageTask 主页时间更新

void TimeRenewTask(void *argument)
{uint8_t value_strbuf[10];while(1){//检查当前显示的是否为主页if(ScrRenewStack.Data[ScrRenewStack.Top_Point-1] == (long long int)&ui_HomePage){/*闪烁效果lv_obj_set_style_text_opa(ui_TimeColonLabel, 0, LV_PART_MAIN | LV_STATE_DEFAULT);osDelay(500);lv_obj_set_style_text_opa(ui_TimeColonLabel, 255, LV_PART_MAIN | LV_STATE_DEFAULT);*///time get and renew the screenRTC_DateTypeDef nowdate;RTC_TimeTypeDef nowtime;HAL_RTC_GetTime(&hrtc,&nowtime,RTC_FORMAT_BIN);//Ҫψgettime,·񔲸üЂ²»Áˊ±¼䊉		HAL_RTC_GetDate(&hrtc,&nowdate,RTC_FORMAT_BIN);//变化时更新显示if(ui_TimeMinuteValue != nowtime.Minutes){ui_TimeMinuteValue = nowtime.Minutes;sprintf(value_strbuf,"%02d",ui_TimeMinuteValue);lv_label_set_text(ui_TimeMinuteLabel, value_strbuf);}if(ui_TimeHourValue != nowtime.Hours){ui_TimeHourValue = nowtime.Hours;sprintf(value_strbuf,"%2d",ui_TimeHourValue);lv_label_set_text(ui_TimeHourLabel, value_strbuf);}if(ui_DateDayValue != nowdate.Date){ui_DateDayValue = nowdate.Date;ui_DataWeekdayValue = nowdate.WeekDay;sprintf(value_strbuf,"%2d-%02d",ui_DateMonthValue,ui_DateDayValue);lv_label_set_text(ui_DateLabel, value_strbuf);lv_label_set_text(ui_DayLabel, ui_Days[ui_DataWeekdayValue-1]);}if(ui_DateMonthValue != nowdate.Month){ui_DateMonthValue = nowdate.Month;ui_DateDayValue = nowdate.Date;ui_DataWeekdayValue = nowdate.WeekDay;sprintf(value_strbuf,"%2d-%02d",ui_DateMonthValue,ui_DateDayValue);lv_label_set_text(ui_DateLabel, value_strbuf);lv_label_set_text(ui_DayLabel, ui_Days[ui_DataWeekdayValue-1]);}}osDelay(500);}
}/*** @brief  homepage check the battery power and other data* @param  argument: Not used* @retval None*/
void HomeUpdata_Task(void *argument)
{while(1){uint8_t HomeUpdataStr;if(osMessageQueueGet(HomeUpdata_MessageQueue,&HomeUpdataStr,NULL,0)==osOK){/*//batuint8_t value_strbuf[5];//计算电池电量ui_BatArcValue = PowerCalculate();if(ui_BatArcValue>0 && ui_BatArcValue<=100){}else{ui_BatArcValue=0;}//steps步数统计if(!Sensor_MPU_Erro){unsigned long	STEPS = 0;if(!Sensor_MPU_Erro)dmp_get_pedometer_step_count(&STEPS);ui_StepNumValue = (uint16_t)STEPS;}//temp and humi 温湿度读取if(!Sensor_AHT21_Erro){//temp and humi messurefloat humi,temp;AHT_Read(&humi,&temp);//checkif(temp>-10 && temp<50 && humi>0 && humi<100){ui_EnvTempValue = (int8_t)temp;ui_EnvHumiValue = (int8_t)humi;}}//set text 更新UI显示if(ScrRenewStack.Data[ScrRenewStack.Top_Point-1] == (long long int)&ui_HomePage){//bat set text 电池电量显示更新lv_arc_set_value(ui_BatArc, ui_BatArcValue);sprintf(value_strbuf,"%2d%%",ui_BatArcValue);lv_label_set_text(ui_BatNumLabel, value_strbuf);//step set text 步数显示更新sprintf(value_strbuf,"%d",ui_StepNumValue);lv_label_set_text(ui_StepNumLabel, value_strbuf);//send data save message queue 发送数据保存消息uint8_t Datastr = 3;osMessageQueuePut(DataSave_MessageQueue, &Datastr, 0, 1);//humi and temp set text 温湿度显示更新lv_arc_set_value(ui_TempArc, ui_EnvTempValue);lv_arc_set_value(ui_HumiArc, ui_EnvHumiValue);sprintf(value_strbuf,"%d",ui_EnvTempValue);lv_label_set_text(ui_TempNumLabel, value_strbuf);sprintf(value_strbuf,"%d",ui_EnvHumiValue);lv_label_set_text(ui_HumiNumLabel, value_strbuf);}*/}osDelay(500);}
}

五、SensorPageTask

/*** @brief  心率数据更新任务* @param  argument: RTOS任务参数(未使用)* @retval None*/
void HRDataRenewTask(void *argument)
{uint8_t value_strbuf[4];  // 用于格式化显示的字符串缓冲区uint8_t IdleBreakstr = 0;  // 空闲状态打断标志uint16_t dat = 0;  // 临时数据存储uint8_t hr_temp = 0;  // 临时心率值存储while(1)  // 任务主循环{// 检查当前显示的是否为心率页if(ScrRenewStack.Data[ScrRenewStack.Top_Point-1] == (long long int)&ui_HRPage){// 发送空闲状态打断消息osMessageQueuePut(IdleBreak_MessageQueue, &IdleBreakstr, 0, 1);/*// 注释掉的心率传感器处理代码// 唤醒心率传感器EM7028_hrs_Enable();// 检查传感器是否就绪if(!Sensor_EM_Erro){// 计算心率值(临界区保护)vTaskSuspendAll();  // 挂起所有任务hr_temp = HR_Calculate(EM7028_Get_HRS1(), user_HR_timecount);xTaskResumeAll();   // 恢复任务调度// 检查心率值是否有效并更新显示if(ui_HRValue != hr_temp && hr_temp>50 && hr_temp<120){// 更新UI显示ui_HRValue = hr_temp;sprintf(value_strbuf, "%d", ui_HRValue);lv_label_set_text(ui_HRPageNumLabel, value_strbuf);}}*/}osDelay(50);  // 每50ms执行一次}
}/*** @brief  传感器数据更新任务* @param  argument: RTOS任务参数(未使用)* @retval None*/
void SensorDataRenewTask(void *argument)
{uint8_t value_strbuf[6];  // 用于格式化显示的字符串缓冲区uint8_t IdleBreakstr = 0;  // 空闲状态打断标志while(1)  // 任务主循环{// 检查当前显示的是否为血氧页if(ScrRenewStack.Data[ScrRenewStack.Top_Point-1] == (long long int)&ui_SPO2Page){// 发送空闲状态打断消息osMessageQueuePut(IdleBreak_MessageQueue, &IdleBreakstr, 0, 1);// 血氧传感器唤醒代码(待实现)// sensor wake up}// 检查当前显示的是否为指南针页else if(ScrRenewStack.Data[ScrRenewStack.Top_Point-1] == (long long int)&ui_CompassPage){// 发送空闲状态打断消息osMessageQueuePut(IdleBreak_MessageQueue, &IdleBreakstr, 0, 1);// 指南针数据处理代码(待实现)}osDelay(300);  // 每300ms执行一次}
}

心率部分,作者用的是原 FreeRTOS 的API,比如挂起和恢复任务调度:

vTaskSuspendAll()
xTaskResumeAll()

对应CMSIS 应该为:

osKernelSuspend()
osKernelResume()

六、MessageSendTask 蓝牙

// BLE消息数据结构
struct {RTC_DateTypeDef nowdate;  // 当前日期RTC_TimeTypeDef nowtime;  // 当前时间int8_t humi;              // 湿度值int8_t temp;             // 温度值uint8_t HR;              // 心率值uint8_t SPO2;            // 血氧值uint16_t stepNum;        // 步数
} BLEMessage;// 时间设置消息结构
struct {RTC_DateTypeDef nowdate;  // 要设置的日期RTC_TimeTypeDef nowtime; // 要设置的时间
} TimeSetMessage;/* Private function prototypes -----------------------------------------------*//*** @brief  从字符串中提取命令* @param  str: 输入字符串* @param  cmd: 输出命令缓冲区* @retval None*/
void StrCMD_Get(uint8_t *str, uint8_t *cmd)
{uint8_t i = 0;// 提取'='前的命令部分while(str[i] != '=') {cmd[i] = str[i];i++;}
}/*** @brief  解析时间格式字符串并设置RTC* @param  str: 时间格式字符串(格式:OV+ST=20230629125555)* @retval None*/
uint8_t TimeFormat_Get(uint8_t *str)
{// 解析年月日时分秒(从字符串中提取)TimeSetMessage.nowdate.Year = (str[8]-'0')*10 + str[9]-'0';TimeSetMessage.nowdate.Month = (str[10]-'0')*10 + str[11]-'0';TimeSetMessage.nowdate.Date = (str[12]-'0')*10 + str[13]-'0';TimeSetMessage.nowtime.Hours = (str[14]-'0')*10 + str[15]-'0';TimeSetMessage.nowtime.Minutes = (str[16]-'0')*10 + str[17]-'0';TimeSetMessage.nowtime.Seconds = (str[18]-'0')*10 + str[19]-'0';// 检查时间有效性if(TimeSetMessage.nowdate.Year>0 && TimeSetMessage.nowdate.Year<99 && TimeSetMessage.nowdate.Month>0 && TimeSetMessage.nowdate.Month<=12&& TimeSetMessage.nowdate.Date>0 && TimeSetMessage.nowdate.Date<=31&& TimeSetMessage.nowtime.Hours>=0 && TimeSetMessage.nowtime.Hours<=23&& TimeSetMessage.nowtime.Minutes>=0 && TimeSetMessage.nowtime.Minutes<=59&& TimeSetMessage.nowtime.Seconds>=0 && TimeSetMessage.nowtime.Seconds<=59){// 设置RTC时间和日期RTC_SetDate(TimeSetMessage.nowdate.Year, TimeSetMessage.nowdate.Month, TimeSetMessage.nowdate.Date);RTC_SetTime(TimeSetMessage.nowtime.Hours, TimeSetMessage.nowtime.Minutes, TimeSetMessage.nowtime.Seconds);printf("TIMESETOK\r\n");  // 发送设置成功响应}
}/*** @brief  BLE消息发送任务* @param  argument: RTOS任务参数(未使用)* @retval None*/
void MessageSendTask(void *argument)
{while(1)  // 任务主循环{// 检查是否有新数据通过UART接收if(HardInt_uart_flag){HardInt_uart_flag = 0;  // 清除标志位// 发送空闲状态打断消息uint8_t IdleBreakstr = 0;osMessageQueuePut(IdleBreak_MessageQueue, &IdleBreakstr, NULL, 1);printf("RecStr:%s\r\n", HardInt_receive_str);  // 打印接收到的字符串// 命令解析和处理if(!strcmp(HardInt_receive_str, "OV")) {printf("OK\r\n");  // 简单响应}else if(!strcmp(HardInt_receive_str, "OV+VERSION")) {printf("VERSION=V2.3\r\n");  // 返回固件版本}else if(!strcmp(HardInt_receive_str, "OV+SEND")) {// 获取当前各项数据HAL_RTC_GetTime(&hrtc, &(BLEMessage.nowtime), RTC_FORMAT_BIN);HAL_RTC_GetDate(&hrtc, &BLEMessage.nowdate, RTC_FORMAT_BIN);BLEMessage.humi = ui_EnvHumiValue;BLEMessage.temp = ui_EnvTempValue;BLEMessage.HR = ui_HRValue;BLEMessage.SPO2 = ui_SPO2Value;BLEMessage.stepNum = ui_StepNumValue;// 打印各项数据printf("data:%2d-%02d\r\n", BLEMessage.nowdate.Month, BLEMessage.nowdate.Date);printf("time:%02d:%02d:%02d\r\n", BLEMessage.nowtime.Hours, BLEMessage.nowtime.Minutes, BLEMessage.nowtime.Seconds);printf("humidity:%d%%\r\n", BLEMessage.humi);printf("temperature:%d\r\n", BLEMessage.temp);printf("Heart Rate:%d%%\r\n", BLEMessage.HR);printf("SPO2:%d%%\r\n", BLEMessage.SPO2);printf("Step today:%d\r\n", BLEMessage.stepNum);}// 处理时间设置命令(格式:OV+ST=20230629125555)else if(strlen(HardInt_receive_str) == 20) {uint8_t cmd[10];memset(cmd, 0, sizeof(cmd));StrCMD_Get(HardInt_receive_str, cmd);  // 提取命令// 检查是否为时间设置命令且系统处于应用模式if(user_APPSy_EN && !strcmp(cmd, "OV+ST")) {TimeFormat_Get(HardInt_receive_str);  // 解析并设置时间}}memset(HardInt_receive_str, 0, sizeof(HardInt_receive_str));  // 清空接收缓冲区}osDelay(1000);  // 每1秒检查一次}
}

七、StopEnterTask


/*** @brief  进入空闲状态任务(降低亮度)* @param  argument: RTOS任务参数(未使用)* @retval None*/
void IdleEnterTask(void *argument)
{uint8_t Idlestr = 0;       // 进入空闲状态消息uint8_t IdleBreakstr = 0;   // 退出空闲状态消息while(1)  // 任务主循环{// 检查是否收到进入空闲状态消息(降低背光)if(osMessageQueueGet(Idle_MessageQueue, &Idlestr, NULL, 1) == osOK){LCD_Set_Light(5);  // 设置最低背光亮度(5%)}// 检查是否收到退出空闲状态消息(恢复背光)if(osMessageQueueGet(IdleBreak_MessageQueue, &IdleBreakstr, NULL, 1) == osOK){IdleTimerCount = 0;  // 重置空闲计时器LCD_Set_Light(ui_LightSliderValue);  // 恢复用户设置的背光亮度}osDelay(10);  // 每10ms检查一次}
}/*** @brief  进入停止模式任务(深度睡眠)* @param  argument: RTOS任务参数(未使用)* @retval None*/
void StopEnterTask(void *argument)
{uint8_t Stopstr;          // 进入停止模式消息uint8_t HomeUpdataStr;   // 主页更新消息uint8_t Wrist_Flag = 0;  // 手腕检测标志while(1){// 检查是否收到进入停止模式消息if(osMessageQueueGet(Stop_MessageQueue, &Stopstr, NULL, 0) == osOK){/***** 睡眠前操作 *****/sleep:IdleTimerCount = 0;  // 重置空闲计时器// 关闭外设以省电LCD_RES_Clr();        // 复位LCDLCD_Close_Light();    // 关闭背光CST816_Sleep();       // 触摸屏进入睡眠/***** 进入停止模式 *****/vTaskSuspendAll();  // 挂起所有任务(防止任务调度干扰)// 关闭看门狗(根据实际情况可选)//WDOG_Disnable();// 禁用SysTick中断(防止唤醒)CLEAR_BIT(SysTick->CTRL, SysTick_CTRL_TICKINT_Msk);// 进入STOP模式(保持主稳压器开启,WFI唤醒)HAL_PWR_EnterSTOPMode(PWR_MAINREGULATOR_ON, PWR_STOPENTRY_WFI);/***** 唤醒后操作 *****/// 重新启用SysTickSET_BIT(SysTick->CTRL, SysTick_CTRL_TICKINT_Msk);// 重新配置系统时钟(STOP模式会关闭HSI)HAL_SYSTICK_Config(SystemCoreClock / (1000U / uwTickFreq));SystemClock_Config();// 恢复任务调度xTaskResumeAll();/***** 唤醒后初始化 *****//*// 可选:MPU6050手腕检测逻辑if(user_MPU_Wrist_EN){uint8_t hor = MPU_isHorizontal();  // 检测设备是否水平if(hor && user_MPU_Wrist_State == WRIST_DOWN){user_MPU_Wrist_State = WRIST_UP;Wrist_Flag = 1;  // 标记为手腕抬起唤醒}else if(!hor && user_MPU_Wrist_State == WRIST_UP){user_MPU_Wrist_State = WRIST_DOWN;IdleTimerCount = 0;goto sleep;  // 如果手腕放下,重新进入睡眠}}*/// 检查唤醒源(按键1、充电状态或手腕抬起)if(!KEY1 || HardInt_Charg_flag || Wrist_Flag){Wrist_Flag = 0;  // 清除标志// 继续执行唤醒流程}else{IdleTimerCount = 0;goto sleep;  // 无有效唤醒源,重新睡眠}// 重新初始化外设LCD_Init();                      // 初始化LCDLCD_Set_Light(ui_LightSliderValue); // 恢复背光CST816_Wakeup();                // 唤醒触摸屏// 可选:充电检测// if(ChargeCheck()) { HardInt_Charg_flag = 1; }// 发送主页更新消息osMessageQueuePut(HomeUpdata_MessageQueue, &HomeUpdataStr, 0, 1);}osDelay(100);  // 每100ms检查一次}
}/*** @brief  空闲计时器回调函数* @param  argument: RTOS定时器参数(未使用)* @retval None*/
void IdleTimerCallback(void *argument)
{IdleTimerCount += 1;  // 计数器递增(每100ms触发一次)// 达到背光关闭时间阈值(ui_LTimeValue单位秒×10)if(IdleTimerCount == (ui_LTimeValue * 10)){uint8_t Idlestr = 0;osMessageQueuePut(Idle_MessageQueue, &Idlestr, 0, 1);  // 触发降低背光}// 达到系统休眠时间阈值(ui_TTimeValue单位秒×10)if(IdleTimerCount == (ui_TTimeValue * 10)){uint8_t Stopstr = 1;IdleTimerCount = 0;  // 重置计数器osMessageQueuePut(Stop_MessageQueue, &Stopstr, 0, 1);  // 触发深度睡眠}
}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/pingmian/75590.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

ubuntu22.04LTS设置中文输入法

打开搜狗网址直接下载软件&#xff0c;软件下载完成后&#xff0c;会弹出安装教程说明书。 网址:搜狗输入法linux-首页搜狗输入法for linux—支持全拼、简拼、模糊音、云输入、皮肤、中英混输https://shurufa.sogou.com/linux

SQL Server数据库异常-[SqlException (0x80131904): 执行超时已过期] 操作超时问题及数据库日志已满的解决方案

&#x1f9d1; 博主简介&#xff1a;CSDN博客专家、CSDN平台优质创作者&#xff0c;获得2024年博客之星荣誉证书&#xff0c;高级开发工程师&#xff0c;数学专业&#xff0c;拥有高级工程师证书&#xff1b;擅长C/C、C#等开发语言&#xff0c;熟悉Java常用开发技术&#xff0c…

php8 ?-> nullsafe 操作符 使用教程

简介 PHP 8 引入了 ?->&#xff08;Nullsafe 操作符&#xff09;&#xff0c;用于简化 null 检查&#xff0c;减少繁琐的 if 语句或 isset() 代码&#xff0c;提高可读性。 ?-> Nullsafe 操作符的作用 在 PHP 7 及以下&#xff0c;访问对象的属性或方法时&#xff0…

WORD+VISIO输出PDF图片提高清晰度的方法

WORDVISIO输出PDF图片提高清晰度的方法 part 1: visio 绘图part 2: word 导出 part 1: visio 绘图 先在visio中把图片和对应的文字调整为适合插入到文章中的尺寸&#xff1b; 在visio中把所有元素进行组合&#xff1b; 把组合后的图片长和宽等比例放缩&#xff0c;如放大10倍…

重要头文件下的函数

1、<cctype> #include<cctype>加入这个头文件就可以调用以下函数&#xff1a; 1、isalpha(x) 判断x是否为字母 isalpha 2、isdigit(x) 判断x是否为数字 isdigit 3、islower(x) 判断x是否为小写字母 islower 4、isupper(x) 判断x是否为大写字母 isupper 5、isa…

基于大模型预测不稳定性心绞痛的多维度研究与应用

目录 一、引言 1.1 研究背景与意义 1.2 研究目的 1.3 国内外研究现状 二、不稳定性心绞痛概述 2.1 定义与分类 2.2 发病机制 2.3 临床表现 三、大模型技术原理与应用基础 3.1 大模型介绍 3.2 在医疗领域的应用现状 3.3 用于不稳定性心绞痛预测的可行性 四、术前预…

第一讲—函数的极限与连续(一)

思维导图 笔记 双曲正弦函数及其反函数

Mac VM 卸载 win10 安装win7系统

卸载 找到相应直接删除&#xff08;移动到废纸篓&#xff09; 可参考&#xff1a;mac如何卸载虚拟机win 下载 win7下载地址

免费送源码:Java+SSM+Android Studio 基于Android Studio游戏搜索app的设计与实现 计算机毕业设计原创定制

摘要 本文旨在探讨基于SSM框架和Android Studio的游戏搜索App的设计与实现。首先&#xff0c;我们详细介绍了SSM框架&#xff0c;这是一种经典的Java Web开发框架&#xff0c;由Spring、SpringMVC和MyBatis三个开源项目整合而成&#xff0c;为开发企业级应用提供了高效、灵活、…

网络安全的现状与防护措施

随着数字化和信息化的迅猛发展&#xff0c;互联网已成为人们日常生活、工作和学习不可或缺的一部分。然而&#xff0c;随着网络技术的普及&#xff0c;网络安全问题也日益突出。近年来&#xff0c;数据泄露、恶意软件、网络攻击等事件层出不穷&#xff0c;给企业和个人带来了巨…

android databinding使用教程

Android DataBinding 是一种可以将 UI 组件与数据源绑定的框架&#xff0c;能够减少 findViewById 的使用&#xff0c;并提高代码的可维护性。下面是 DataBinding 的完整使用教程&#xff1a; 1. 启用 DataBinding 在 build.gradle&#xff08;Module 级别&#xff09;中启用 …

python如何快速删除文件夹中的大量文件

在 Python 中&#xff0c;删除文件夹中的大量小图片文件可以通过使用 os 模块或 shutil 模块来实现。以下是一个示例代码&#xff0c;展示了如何快速删除指定文件夹中的所有文件。如果你只需要删除小图片文件&#xff0c;可以添加额外的逻辑来检查文件大小。 以下是一个示例代…

如何使用 IntelliJ IDEA 开发命令行程序(或 Swing 程序)并手动管理依赖(不使用 pom.xml)

以下是详细步骤&#xff1a; 1. 创建项目 1.1 打开 IntelliJ IDEA。 1.2 在启动界面&#xff0c;点击 Create New Project&#xff08;创建新项目&#xff09;。 1.3 选择 Java&#xff0c;然后点击 Next。 1.4 确保 Project SDK 选择了正确的 JDK 版本&#x…

FastAPI-Cache2: 高效Python缓存库

FastAPI-Cache2是一个强大而灵活的Python缓存库&#xff0c;专为提升应用性能而设计。虽然其名称暗示与FastAPI框架的紧密集成&#xff0c;但实际上它可以在任何Python项目中使用&#xff0c;为开发者提供简单而高效的缓存解决方案。 在现代应用开发中&#xff0c;性能优化至关…

android开发:zxing-android-embedded竖屏扫描功能

Android 点击按钮调用竖屏二维码扫描 提示&#xff1a;zxing-android-embedded插件已过时&#xff0c;建议更换别的。 场景&#xff1a;Home页面上有个扫描按钮&#xff0c;点击后打开摄像头完成扫描功能&#xff0c;扫描时要求竖屏。 方案&#xff1a;使用zxing-android-embe…

指令补充+样式绑定+计算属性+监听器

一、指令补充 1. 指令修饰符 1. 作用: 借助指令修饰符, 可以让指令更加强大 2. 分类: 1> 按键修饰符: 用来检测用户的按键, 配合键盘事件使用. keydown 和 keyup 语法: keydown.enter/v-on:keydown.enter 表示当enter按下的时候触发 keyup.enter/v-on:keyup.enter 表示当…

Python基于时间序列分析的降雨量预测系统的设计与实现【附源码、文档说明】

博主介绍&#xff1a;✌Java老徐、7年大厂程序员经历。全网粉丝12w、csdn博客专家、掘金/华为云/阿里云/InfoQ等平台优质作者、专注于Java技术领域和毕业项目实战✌ &#x1f345;文末获取源码联系&#x1f345; &#x1f447;&#x1f3fb; 精彩专栏推荐订阅&#x1f447;&…

【2022】【论文笔记】基于相变材料的光学激活的、用于THz光束操作的编码超表面——

前言 类型 太赫兹 + 超表面 太赫兹 + 超表面 太赫兹+超表面 期刊 A D V A N C E D    O P T I C A L    M A T E R I A L S ADVANCED \; OPTICAL \; MATERIALS

[VolgaCTF 2025] Baby-Welcome,BrokeBroke,Field Rules

这个就做了俩题&#xff0c;其实再努力点就是3个。不过最近也算是好成绩了&#xff0c;45名。国外的比赛对我来说还算是比较难的。 Baby-Welcome 这个流程还挺麻烦&#xff0c;先是注册用户&#xff0c;登录的用户可以给其它用户发消息。收到消息的用户可以显示消息&#xff…

再见VS Code!Google IDE 正颠覆传统开发体验

云端开发的革命&#xff1a;Google Project IDX 如何颠覆传统开发体验 在软件开发领域&#xff0c;Google 最新推出的 Project IDX 绝非仅仅是另一个“基于浏览器的 VS Code”——它是一次真正的范式转变。与 VS Code、Cursor 等传统工具不同&#xff0c;IDX 是一个完全云原生的…