Stima V4 Slave RAIN  4.2
freeRTOS_lptimTick.c
Go to the documentation of this file.
1 
49 #include "FreeRTOS.h"
50 #include "task.h"
51 #include "stm32l4xx.h"
52 
53 // This FreeRTOS port "extension" for STM32 uses LPTIM to generate the OS tick instead of the systick
54 // timer. The benefit of the LPTIM is that it continues running in "stop" mode as long as its clock source
55 // does. A typical clock source for the LPTIM is LSE (or LSI), which does keep running in stop mode.
56 //
57 // The resulting FreeRTOS port:
58 //
59 // o Allows use of low-power stop modes during tickless idle, while still keeping kernel time.
60 // o Eliminates kernel-time drift associated with tickless idle in official FreeRTOS port
61 // o Eliminates kernel-time drift caused by rounding the OS tick to a whole number of timer counts.
62 // o Avoids drift and errors found in other LPTIM implementations available from ST or the public domain.
63 // o Detects/reports ticks dropped due to the application masking interrupts (the tick ISR) for too long.
64 //
65 // This software is currently adapted for STM32L4(+) but is easily adaptable to (or already compatible
66 // with) any STM32 that provides an LPTIM peripheral, such as STM32L, STM32F, STM32G, STM32H, STM32W, and the
67 // new STM32U.
68 
69 
70 // Terminology
71 //
72 // "Count" - What a timer does in its "count" register (CNT).
73 //
74 // "Tick" - The OS tick, made up of some number of timer counts.
75 
76 
77 // Perfect Tick Frequency
78 //
79 // This software optionally varies the number of timer counts per OS tick to achieve the target OS tick
80 // frequency. The OS tick generally occurs no more than half a timer count early or half a timer count late
81 // compared to the ideal tick time. This is especially useful with a 32768Hz reference on LSE and a desired
82 // 1000Hz system tick. In that case, this software uses 32-count and 33-count tick durations as needed to
83 // stay on the 1000Hz tick schedule. No matter how you set configLPTIM_REF_CLOCK_HZ and configTICK_RATE_HZ,
84 // this software stays precisely on schedule.
85 //
86 // You can disable this feature and instead use a simple, constant number of timer counts per OS tick by
87 // defining configLPTIM_ENABLE_PRECISION to 0. Your effective tick rate will be as close as possible to
88 // configTICK_RATE_HZ while using a constant number of counts per tick. For example, with a 32768 Hz clock
89 // and an ideal tick frequency of 1000 Hz, the actual tick frequency is ~993 Hz.
90 
91 
92 // Silicon Bug
93 //
94 // The LPTIM has a silicon bug that can cause the CPU to be temporarily stuck in the LPTIM ISR with no
95 // way for the CPU to clear the IRQ. The silicon bug is not documented by ST (yet), but the "stuck" condition
96 // appears to last one full count of the LPTIM. It seems to occur only when the application is using the MCU
97 // "stop" power modes.
98 //
99 // Any attempt to use stop mode in the window between a "match" and the CMPM one count later causes the
100 // match interrupt to be asserted (early), and it cannot be cleared until the CMPM flag is set. Additionally,
101 // any attempt to use stop mode during the timer count after a CMPM event that we tried to suppress too late
102 // also results in the entire count duration stuck in the ISR. By "suppress too late", we mean write a new
103 // value to CMP just before a CMPM event.
104 //
105 // As a workaround, the application should be sure that configTICK_INTERRUPT_PRIORITY is a lower priority
106 // than application interrupts. We considered a workaround in this file but realized that our only viable
107 // recourse is to avoid stop mode at strategic times, but those time windows last several timer counts. Using
108 // sleep mode instead of stop mode for several counts is more costly than the silicon bug itself, which uses
109 // run mode instead of stop mode for one timer count (stuck in interrupt handlers).
110 
111 
112 // Quirks of LPTIM
113 //
114 // The following "quirks" indicate that LPTIM is designed for PWM output control and not for generating
115 // timed interrupts. This software overcomes all of them.
116 //
117 // o Writes to CMP are delayed by a sync mechanism inside the timer. The sync takes ~3 timer counts.
118 // o During the synchronization process, additional writes to CMP are prohibited.
119 // o CMPOK (sync completion) comes *after* the CMP value is asynchronously available for match events.
120 // o The match condition is not simply "CNT == CMP" but is actually "CNT >= CMP && CNT != ARR".
121 // o The timer sets CMPM (and optional IRQ) one timer count *after* the match condition is reached.
122 // o With a new CMP value, the timer must first be in a "no-match" condition to generate a match event.
123 // o Setting CMP == ARR is prohibited. See below.
124 // o Changing IER (interrupt-enable register) is prohibited while LPTIM is enabled.
125 // o The CPU can get stuck temporarily in the LPTIM ISR when using stop mode. See "Silicon Bug" above.
126 //
127 // This software sets ARR to 0xFFFF permanently and modifies CMP to arrange each next tick interrupt.
128 // Due to the rule against setting CMP == ARR, we never set CMP to 0xFFFF. If the ideal CMP value for a tick
129 // interrupt is 0xFFFF, we use 0 instead.
130 
131 
132 // Side Effects
133 //
134 // o Tick Overhead. OS ticks generated by this software have more overhead than ticks generated by the
135 // official port code. In most applications, the overhead doesn't make any real difference. Our tick ISR
136 // is longer by a handful of CPU instructions, and we execute a 2nd, very short ISR in between ticks.
137 //
138 // o Tick IRQ Priority. The tick IRQ priority must be high enough that no combination of ISRs can block its
139 // execution for longer than 1 tick. See configTICK_INTERRUPT_PRIORITY (below) for more information.
140 // However, the application may safely mask interrupts for longer than 1 tick, rare as that need may be.
141 // (One common example is for "fast-programming" flash memory on STM32.) In that case, this software even
142 // reports dropped ticks afterward via traceTICKS_DROPPED().
143 //
144 // o Tick Jitter. When precision is enabled (configLPTIM_ENABLE_PRECISION), ticks generated by this
145 // software have jitter, as described above in "Perfect Tick Frequency". In most applications, jitter in
146 // the tick periods is not a concern.
147 
148 
149 #if ( !defined(configUSE_TICKLESS_IDLE) || configUSE_TICKLESS_IDLE != 2 )
150 #warning Please edit FreeRTOSConfig.h to define configUSE_TICKLESS_IDLE as 2 *or* exclude this file.
151 #else
152 
153 #ifdef xPortSysTickHandler
154 #warning Please edit FreeRTOSConfig.h to eliminate the preprocessor definition for xPortSysTickHandler.
155 #endif
156 
157 
158 // Symbol configTICK_INTERRUPT_PRIORITY, optionally defined in FreeRTOSConfig.h, controls the tick
159 // interrupt priority. Most applications should define configTICK_INTERRUPT_PRIORITY to be
160 // configLIBRARY_LOWEST_INTERRUPT_PRIORITY because the tick doesn't need a high priority. But if your
161 // application has long ISRs, you may need to increase the priority of the tick. The tick priority must be
162 // high enough that no combination of ISRs at or above its priority level can block the tick ISR for longer
163 // than 1 tick. But the priority must not be higher than configLIBRARY_MAX_SYSCALL_INTERRUPT_PRIORITY
164 // (meaning that the value of configTICK_INTERRUPT_PRIORITY must not be numerically lower).
165 //
166 // Be sure to consider the information in "Silicon Bug" above before increasing the interrupt priority of
167 // the system tick.
168 //
169 #ifndef configTICK_INTERRUPT_PRIORITY
170 #define configTICK_INTERRUPT_PRIORITY configLIBRARY_LOWEST_INTERRUPT_PRIORITY // default only; see above
171 #endif
172 
173 // Symbol configTICK_USES_LSI, optionally defined in FreeRTOSConfig.h, is defined only when LPTIM should
174 // use LSI as the clock instead of LSE. By default, however, this software configures LPTIM to use LSE
175 // because a key feature of this software is timing accuracy -- no drift in tickless idle.
176 //
177 #ifdef configTICK_USES_LSI
178  #define LPTIMSEL_Val 1 // LSI
179  #define IS_REF_CLOCK_READY() (RCC->CSR & RCC_CSR_LSIRDY)
180 #else
181  #define LPTIMSEL_Val 3 // LSE
182  #define IS_REF_CLOCK_READY() (RCC->BDCR & RCC_BDCR_LSERDY)
183 #endif
184 
185 // Symbol configLPTIM_REF_CLOCK_HZ, optionally defined in FreeRTOSConfig.h, is the frequency of the
186 // selected reference clock or source clock for LPTIM. If configTICK_USES_LSI is defined, then
187 // configLPTIM_REF_CLOCK_HZ equals the frequency of LSI (typically 32000 Hz or 37000 Hz depending on the MCU).
188 // Otherwise, configLPTIM_REF_CLOCK_HZ equals the frequency of LSE (usually 32768 Hz).
189 //
190 #ifndef configLPTIM_REF_CLOCK_HZ
191 #define configLPTIM_REF_CLOCK_HZ 32768UL
192 #endif
193 
194 // Symbol configLPTIM_ENABLE_PRECISION, optionally defined in FreeRTOSConfig.h, allows a configuration to
195 // eliminate the arithmetic in this software that maintains configTICK_RATE_HZ with perfect precision, as
196 // described above in "Perfect Tick Frequency". The arithmetic corrects for any error in rounding the desired
197 // tick duration to a whole number of timer counts. No matter how you set the precision option, this software
198 // eliminates the drift normally associated with tickless idle. The precision option is enabled by default
199 // because it has a very small footprint by all measures (flash, RAM, execution time). However, because the
200 // precision feature requires additional division operations, Cortex M0 users may consider disabling it. CM0
201 // does not have a native divide instruction, so division operations are a little slow on that platform.
202 //
203 #ifndef configLPTIM_ENABLE_PRECISION
204 #define configLPTIM_ENABLE_PRECISION 1
205 #endif
206 
207 // If the application masks interrupts (specifically the tick interrupt) long enough to drop a tick, then
208 // the tick ISR calls this trace macro to report the condition along with the number of ticks dropped. You
209 // can define this macro in FreeRTOSConfig.h. Remember that the macro executes from within the tick ISR.
210 // Also be aware that the ISR resets the phase of the ticks after calling this macro.
211 //
212 // If ticks are dropped and you did *not* mask the tick interrupt long enough to drop a tick, you
213 // probably have ISRs blocking the tick ISR for too long. This is a serious issue that requires changes to
214 // your design. Please see configTICK_INTERRUPT_PRIORITY above.
215 //
216 #ifndef traceTICKS_DROPPED
217 #define traceTICKS_DROPPED(x)
218 #endif
219 
220 #define LPTIM_CLOCK_HZ ( configLPTIM_REF_CLOCK_HZ )
221 
222 static TickType_t xMaximumSuppressedTicks; // We won't try to sleep longer than this many ticks during
223  // tickless idle because any longer might confuse the logic in
224  // our implementation.
225 
226 static uint32_t ulTimerCountsForOneTick; // A "baseline" tick has this many timer counts. The
227  // baseline tick is as close as possible to the ideal duration
228  // but is a whole number of timer counts.
229 
230 #if ( configLPTIM_ENABLE_PRECISION != 0 )
231 
232  static int lSubcountErrorPerTick; // A "baseline" tick has this much error, measured in timer
233  // subcounts. There are configTICK_RATE_HZ subcounts per
234  // count. When this field is negative, the baseline tick is a
235  // little too long because we rounded "up" to the nearest
236  // whole number of counts per tick. When this field is
237  // positive, the baseline tick is a little too short because
238  // we rounded "down" to the nearest whole number of counts per
239  // tick.
240 
241  static volatile int lRunningSubcountError; // This error accumulator never exceeds half a count, or
242  // configTICK_RATE_HZ/2. When this field is negative, the
243  // next tick is slightly late; when this field is positive,
244  // the next tick is slightly early. This field allows us to
245  // schedule each tick on the timer count closest to the ideal
246  // tick time.
247 
248 #endif // configLPTIM_ENABLE_PRECISION
249 
250 #if ( configTICK_ENABLE_UWTICK_PRECISION != 0 )
251 
252  static uint32_t uwTickSuppressedSystem; // A "system" tick read suppressed time isTickNowSuppressed
253  // elapsed function sleep running, for update System sysTick
254 
255 #endif // configTICK_ENABLE_UWTICK_PRECISION
256 
257 static volatile uint16_t usIdealCmp; // This field doubles as a write cache for LPTIM->CMP and a
258  // way to remember that we set CMP to 0 because 0xFFFF isn't
259  // allowed (hardware limitation).
260 
261 static volatile uint8_t isCmpWriteInProgress; // This field helps us remember when we're waiting for the
262  // CMP write to finish. We must not write to CMP while a
263  // previous write is still in progress.
264 
265 static volatile uint8_t isTickNowSuppressed; // This field helps the tick ISR determine whether
266  // usIdealCmp is in the past or the future.
267 
268 // LPTIM Instance Selection
269 //
270 // If your MCU has multiple LPTIM instances, you must (1) select the instance you want this software to
271 // use for the OS tick by updating the the following three #defines, and (2) change the first five statements
272 // of vPortSetupTimerInterrupt() to match your selection. The default configuration is for LPTIM1 because it
273 // operates even in the lowest-power STOP level.
274 //
275 // If your MCU has only one LPTIM instance, you may or may not need to update these three #defines. But
276 // you must change the first five statements of vPortSetupTimerInterrupt() to match your STM32.
277 //
278 #ifdef configLPTIM_SRC_LPTIM1
279  #define LPTIM LPTIM1
280  #define LPTIM_IRQn LPTIM1_IRQn
281  #define LPTIM_IRQHandler LPTIM1_IRQHandler
282 #endif
283 #ifdef configLPTIM_SRC_LPTIM2
284  #define LPTIM LPTIM2
285  #define LPTIM_IRQn LPTIM2_IRQn
286  #define LPTIM_IRQHandler LPTIM2_IRQHandler
287 #endif
288 
289 // Automatic LPTIM TO LPTIM1
290 #ifndef LPTIM
291 #define LPTIM LPTIM1
292 #define LPTIM_IRQn LPTIM1_IRQn
293 #define LPTIM_IRQHandler LPTIM1_IRQHandler
294 #define configLPTIM_SRC_LPTIM1
295 #endif
296 
299 void vPortSetupTimerInterrupt( void )
300 {
301  // Enable the APB clock to the LPTIM. Then select either LSE or LSI as the kernel clock for the
302  // LPTIM. Then be sure the LPTIM "freezes" when the debugger stops program execution. Then reset the
303  // LPTIM just in case it was already in use prior to this function.
304  //
305  // Modify these statements as needed for your STM32. See LPTIM Instance Selection (above) for
306  // additional information.
307  //
308  #ifdef configLPTIM_SRC_LPTIM1
309  RCC->APB1ENR1 |= RCC_APB1ENR1_LPTIM1EN;
310  MODIFY_REG(RCC->CCIPR, RCC_CCIPR_LPTIM1SEL, LPTIMSEL_Val << RCC_CCIPR_LPTIM1SEL_Pos);
311  DBGMCU->APB1FZR1 |= DBGMCU_APB1FZR1_DBG_LPTIM1_STOP;
312  RCC->APB1RSTR1 |= RCC_APB1RSTR1_LPTIM1RST; // Reset the LPTIM module per erratum 2.14.1.
313  RCC->APB1RSTR1 &= ~RCC_APB1RSTR1_LPTIM1RST;
314  #endif
315  #ifdef configLPTIM_SRC_LPTIM2
316  RCC->APB1ENR2 |= RCC_APB1ENR2_LPTIM2EN;
317  MODIFY_REG(RCC->CCIPR, RCC_CCIPR_LPTIM2SEL, LPTIMSEL_Val << RCC_CCIPR_LPTIM2SEL_Pos);
318  DBGMCU->APB1FZR2 |= DBGMCU_APB1FZR2_DBG_LPTIM2_STOP;
319  RCC->APB1RSTR2 |= RCC_APB1RSTR2_LPTIM2RST; // Reset the LPTIM module per erratum 2.14.1.
320  RCC->APB1RSTR2 &= ~RCC_APB1RSTR2_LPTIM2RST;
321  #endif
322  #ifdef STM32WL // <-- "Family" symbol is defined in the ST device header file, e.g., "stm32wlxx.h".
323  {
324  #define EXTI_IMR1_LPTIM1 (1UL << 29)
325  #define EXTI_IMR1_LPTIM2 (1UL << 30)
326  #define EXTI_IMR1_LPTIM3 (1UL << 31)
327 
328  // Users of STM32WL must also change this next statement to match their LPTIM instance selection.
329  // By default these MCU's disable wake-up from deep sleep via LPTIM. An oversight by ST?
330  //
331  #ifdef configLPTIM_SRC_LPTIM1
332  EXTI->IMR1 |= EXTI_IMR1_LPTIM1;
333  #endif
334  #ifdef configLPTIM_SRC_LPTIM2
335  EXTI->IMR1 |= EXTI_IMR1_LPTIM2;
336  #endif
337  #ifdef configLPTIM_SRC_LPTIM3
338  EXTI->IMR1 |= EXTI_IMR1_LPTIM3;
339  #endif
340  }
341  #endif
342 
343  // Be sure the reference clock is ready. If this assertion fails, be sure your application code
344  // starts the reference clock (LSE or LSI) prior to starting FreeRTOS.
345  //
346  configASSERT(IS_REF_CLOCK_READY());
347 
348  // Calculate the constants required to configure the tick interrupt.
349  //
350  ulTimerCountsForOneTick = ( LPTIM_CLOCK_HZ + ( configTICK_RATE_HZ / 2 ) ) / configTICK_RATE_HZ;
351  configASSERT( ulTimerCountsForOneTick >= 4UL ); // CLOCK frequency must be at least 3.5x TICK frequency
352 
353  // Calculate the maximum number of ticks we can suppress. Give 1 OS tick of margin between clearly
354  // future match events and clearly past match events. Anything within the previous one tick is clearly
355  // past, within one tick before that is in the margin between, which we call the past for convenience.
356  // Everything else is in the future when isTickNowSuppressed is true and in the past otherwise. And
357  // set up a couple of other things for the precision feature, if enabled.
358 
359  #if ( configLPTIM_ENABLE_PRECISION == 0 )
360  {
361  xMaximumSuppressedTicks = 65536UL / ulTimerCountsForOneTick - 1 - 1;
362  }
363  #else
364  {
365  xMaximumSuppressedTicks = 65536UL * configTICK_RATE_HZ / LPTIM_CLOCK_HZ - 1 - 1;
366 
367  // For convenience, the code above rounded *up* if the ideal number of counts per tick is exactly
368  // X.5. So we might calculate lSubcountErrorPerTick to be -(configTICK_RATE_HZ/2) but never
369  // +(configTICK_RATE_HZ/2). If you get a build error on this line, be sure configTICK_RATE_HZ is a
370  // simple numeric literal (eg, 1000UL) with no C typecasting (eg, (TickType_t) 1000).
371  //
372  #if ( LPTIM_CLOCK_HZ % configTICK_RATE_HZ_LITERAL < configTICK_RATE_HZ_LITERAL/2 )
373  #define IS_SUBCOUNT_EPT_POSITIVE 1
374  #else
375  #define IS_SUBCOUNT_EPT_POSITIVE 0
376  #endif
377 
378  lSubcountErrorPerTick = LPTIM_CLOCK_HZ - ( ulTimerCountsForOneTick * configTICK_RATE_HZ );
379  configASSERT( lSubcountErrorPerTick != configTICK_RATE_HZ / 2 );
380  }
381  #endif // configLPTIM_ENABLE_PRECISION
382 
383 
384  // Configure and start LPTIM.
385  //
386  LPTIM->IER = LPTIM_IER_CMPMIE | LPTIM_IER_CMPOKIE; // Modify this register only when LPTIM is disabled.
387  LPTIM->CFGR = (0 << LPTIM_CFGR_PRESC_Pos); // Modify this register only when LPTIM is disabled.
388  LPTIM->CR = LPTIM_CR_ENABLE;
389  LPTIM->ARR = 0xFFFF; // timer period = ARR + 1. Modify this register only when LPTIM is enabled.
390  LPTIM->CMP = ulTimerCountsForOneTick; // Modify this register only when LPTIM is enabled.
391  isCmpWriteInProgress = pdTRUE;
392  usIdealCmp = ulTimerCountsForOneTick;
393  #if ( configLPTIM_ENABLE_PRECISION != 0 )
394  {
395  lRunningSubcountError = lSubcountErrorPerTick;
396  }
397  #endif // configLPTIM_ENABLE_PRECISION
398  LPTIM->CR |= LPTIM_CR_CNTSTRT;
399 
400  // Enable the timer interrupt at the configured priority. See configTICK_INTERRUPT_PRIORITY for
401  // important details.
402  //
403  NVIC_SetPriority( LPTIM_IRQn, configTICK_INTERRUPT_PRIORITY );
404  NVIC_EnableIRQ( LPTIM_IRQn );
405 }
406 
412 void vPortSuppressTicksAndSleep( TickType_t xExpectedIdleTime )
413 {
414  // Limit the time we plan to spend in tickless idle. LPTIM has only so much range.
415  //
416  if (xExpectedIdleTime > xMaximumSuppressedTicks)
417  {
418  xExpectedIdleTime = xMaximumSuppressedTicks;
419  }
420 
421  // Determine the number of "extra" timer counts to add to the compare register, which is currently set
422  // for the next tick. Because the next tick is less than one tick away, we know we won't set the compare
423  // register more than xMaximumSuppressedTicks (in timer counts) from the *current* CNT value.
424  //
425  #if ( configLPTIM_ENABLE_PRECISION != 0 )
426  uint32_t ulExtraCounts = (xExpectedIdleTime - 1UL) * LPTIM_CLOCK_HZ / configTICK_RATE_HZ;
427  int32_t lExtraError = (xExpectedIdleTime - 1UL) * LPTIM_CLOCK_HZ % configTICK_RATE_HZ;
428  #else
429  uint32_t ulExtraCounts = (xExpectedIdleTime - 1UL) * ulTimerCountsForOneTick;
430  #endif // configLPTIM_ENABLE_PRECISION
431 
432  // Enter a critical section so we can safely check the sleep-mode status. But don't use
433  // taskENTER_CRITICAL() because on many platforms that function masks interrupts that we need to exit sleep
434  // mode. We must stay in the critical section until we go to sleep so that any interrupt starting now
435  // wakes us up from sleep.
436  //
437  __disable_irq();
438  // __ISB() is not needed here. The CPSID instruction used by __disable_irq() is self synchronizing.
439 
440  // If a context switch is pending or a task is waiting for the scheduler to be unsuspended, then
441  // abandon the low power entry and the critical section. This status cannot change while interrupts are
442  // masked.
443  //
444  if (eTaskConfirmSleepModeStatus() == eAbortSleep)
445  {
446  __enable_irq();
447  }
448  else
449  {
450  #if ( configLPTIM_ENABLE_PRECISION != 0 )
451  {
452  // Adjust ulExtraCounts if needed to maintain proper alignment. We left lExtraError positive
453  // above instead of minimizing its absolute value, so we don't need to check the final value of
454  // lRunningSubcountError for being too negative.
455  //
456  lRunningSubcountError += lExtraError;
457  if (lRunningSubcountError > (int)(configTICK_RATE_HZ/2))
458  {
459  ulExtraCounts++;
460  lRunningSubcountError -= configTICK_RATE_HZ;
461  }
462  }
463  #endif // configLPTIM_ENABLE_PRECISION
464 
465  // Before we suppress the tick by modifying usIdealCmp (and eventually CMP), make a note that the
466  // tick is now suppressed. The order isn't actually important because we're in a critical section. The
467  // tick ISR uses this field to help it determine whether usIdealCmp is in the past or in the future.
468  //
469  // Our design relies on the tick interrupt having high enough priority that other ISRs can't delay
470  // the tick ISR too much while isTickNowSuppressed is true. Too much delay would cause the ISR to
471  // reject the tick at the end of the delay because the tick would appear to be still in the future, but
472  // we need that tick, either to get us out of the loop below or to help us decide if we reached the tick
473  // after the loop.
474  //
475  isTickNowSuppressed = pdTRUE;
476 
477  #if ( configTICK_ENABLE_UWTICK_PRECISION != 0 )
478  // Clone uwTick value to calculate systemTick Real value in LowPower Mode from xCompleteTickPeriods
479  uwTickSuppressedSystem = uwTick;
480  #endif
481 
482  // Add the extra counts to the upcoming timer interrupt. If we can't write to the CMP register
483  // right now, the ISR for CMPOK will do it for us. If the timer happens to match on the old value
484  // before the new value takes effect (any time after we mask interrupts above), the tick ISR rejects it
485  // as a tick when we unmask interrupts below.
486  //
487  usIdealCmp += ulExtraCounts; // (usIdealCmp is a uint16_t)
488  if (!isCmpWriteInProgress)
489  {
490  isCmpWriteInProgress = pdTRUE;
491  LPTIM->CMP = usIdealCmp == 0xFFFF ? 0 : usIdealCmp; // never write 0xFFFF to CMP (HW rule)
492  }
493  uint32_t ulExpectedEndCmp = usIdealCmp;
494 
495  // Because our implementation uses an interrupt handler to process a successful write to CMP, we
496  // use a loop here so we won't return to our caller merely for that interrupt. Nor will we return for a
497  // tick ISR that rejects the tick as described above, nor for any other ISR that doesn't make a task
498  // ready to execute. And don't worry about ISRs changing how long the OS expects to be idle; FreeRTOS
499  // doesn't let ISRs do that -- not even the xTimerXyzFromISR() functions. Those functions merely queue
500  // jobs for the timer task, which from our perspective is a task now ready to execute.
501  //
502  // Stay in the loop until an ISR makes a task ready to execute or until the timer reaches the end
503  // of the sleep period. We identify the end of the sleep period by recognizing that the tick ISR has
504  // modified usIdealCmp for the next tick after the sleep period ends.
505  //
506  do
507  {
508  // Give the application a chance to arrange for the deepest sleep it can tolerate right now.
509  // Also give it an opportunity to provide its own WFI or WFE instruction. (In that case, it sets
510  // xModifiableIdleTime = 0.) After the sleep, give the application a chance to restore clocks or
511  // take other recovery measures related to deep sleep.
512  //
513  // Note that we don't recalculate xModifiableIdleTime in the case of multiple passes through
514  // this loop, even though the amount of expected idle time does shrink with each pass. We don't want
515  // to burden this loop with those calculations because the typical ISR requests a context switch,
516  // inducing an exit from this loop, not another pass. The CMPOK interrupt is the exception, and is
517  // the primary reason for this loop, but it comes within one tick anyway, so there is no need to
518  // recalculate xModifiableIdleTime for that case.
519  //
520  TickType_t xModifiableIdleTime = xExpectedIdleTime;
521  configPRE_SLEEP_PROCESSING( xModifiableIdleTime );
522  if (xModifiableIdleTime > 0)
523  {
524  // // Wait for an interrupt.
525  // //
526  // __DSB();
527  // __WFI();
528  // __ISB(); // required when debugging in low-power modes (ie, DBGMCU->CR != 0) on some MCUs.
529  }
530  configPOST_SLEEP_PROCESSING( (const TickType_t)xExpectedIdleTime );
531 
532  // Re-enable interrupts, and then execute the ISR tied to the interrupt that brought the MCU out
533  // of sleep mode.
534  //
535  __enable_irq();
536  __ISB(); // ISB is recommended by ARM; not strictly needed in Cortex-M when __disable_irq() is next.
537 
538  // Disable interrupts for our call to eTaskConfirmSleepModeStatus() and in case we iterate again
539  // in the loop.
540  //
541  __disable_irq();
542  // __ISB() is not needed here. The CPSID instruction used by __disable_irq() is self synchronizing.
543 
544  } while (usIdealCmp == ulExpectedEndCmp && eTaskConfirmSleepModeStatus() != eAbortSleep);
545 
546  // Re-enable interrupts. We try our best to support short ISR latency, especially for interrupt
547  // priorities higher than configMAX_SYSCALL_INTERRUPT_PRIORITY.
548  //
549  __enable_irq();
550 
551  // Determine how many tick periods elapsed during our sleep. And if something other than the tick
552  // timer woke us up, reschedule the tick that would normally come after the ones we've just skipped (if
553  // any).
554  //
555  // Begin by assuming we managed to stay asleep the entire time. In that case, the tick ISR already
556  // added one tick (well, actually the ISR "pended" the increment because the scheduler is currently
557  // suspended, but it's all the same to us), so we use "- 1" here.
558  //
559  TickType_t xCompleteTickPeriods = xExpectedIdleTime - (TickType_t) 1;
560 
561  // We identify that we reached the end of the expected idle time by noting that the tick ISR has
562  // modified usIdealCmp. So if it hasn't, then we probably have to reschedule the next tick as described
563  // above. We temporarily mask the tick interrupt while we make the assessment and manipulate usIdealCmp
564  // (and CMP) if necessary. We also mask any interrupts at or below its interrupt priority since those
565  // interrupts are allowed to use consecutive execution time enough to cause us to miss ticks.
566  //
567  portDISABLE_INTERRUPTS();
568  if (usIdealCmp == ulExpectedEndCmp)
569  {
570  // Something else woke us up. See how many timer counts we still had left, and then use that
571  // number to determine how many OS ticks actually elapsed. Then reschedule the next tick exactly
572  // where it would have been.
573 
574  // Get a coherent copy of the current count value in the timer. The CNT register is clocked
575  // asynchronously, so we keep reading it until we get the same value during a verification read.
576  //
577  uint32_t ulCurrCount;
578  do ulCurrCount = LPTIM->CNT; while (ulCurrCount != LPTIM->CNT);
579 
580  // See how many timer counts we still had left, but don't include the timer count currently
581  // underway. If a tick happens to align with the beginning of the timer count currently underway, we
582  // consider it already suppressed. Or, in the case we didn't suppress any ticks, if the timer count
583  // currently underway is the first one of a tick period, then that tick must have happened before the
584  // idle task disabled the scheduler and called this function. We don't want to reschedule *that*
585  // interrupt.
586  //
587  // Several conditions can cause ulFullCountsLeft to be "negative" here, meaning that we actually
588  // have reached the end of the expected idle time and now merely need to allow the ISR to execute.
589  // First, CNT may have incremented after we masked interrupts but before we captured ulCurrCount.
590  // Second, LPTIM generates the CMPM IRQ one count *after* the match event. Third, when usIdealCmp is
591  // 0xFFFF, we set CMP to 0x0000, which when combined with the first two cases, could easily leave
592  // countsLeft set to -3 (65533). And finally, interrupts with priority above
593  // configMAX_SYSCALL_INTERRUPT_PRIORITY can delay our capture of ulCurrCount. That delay is limited
594  // to less than one tick duration by stated requirement. No need to do anything if ulFullCountsLeft
595  // is "negative". In fact there's no need to do anything if ulFullCountsLeft is less than a whole
596  // tick, but xFullTicksLeft (below) determines that.
597  //
598  uint32_t ulFullCountsLeft = (uint16_t)(usIdealCmp - ulCurrCount - 1UL);
599  #if ( configLPTIM_ENABLE_PRECISION == 0 )
600  if (ulFullCountsLeft < xMaximumSuppressedTicks * ulTimerCountsForOneTick)
601  #else
602  if (ulFullCountsLeft <= xMaximumSuppressedTicks * LPTIM_CLOCK_HZ / configTICK_RATE_HZ) // See below
603  #endif // configLPTIM_ENABLE_PRECISION
604  {
605  // Now calculate how many "full" or whole ticks we had left in our expected idle time. If
606  // there are zero full ticks left, then the next scheduled tick interrupt is the one we want
607  // anyway. But if the time left amounts to at least one full tick, then reschedule the first tick
608  // interrupt that we haven't yet skipped. And update xCompleteTickPeriods not to count the ones
609  // we haven't skipped.
610  //
611  TickType_t xFullTicksLeft;
612  #if ( configLPTIM_ENABLE_PRECISION != 0 )
613  {
614  xFullTicksLeft = ulFullCountsLeft * configTICK_RATE_HZ / LPTIM_CLOCK_HZ;
615  if (xFullTicksLeft == xExpectedIdleTime)
616  {
617  // For efficiency, the rescheduling code below might count a tick that occurs at the
618  // very next timer count, even before that count occurs, instead scheduling the subsequent
619  // tick. With a slow timer, the timer might *still* not have made that count as we arrive
620  // here again. Correct xFullTicksLeft for that case here. This same case can cause
621  // ulFullCountsLeft to be equal to the max above (and not necessarily less) -- see above.
622  //
623  xFullTicksLeft = xExpectedIdleTime - (TickType_t)1;
624  }
625  }
626  #else
627  {
628  xFullTicksLeft = ulFullCountsLeft / ulTimerCountsForOneTick;
629  }
630  #endif // configLPTIM_ENABLE_PRECISION
631 
632  // Verify that we calculated a sensible number of full ticks remaining in the expected idle
633  // time. If this assertion fails, then the tick ISR was delayed too long by other ISR(s). You
634  // must either reduce the execution times of your ISRs, decrease their priorities, or increase the
635  // priority of the tick ISR. See the description of configTICK_INTERRUPT_PRIORITY for details.
636  //
637  configASSERT( xFullTicksLeft < xExpectedIdleTime );
638 
639  if (xFullTicksLeft != 0)
640  {
641  xCompleteTickPeriods -= xFullTicksLeft;
642 
643  // Reschedule the next timer interrupt; it's one we had expected to suppress. Also,
644  // correct lRunningSubcountError because it still reflects the error we'll have at the end of
645  // the expected idle time. Modify it to reflect the error at the time of the tick interrupt
646  // we're rescheduling now.
647  //
648  uint32_t ulFullTicksLeftAsCounts;
649  #if ( configLPTIM_ENABLE_PRECISION != 0 )
650  {
651  ulFullTicksLeftAsCounts = xFullTicksLeft * LPTIM_CLOCK_HZ / configTICK_RATE_HZ;
652  lExtraError = xFullTicksLeft * LPTIM_CLOCK_HZ % configTICK_RATE_HZ;
653  lRunningSubcountError -= lExtraError;
654  if (lRunningSubcountError < -(int)(configTICK_RATE_HZ/2))
655  {
656  ulFullTicksLeftAsCounts++;
657  lRunningSubcountError += configTICK_RATE_HZ;
658  }
659  }
660  #else
661  {
662  ulFullTicksLeftAsCounts = xFullTicksLeft * ulTimerCountsForOneTick;
663  }
664  #endif // configLPTIM_ENABLE_PRECISION
665 
666  usIdealCmp -= ulFullTicksLeftAsCounts; // usIdealCmp is a uint16_t
667  if (!isCmpWriteInProgress)
668  {
669  isCmpWriteInProgress = pdTRUE;
670  LPTIM->CMP = usIdealCmp == 0xFFFF ? 0 : usIdealCmp; // never write 0xFFFF to CMP (HW rule)
671  }
672  }
673  }
674  }
675 
676  // Set isTickNowSuppressed back to false before we unmask the tick interrupt so the ISR has a
677  // chance to identify any ticks missed while we had the tick interrupt masked. Any missed ticks here
678  // indicate a configuration error. No combination of ISRs above the tick priority may execute for
679  // longer than a tick. See configTICK_INTERRUPT_PRIORITY.
680  //
681  isTickNowSuppressed = pdFALSE;
682  portENABLE_INTERRUPTS();
683 
684  // Increment the tick count by the number of (full) "extra" ticks we waited. Function
685  // vTaskStepTick() asserts that this function didn't oversleep. Note that we don't have to worry about
686  // modifying xTickCount count here while the tick count ISR is enabled because the scheduler is
687  // currently suspended. That causes the tick ISR to accumulate ticks into a pended-ticks field.
688  //
689  vTaskStepTick( xCompleteTickPeriods );
690 
691  #if ( configTICK_ENABLE_UWTICK_PRECISION != 0 )
692  // Adding uwTick Offset to systemTick in LowPower Mode from xCompleteTickPeriods
693  // Check expected period to real tick executed in lowPowerMode and update SysTick
694  if(xCompleteTickPeriods > (uwTick - uwTickSuppressedSystem)) {
695  uwTick = uwTick + ((uint32_t)(xCompleteTickPeriods - (uwTick - uwTickSuppressedSystem)));
696  }
697  #endif
698 
699  }
700 }
701 
703 void LPTIM_IRQHandler( void )
704 {
705  // Whether we are running this ISR for a CMPOK interrupt or a CMPM interrupt (or both), we need to see
706  // if it's time for a tick. Think of it as interrupt-induced polling. The synchronization mechanism that
707  // controls writes to CMP can cause us to miss CMPM events or to delay them while we wait to write the new
708  // CMP value while a previous write is still ongoing.
709  //
710  // There are two ways we can lose a CMPM interrupt. First, with very high CMP values (near 0xFFFF),
711  // if the counter reaches 0xFFFF before the sync mechanism finishes, the timer won't identify the match.
712  // And second, with *any* CMP value that becomes available to the timer a little too late, the timer won't
713  // identify a *new* match if the previous CMP value already matched and was lower than the new CMP value.
714  // Either one of these conditions might occur in a single execution of vPortSuppressTicksAndSleep(). When
715  // that function stops a sleep operation early due to an application interrupt, it tries to revert to
716  // wherever the next scheduled tick should be. In so doing, it may write a CMP value that is imminent.
717  // That CMP value may be "very high", or it may be numerically larger than the previous compare value, as
718  // it would be for a reversion that "unwraps" from a CMP value in the next counter epoch back through
719  // 0xFFFF to a CMP value in the current epoch.
720  //
721  // So we proceed now to identify a tick, whether we have a CMPM interrupt or not.
722 
723  // Acknowledge and clear the CMPM event. Based on the errata, we dare not clear this flag unless it
724  // is already set. Call it an over-abundance of caution.
725  //
726  if (LPTIM->ISR & LPTIM_ISR_CMPM)
727  {
728  LPTIM->ICR = LPTIM_ICR_CMPMCF;
729  }
730 
731  // Get a coherent copy of the current count value in the timer. The CNT register is clocked
732  // asynchronously, so we keep reading it until we get the same value during a verification read. Then
733  // determine how "late" we are in responding to the timer interrupt request. Normally, we're one count
734  // late because LPTIM raises the CMPM interrupt one count *after* the match event. Use usIdealCmp in this
735  // determination because it reliably reflects the match time we want right now, regardless of the sync
736  // mechanism for CMP.
737  //
738  uint32_t ulCountValue;
739  do ulCountValue = LPTIM->CNT; while (ulCountValue != LPTIM->CNT);
740  uint32_t ulCountsLate = (uint16_t)(ulCountValue - usIdealCmp);
741 
742  // If we're more than one full tick late, then the application masked interrupts for too long. That
743  // condition is typically an indication of a design flaw, so we don't take heroic measures here to avoid
744  // dropping the tick(s) we missed or to keep upcoming ticks in proper phase. Instead, we just resume the
745  // tick starting right away. Without this correction, a "missed" tick could drop all ticks for a long time
746  // -- until the timer came back around to the CMP value again.
747  //
748  // Be sure not to misinterpret other conditions though. When the tick is suppressed and scheduled for
749  // more than one tick from now, it looks like we're late. And when the tick is not suppressed, and we're
750  // still waiting for an upcoming tick, it looks like we're very, very late. In those cases, we're not
751  // actually late, and there is no tick right now.
752  //
753  if (ulCountsLate >= ulTimerCountsForOneTick &&
754  ulCountsLate < 65536UL - 1 - ulTimerCountsForOneTick &&
755  !isTickNowSuppressed)
756  {
757  // Optionally report the number of ticks dropped. (No need for precision here.) Then arrange to
758  // count the tick (below) and to schedule the next tick based on the current timer value.
759  //
760  traceTICKS_DROPPED( ulCountsLate / ulTimerCountsForOneTick );
761  usIdealCmp = ulCountValue;
762  ulCountsLate = 0;
763  }
764 
765  // If the ideal CMP value is in the recent past -- within one OS tick time -- then count the tick.
766  //
767  // The condition of this one "if" statement handles several important cases. First, it temporarily
768  // ignores the unwanted match condition that occurs when vPortSuppressTicksAndSleep() wraps CMP into the
769  // next timer epoch. Second, it helps us ignore an imminent tick that vPortSuppressTicksAndSleep() is
770  // trying to suppress but may occur anyway due to the CMP sync mechanism. Third, it helps us honor an
771  // interrupt that vPortSuppressTicksAndSleep() has restored even if it happens a little bit late due to the
772  // sync mechanism, and even if that interrupt occurs before its corresponding CMPOK event occurs (happens
773  // occasionally). And finally, it helps us honor a tick that vPortSuppressTicksAndSleep() has restored,
774  // but when the timer appears to have missed the match completely as explained above.
775  //
776  if (ulCountsLate < ulTimerCountsForOneTick)
777  {
778  // We officially have an OS tick. Count it, and set up the next one.
779 
780  uint32_t ulNumCounts = ulTimerCountsForOneTick;
781  #if ( configLPTIM_ENABLE_PRECISION != 0 )
782  {
783  lRunningSubcountError += lSubcountErrorPerTick;
784  #if ( IS_SUBCOUNT_EPT_POSITIVE )
785  {
786  if (lRunningSubcountError >= (int)(configTICK_RATE_HZ/2))
787  {
788  ulNumCounts++;
789  lRunningSubcountError -= configTICK_RATE_HZ;
790  }
791  }
792  #else
793  {
794  if (lRunningSubcountError <= -(int)(configTICK_RATE_HZ/2))
795  {
796  ulNumCounts--;
797  lRunningSubcountError += configTICK_RATE_HZ;
798  }
799  }
800  #endif // IS_SUBCOUNT_EPT_POSITIVE
801  }
802  #endif // configLPTIM_ENABLE_PRECISION
803 
804  // Set up the next tick interrupt. We must check isCmpWriteInProgress here as usual, in case CMPM
805  // can come before CMPOK.
806  //
807  usIdealCmp += ulNumCounts; // usIdealCmp is a uint16_t
808  if (!isCmpWriteInProgress)
809  {
810  LPTIM->CMP = usIdealCmp == 0xFFFF ? 0 : usIdealCmp; // never write 0xFFFF to CMP (HW rule)
811  isCmpWriteInProgress = pdTRUE;
812  }
813 
814  // Tell the OS about the tick. We don't need to bother saving and restoring the current BASEPRI
815  // setting because (1) we cannot possibly already be in a critical section and (2) the NVIC won't take
816  // interrupts of lower priority than LPTIM even when we set BASEPRI to zero until our ISR ends.
817  //
818  portDISABLE_INTERRUPTS();
819  BaseType_t xWasHigherPriorityTaskWoken = xTaskIncrementTick();
820  portENABLE_INTERRUPTS();
821 
822  portYIELD_FROM_ISR(xWasHigherPriorityTaskWoken);
823  }
824 
825 
826  // Now that we've given as much time as possible for any CMP write to be finished, see if it has
827  // finished. We may have a new value to write after handling CMPM above. Handling CMPOK last in this ISR
828  // isn't very important, but it is a slight optimization over other ordering.
829  //
830  if (LPTIM->ISR & LPTIM_ISR_CMPOK)
831  {
832  // Acknowledge and clear the CMPOK event.
833  //
834  LPTIM->ICR = LPTIM_ICR_CMPOKCF;
835 
836  // If there is a "pending" write operation to CMP, do it now. Otherwise, make note that the write
837  // is now complete. Remember to watch for CMP set to 0 when usIdealCmp is 0xFFFF. There's no pending
838  // write in that case.
839  //
840  if ((uint16_t)(LPTIM->CMP - usIdealCmp) > 1UL)
841  {
842  LPTIM->CMP = usIdealCmp == 0xFFFF ? 0 : usIdealCmp; // never write 0xFFFF to CMP (HW rule)
843  // isCmpWriteInProgress = pdTRUE; // already true here in the handler for write completed
844  }
845  else
846  {
847  isCmpWriteInProgress = pdFALSE;
848  }
849  }
850 }
851 
852 #endif // configUSE_TICKLESS_IDLE == 2
#define configPOST_SLEEP_PROCESSING(x)
#define configPRE_SLEEP_PROCESSING(x)