问题描述:
- stm32L151使用RTC唤醒来退出stop模式,RTC运行但不能唤醒
- RTC唤醒成功后,进入stop模式前后功耗未发生明显变化,即进入stop模式的代码执行了,但是没有起作用。
环境
- keil5,库Keil.STM32L1xx_DFP.1.2.0,stm32cubemax4.25,库stm32cube FW_L1 V1.8.0,
1.RTC不能唤醒的问题
查看RTC标志位发现有变化,RTC依然在行走,中断标志出现,但是不进入中断函数。RTC不会因为复位而重置,而利用cube生成的RTC初始化代码里面(MX_RTC_Init())函数先判断后初始化,这里就出现了问题,在只复位的时候RTC的值不知道是多少,所以会直接跳过初始化。
下面是正确的初始化代码:
/* RTC init function */
static void MX_RTC_Init(void)
{
RTC_TimeTypeDef sTime;
RTC_DateTypeDef sDate;
/**Initialize RTC Only
*/
hrtc.Instance = RTC;
hrtc.Init.HourFormat = RTC_HOURFORMAT_24;
hrtc.Init.AsynchPrediv = 99;//根据自己需要设置
hrtc.Init.SynchPrediv = 369;//根据自己需要设置
hrtc.Init.OutPut = RTC_OUTPUT_DISABLE;
hrtc.Init.OutPutPolarity = RTC_OUTPUT_POLARITY_HIGH;
hrtc.Init.OutPutType = RTC_OUTPUT_TYPE_OPENDRAIN;
if (HAL_RTC_Init(&hrtc) != HAL_OK)
{
_Error_Handler(__FILE__, __LINE__);
}
if(HAL_RTCEx_BKUPRead(&hrtc, RTC_BKP_DR0) != 0x32F2){
/**Initialize RTC and set the Time and Date
*/
sTime.Hours = 0x0;
sTime.Minutes = 0x0;
sTime.Seconds = 0x0;
sTime.DayLightSaving = RTC_DAYLIGHTSAVING_NONE;
sTime.StoreOperation = RTC_STOREOPERATION_RESET;
if (HAL_RTC_SetTime(&hrtc, &sTime, RTC_FORMAT_BCD) != HAL_OK)
{
_Error_Handler(__FILE__, __LINE__);
}
sDate.WeekDay = RTC_WEEKDAY_MONDAY;
sDate.Month = RTC_MONTH_JANUARY;
sDate.Date = 0x1;
sDate.Year = 0x0;
if (HAL_RTC_SetDate(&hrtc, &sDate, RTC_FORMAT_BCD) != HAL_OK)
{
_Error_Handler(__FILE__, __LINE__);
}
HAL_RTCEx_BKUPWrite(&hrtc,RTC_BKP_DR0,0x32F2);
}
/**Enable the WakeUp
*/
if (HAL_RTCEx_SetWakeUpTimer_IT(&hrtc, 0, RTC_WAKEUPCLOCK_CK_SPRE_17BITS) != HAL_OK)
{
_Error_Handler(__FILE__, __LINE__);
}
}
2.stop模式功耗下不去,或者没进入
看下图,进入stop模式有条件,NOTE里面提到如果没有清那一堆东西就会忽略进入stop模式的代码而继续正常运行
stopMode.png办法:
HAL_PWR_EnterSTOPMode()函数已经实现了:
- set SLEEPDEEP bit
- clear PDDS bit in PWR_CR
- configuring LPSDSR bit in PWR_CR
所以还需要实现的有: - clear WUF bit in PWR_CSR
- reset all EXTI Line pending bits (in EXTI pending register (EXTI_PR)), all peripherals interrupt pending bits, the RTC Alarm (Alarm A and Alarm B), RTC wakeup, RTC tamper, and RTC time-stamp flags
以下代码根据自己情况设置
在HAL_PWR_EnterSTOPMode()函数中添加:
PWR->CSR = PWR->CSR & (~0x00000001);//清WUF位
EXTI->PR = 0x0FFFFFFF;//写1清除
RTC->ISR = 0;//写0清除
systick是系统时钟,运行时会产生中断,stop模式cpu不运行,且要求清所有中断,所以关闭它
注意:The SysTick timer clock is not stopped during the Stop mode debug (DBG_STOP bit set). The counter keeps on being decremented and can generate interrupts if they are enabled.
所以接着上面的代码在HAL_PWR_EnterSTOPMode()函数中添加
SysTick->CTRL = 0;
由于关闭了进入stop模式关闭了systick,所以退出stop模式时也重新运行systick。
在RTC回调唤醒函数中加入
SysTick->CTRL = SysTick_CTRL_CLKSOURCE_Msk |
SysTick_CTRL_TICKINT_Msk |
SysTick_CTRL_ENABLE_Msk;
网友评论