1/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 2// ==== Thread Management ==== 3/** 4\addtogroup CMSIS_RTOS_ThreadMgmt Thread Management 5\ingroup CMSIS_RTOS CMSIS_RTOSv2 6\brief Define, create, and control thread functions. 7\details 8The Thread Management function group allows defining, creating, and controlling thread functions in the system. 9 10\note Thread management functions cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 11 12\anchor ThreadStates 13Thread states 14------------- 15Threads can be in the following states: 16 17 - \b RUNNING: The thread that is currently running is in the \ref ThreadStates "RUNNING" state. Only one thread at a time can be in this 18 state. 19 - \b READY: Threads which are ready to run are in the \ref ThreadStates "READY" state. Once the \ref ThreadStates "RUNNING" thread has terminated, or is 20 \ref ThreadStates "BLOCKED", the next \ref ThreadStates "READY" thread with the highest priority becomes the \ref ThreadStates "RUNNING" thread. 21 - \b BLOCKED: Threads that are blocked either delayed, waiting for an event to occur or suspended are in the \ref ThreadStates "BLOCKED" 22 state. 23 - \b TERMINATED: When \ref osThreadTerminate is called, threads are \ref ThreadStates "TERMINATED" with resources not yet released (applies to \ref joinable_threads "joinable threads). 24 - \b INACTIVE: Threads that are not created or have been terminated with all resources released are in the \ref ThreadStates "INACTIVE" state. 25 26\image html "ThreadStatus.png" "Thread State and State Transitions" 27 28 29A CMSIS-RTOS assumes that threads are scheduled as shown in the figure <b>Thread State and State Transitions</b>. The thread 30states change as follows: 31 - A thread is created using the function \ref osThreadNew. This puts the thread into the \ref ThreadStates "READY" or \ref ThreadStates "RUNNING" state 32 (depending on the thread priority). 33 - CMSIS-RTOS is preemptive. The active thread with the highest priority becomes the \ref ThreadStates "RUNNING" thread provided it does not 34 wait for any event. The initial priority of a thread is defined with the \ref osThreadAttr_t but may be changed during 35 execution using the function \ref osThreadSetPriority. 36 - The \ref ThreadStates "RUNNING" thread transfers into the \ref ThreadStates "BLOCKED" state when it is delayed, waiting for an event or suspended. 37 - Active threads can be terminated any time using the function \ref osThreadTerminate. Threads can terminate also by just 38 returning from the thread function. Threads that are terminated are in the \ref ThreadStates "INACTIVE" state and typically do not consume 39 any dynamic memory resources. 40 41\anchor threadConfig_procmode 42Processor Mode for Thread Execution 43------------- 44 45When creating user threads with \ref osThreadNew it is possible to specify for each thread whether it shall be executed in privileged or unprivileged mode. For that the thread attributes argument shall have in its osThreadAttr_t::attr_bits flags either \ref osThreadPrivileged or \ref osThreadUnprivileged set respectively. 46If not set then the default operation mode will be used according to kernel configuration. 47 48For detailed differences between privileged and unprivileged mode, please refer to the User's Guide of the target processor. But typically following differences are specified: 49 50In **unprivileged processor mode**, the thread : 51 - has limited access to the MSR and MRS instructions, and cannot use the CPS instruction. 52 - cannot access the system timer, NVIC, or system control block. 53 - might have restricted access to memory or peripherals. 54 55In **privileged processor mode**, the application software can use all the instructions and has access to all resources. 56 57\anchor thread_examples 58Thread Examples 59=============== 60The following examples show various scenarios to create threads: 61 62<b>Example 1 - Create a simple thread</b> 63 64Create a thread out of the function thread1 using all default values for thread attributes and memory allocated by the system. 65 66\code 67__NO_RETURN void thread1 (void *argument) { 68 // ... 69 for (;;) {} 70} 71 72int main (void) { 73 osKernelInitialize(); 74 ; 75 osThreadNew(thread1, NULL, NULL); // Create thread with default settings 76 ; 77 osKernelStart(); 78} 79\endcode 80 81<b>Example 2 - Create thread with stack non-default stack size</b> 82 83Similar to the simple thread all attributes are default. The stack size is requested of size 1024 Bytes with with corresponding value passed as \ref osThreadAttr_t.stack_size to \ref osThreadNew. The memory for the stack is then allocated by the system. 84 85\code 86__NO_RETURN void thread1 (void *argument) { 87 // ... 88 for (;;) {} 89} 90 91const osThreadAttr_t thread1_attr = { 92 .stack_size = 1024 // Create the thread stack with a size of 1024 bytes 93}; 94 95int main (void) { 96 ; 97 osThreadNew(thread1, NULL, &thread1_attr); // Create thread with custom sized stack memory 98 ; 99} 100\endcode 101 102<b>Example 3 - Create thread with statically allocated stack</b> 103 104Similar to the simple thread all attributes are default. The stack is statically allocated using the \c uint64_t array 105\c thread1_stk_1. This allocates 64*8 Bytes (=512 Bytes) with an alignment of 8 Bytes (mandatory for Cortex-M stack memory). 106 107\ref osThreadAttr_t.stack_mem holds a pointer to the stacks lowest address. 108 109\ref osThreadAttr_t.stack_size is used to pass the stack size in Bytes to \ref osThreadNew. 110 111\code 112__NO_RETURN void thread1 (void *argument) { 113 // ... 114 for (;;) {} 115} 116 117static uint64_t thread1_stk_1[64]; 118 119const osThreadAttr_t thread1_attr = { 120 .stack_mem = &thread1_stk_1[0], 121 .stack_size = sizeof(thread1_stk_1) 122}; 123 124int main (void) { 125 ; 126 osThreadNew(thread1, NULL, &thread1_attr); // Create thread with statically allocated stack memory 127 ; 128} 129\endcode 130 131<b>Example 4 - Thread with statically allocated task control block</b> 132 133Typically this method is chosen together with a statically allocated stack as shown in Example 2. 134\code 135#include "cmsis_os2.h" 136 137//include rtx_os.h for control blocks of CMSIS-RTX objects 138#include "rtx_os.h" 139 140__NO_RETURN void thread1 (void *argument) { 141 // ... 142 for (;;) {} 143} 144 145static osRtxThread_t thread1_tcb; 146 147const osThreadAttr_t thread1_attr = { 148 .cb_mem = &thread1_tcb, 149 .cb_size = sizeof(thread1_tcb), 150}; 151 152int main (void) { 153 ; 154 osThreadNew(thread1, NULL, &thread1_attr); // Create thread with custom tcb memory 155 ; 156} 157\endcode 158 159<b>Example 5 - Create thread with a different priority</b> 160 161The default priority of RTX kernel is \token{osPriorityNormal}. Often you want to run a task with a higher or lower priority. Using the \ref osThreadAttr_t::priority field you can assign any initial priority required. 162 163\code 164__NO_RETURN void thread1 (void *argument) { 165 // ... 166 for (;;) {} 167} 168 169const osThreadAttr_t thread1_attr = { 170 .priority = osPriorityHigh //Set initial thread priority to high 171}; 172 173int main (void) { 174 ; 175 osThreadNew(thread1, NULL, &thread1_attr); 176 ; 177} 178\endcode 179 180\anchor joinable_threads 181<b>Example 6 - Joinable threads</b> 182 183In this example a master thread creates four threads with the \ref osThreadJoinable attribute. These will do some work and 184return using the \ref osThreadExit call after finished. \ref osThreadJoin is used to synchronize the thread termination. 185 186 187\code 188__NO_RETURN void worker (void *argument) { 189 ; // work a lot on data[] 190 osDelay(1000U); 191 osThreadExit(); 192} 193 194__NO_RETURN void thread1 (void *argument) { 195 osThreadAttr_t worker_attr; 196 osThreadId_t worker_ids[4]; 197 uint8_t data[4][10]; 198 199 memset(&worker_attr, 0, sizeof(worker_attr)); 200 worker_attr.attr_bits = osThreadJoinable; 201 202 worker_ids[0] = osThreadNew(worker, &data[0][0], &worker_attr); 203 worker_ids[1] = osThreadNew(worker, &data[1][0], &worker_attr); 204 worker_ids[2] = osThreadNew(worker, &data[2][0], &worker_attr); 205 worker_ids[3] = osThreadNew(worker, &data[3][0], &worker_attr); 206 207 osThreadJoin(worker_ids[0]); 208 osThreadJoin(worker_ids[1]); 209 osThreadJoin(worker_ids[2]); 210 osThreadJoin(worker_ids[3]); 211 212 osThreadExit(); 213} 214\endcode 215 216@{ 217*/ 218/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 219/** 220\typedef osThreadState_t 221\details 222State of a thread as retrieved by \ref osThreadGetState. In case \b osThreadGetState fails or if it is called from an ISR, it 223will return \c osThreadError, otherwise it returns the thread state. 224 225\var osThreadState_t::osThreadInactive 226\details The thread is created but not actively used, or has been terminated (returned for static control block allocation, when memory pools are used \ref osThreadError is returned as the control block is no longer valid) 227 228\var osThreadState_t::osThreadReady 229\details The thread is ready for execution but not currently running. 230 231\var osThreadState_t::osThreadRunning 232\details The thread is currently running. 233 234\var osThreadState_t::osThreadBlocked 235\details The thread is currently blocked (delayed, waiting for an event or suspended). 236 237\var osThreadState_t::osThreadTerminated 238\details The thread is terminated and all its resources are not yet freed (applies to \ref joinable_threads "joinable threads). 239 240\var osThreadState_t::osThreadError 241\details The thread does not exist (has raised an error condition) and cannot be scheduled. 242*/ 243 244/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 245/** 246\typedef osPriority_t 247\details 248 249The \b osPriority_t value specifies the priority for a thread. The default thread priority should be \a osPriorityNormal. 250If an active thread becomes ready that has a higher priority than the currently running thread then a thread switch occurs 251immediately. The system continues executing the thread with the higher priority. 252 253To prevent from a priority inversion, a CMSIS-RTOS compliant OS may optionally implement a <b>priority inheritance</b> 254method. A priority inversion occurs when a high priority thread is waiting for a resource or event that is controlled by a 255thread with a lower priority. Thus causing the high priority thread potentially being blocked forever by another thread 256with lower priority. To come over this issue the low priority thread controlling the resource should be treated as having 257the higher priority until it releases the resource. 258 259\note Priority inheritance only applies to mutexes. 260 261\var osPriority_t::osPriorityIdle 262\details This lowest priority should not be used for any other thread. 263 264\var osPriority_t::osPriorityISR 265\details This highest priority might be used by the RTOS implementation but must not be used for any user thread. 266*/ 267 268/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 269/** 270\typedef void (*osThreadFunc_t) (void *argument) 271\details Entry function for threads. Setting up a new thread (\ref osThreadNew) will start execution with a call into this 272entry function. The optional argument can be used to hand over arbitrary user data to the thread, i.e. to identify the thread 273or for runtime parameters. 274 275\param[in] argument arbitrary user data set on \ref osThreadNew. 276*/ 277 278/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 279/** 280\typedef osThreadId_t 281\details Returned by: 282- \ref osThreadNew 283- \ref osThreadGetId 284- \ref osThreadEnumerate 285- \ref osMutexGetOwner 286*/ 287 288/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 289/** 290\struct osThreadAttr_t 291\details Specifies the following attributes for the \ref osThreadNew function. 292*/ 293/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 294 295/** 296\def osErrorId 297\details Error return code from \ref osThreadGetClass and \ref osThreadGetZone. 298*/ 299/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 300 301/** 302\def osThreadJoinable 303\details 304Bitmask for a thread that can be joined. 305Intended for use in \e attr_bits of \ref osThreadAttr_t type argument for \ref osThreadNew function. 306 307A thread in this state can be joined using \ref osThreadJoin. 308*/ 309/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 310 311/** 312\def osThreadDetached 313\details 314Bitmask for a thread that cannot be joined. 315Intended for use in \e attr_bits of \ref osThreadAttr_t type argument for \ref osThreadNew function. 316 317A thread in this state cannot be joined using \ref osThreadJoin. 318*/ 319 320/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 321/** 322\def osThreadUnprivileged 323\details 324Bitmask for a thread that runs in unprivileged mode. 325Intended for use in \e attr_bits of \ref osThreadAttr_t type argument for \ref osThreadNew function. 326 327In \b unprivileged processor mode, a thread: 328- has limited access to the MSR and MRS instructions, and cannot use the CPS instruction. 329- cannot access the system timer, NVIC, or system control block. 330- might have restricted access to memory or peripherals. 331 332\note Ignored on processors that only run in privileged mode. 333 334Refer to the target processor User's Guide for details. 335*/ 336 337/** 338\def osThreadPrivileged 339\details 340Bitmask for a thread that runs in privileged mode. 341Intended for use in \e attr_bits of \ref osThreadAttr_t type argument for \ref osThreadNew function. 342 343In \b privileged processor mode, the application software can use all the instructions and has access to all resources. 344*/ 345 346/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 347/** 348\def osThreadZone(n) 349\param n MPU Protected Zone value. 350\details 351 352The preprocessor macro \b osThreadZone constructs attribute bitmask with MPU zone bits set to \a n. 353 354<b>Code Example:</b> 355\code 356/* ThreadB thread attributes */ 357const osThreadAttr_t thread_B_attr = { 358 .name = "ThreadB", // human readable thread name 359 .attr_bits = osThreadZone(3U) // assign thread to MPU zone 3 360}; 361\endcode 362*/ 363 364/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 365/** 366\def osThreadProcessor(n) 367\param n processor number, starting with n=0 for processor #0. The number of supported processors depend on the hardware. 368\details 369 370The preprocessor macro \b osThreadProcessor constructs the value for the osThreadAttr_t::affinity_mask derived from \a n. 371*/ 372 373 374/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 375/** 376\fn osThreadId_t osThreadNew (osThreadFunc_t func, void *argument, const osThreadAttr_t *attr) 377\details 378The function \b osThreadNew starts a thread function by adding it to the list of active threads and sets it to state 379\ref ThreadStates "READY". Arguments for the thread function are passed using the parameter pointer \a *argument. When the priority of the 380created thread function is higher than the current \ref ThreadStates "RUNNING" thread, the created thread function starts instantly and 381becomes the new \ref ThreadStates "RUNNING" thread. Thread attributes are defined with the parameter pointer \a attr. Attributes include 382settings for thread priority, stack size, or memory allocation. 383 384The function can be safely called before the RTOS is 385started (call to \ref osKernelStart), but not before it is initialized (call to \ref osKernelInitialize). 386 387The function \b osThreadNew returns the pointer to the thread object identifier or \token{NULL} in case of an error. 388 389\note Cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 390 391\b Code \b Example 392 393Refer to the \ref thread_examples "Thread Examples" section. 394*/ 395 396/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 397/** 398\fn const char *osThreadGetName (osThreadId_t thread_id) 399\details 400The function \b osThreadGetName returns the pointer to the name string of the thread identified by parameter \a thread_id or 401\token{NULL} in case of an error. 402 403\note This function may be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 404 405<b>Code Example</b> 406\code 407void ThreadGetName_example (void) { 408 osThreadId_t thread_id = osThreadGetId(); 409 const char* name = osThreadGetName(thread_id); 410 if (name == NULL) { 411 // Failed to get the thread name; not in a thread 412 } 413} 414\endcode 415*/ 416 417/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 418/** 419\fn uint32_t osThreadGetClass (osThreadId_t thread_id); 420\details 421The function \b osThreadGetClass returns safety class assigned to the thread identified by parameter \a thread_id. In case of an 422error, it returns \ref osErrorId. 423*/ 424 425/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 426/** 427\fn uint32_t osThreadGetZone (osThreadId_t thread_id); 428\details 429The function \b osThreadGetZone returns the MPU Protected Zone value assigned to the thread identified by parameter \a thread_id. 430In case of an error, it returns \ref osErrorId. 431*/ 432 433/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 434/** 435\fn osThreadId_t osThreadGetId (void) 436\details 437The function \b osThreadGetId returns the thread object ID of the currently running thread or NULL in case of an error. 438 439\note This function may be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 440 441<b>Code Example</b> 442\code 443void ThreadGetId_example (void) { 444 osThreadId_t id; // id for the currently running thread 445 446 id = osThreadGetId(); 447 if (id == NULL) { 448 // Failed to get the id 449 } 450} 451\endcode 452*/ 453/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 454/** 455\fn osThreadState_t osThreadGetState (osThreadId_t thread_id) 456\details 457The function \b osThreadGetState returns the state of the thread identified by parameter \a thread_id. In case it fails or 458if it is called from an ISR, it will return \c osThreadError, otherwise it returns the thread state (refer to 459\ref osThreadState_t for the list of thread states). 460 461\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 462*/ 463 464/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 465/** 466\fn osStatus_t osThreadSetPriority (osThreadId_t thread_id, osPriority_t priority) 467\details 468The function \b osThreadSetPriority changes the priority of an active thread specified by the parameter \a thread_id to the 469priority specified by the parameter \a priority. 470 471Possible \ref osStatus_t return values: 472 - \em osOK: the priority of the specified thread has been changed successfully. 473 - \em osErrorParameter: \a thread_id is \token{NULL} or invalid or \a priority is incorrect. 474 - \em osErrorResource: the thread is in an invalid state. 475 - \em osErrorISR: the function \b osThreadSetPriority cannot be called from interrupt service routines. 476 - \em osErrorSafetyClass: the calling thread safety class is lower than the safety class of the specified thread. 477 478\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 479 480<b>Code Example</b> 481\code 482#include "cmsis_os2.h" 483 484void Thread_1 (void const *arg) { // Thread function 485 osThreadId_t id; // id for the currently running thread 486 osStatus_t status; // status of the executed function 487 488 : 489 id = osThreadGetId(); // Obtain ID of current running thread 490 491 status = osThreadSetPriority(id, osPriorityBelowNormal); // Set thread priority 492 if (status == osOK) { 493 // Thread priority changed to BelowNormal 494 } 495 else { 496 // Failed to set the priority 497 } 498 : 499} 500\endcode 501*/ 502/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 503/** 504\fn osPriority_t osThreadGetPriority (osThreadId_t thread_id) 505\details 506The function \b osThreadGetPriority returns the priority of an active thread specified by the parameter \a thread_id. 507 508Possible \ref osPriority_t return values: 509 - \em priority: the priority of the specified thread. 510 - \em osPriorityError: priority cannot be determined or is illegal. It is also returned when the function is called from 511 \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 512 513\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 514 515<b>Code Example</b> 516\code 517#include "cmsis_os2.h" 518 519void Thread_1 (void const *arg) { // Thread function 520 osThreadId_t id; // id for the currently running thread 521 osPriority_t priority; // thread priority 522 523 id = osThreadGetId(); // Obtain ID of current running thread 524 priority = osThreadGetPriority(id); // Obtain the thread priority 525} 526\endcode 527*/ 528/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 529/** 530\fn osStatus_t osThreadYield (void) 531\details 532The function \b osThreadYield passes control to the next thread with the same priority that is in the \ref ThreadStates "READY" state. 533If there is no other thread with the same priority in state \ref ThreadStates "READY", then the current thread continues execution and 534no thread switch occurs. \b osThreadYield does not set the thread to state \ref ThreadStates "BLOCKED". Thus no thread with a lower 535priority will be scheduled even if threads in state \ref ThreadStates "READY" are available. 536 537Possible \ref osStatus_t return values: 538 - \em osOK: control has been passed to the next thread successfully. 539 - \em osError: an unspecified error has occurred. 540 - \em osErrorISR: the function \b osThreadYield cannot be called from interrupt service routines. 541 542\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 543\note This function <b>has no impact</b> when called when the kernel is locked, see \ref osKernelLock. 544 545<b>Code Example</b> 546\code 547#include "cmsis_os2.h" 548 549void Thread_1 (void const *arg) { // Thread function 550 osStatus_t status; // status of the executed function 551 : 552 while (1) { 553 status = osThreadYield(); 554 if (status != osOK) { 555 // an error occurred 556 } 557 } 558} 559\endcode 560*/ 561/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 562/** 563\fn osStatus_t osThreadSuspend (osThreadId_t thread_id) 564\details 565The function \b osThreadSuspend suspends the execution of the thread identified by parameter \em thread_id. The thread is put 566into the \ref ThreadStates "BLOCKED" state (\ref osThreadBlocked). Suspending the running thread will cause a context switch to another 567thread in \ref ThreadStates "READY" state immediately. The suspended thread is not executed until explicitly resumed with the function \ref osThreadResume. 568 569Threads that are already \ref ThreadStates "BLOCKED" are removed from any wait list and become ready when they are resumed. 570Thus it is not recommended to suspend an already blocked thread. 571 572Possible \ref osStatus_t return values: 573 - \em osOK: the thread has been suspended successfully. 574 - \em osErrorParameter: \a thread_id is \token{NULL} or invalid. 575 - \em osErrorResource: the thread is in an invalid state. 576 - \em osErrorISR: the function \b osThreadSuspend cannot be called from interrupt service routines. 577 - \em osErrorSafetyClass: the calling thread safety class is lower than the safety class of the specified thread. 578 579\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 580\note This function <b>must not</b> be called to suspend the running thread when the kernel is locked, i.e. \ref osKernelLock. 581 582*/ 583 584/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 585/** 586\fn osStatus_t osThreadResume (osThreadId_t thread_id) 587\details 588The function \b osThreadResume puts the thread identified by parameter \em thread_id (which has to be in \ref ThreadStates "BLOCKED" state) 589back to the \ref ThreadStates "READY" state. If the resumed thread has a higher priority than the running thread a context switch occurs immediately. 590 591The thread becomes ready regardless of the reason why the thread was blocked. Thus it is not recommended to resume a thread not suspended 592by \ref osThreadSuspend. 593 594Functions that will put a thread into \ref ThreadStates "BLOCKED" state are: 595\ref osEventFlagsWait and \ref osThreadFlagsWait, 596\ref osDelay and \ref osDelayUntil, 597\ref osMutexAcquire and \ref osSemaphoreAcquire, 598\ref osMessageQueueGet, 599\ref osMemoryPoolAlloc, 600\ref osThreadJoin, 601\ref osThreadSuspend. 602 603Possible \ref osStatus_t return values: 604 - \em osOK: the thread has been resumed successfully. 605 - \em osErrorParameter: \a thread_id is \token{NULL} or invalid. 606 - \em osErrorResource: the thread is in an invalid state. 607 - \em osErrorISR: the function \b osThreadResume cannot be called from interrupt service routines. 608 - \em osErrorSafetyClass: the calling thread safety class is lower than the safety class of the specified thread. 609 610\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 611\note This function <b>may be</b> called when kernel is locked (\ref osKernelLock). Under this circumstances 612 a potential context switch is delayed until the kernel gets unlocked, i.e. \ref osKernelUnlock or \ref osKernelRestoreLock. 613 614*/ 615 616/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 617/** 618\fn osStatus_t osThreadDetach (osThreadId_t thread_id) 619\details 620The function \b osThreadDetach changes the attribute of a thread (specified by \em thread_id) to \ref osThreadDetached. 621Detached threads are not joinable with \ref osThreadJoin. When a detached thread is terminated, all resources are returned to 622the system. The behavior of \ref osThreadDetach on an already detached thread is undefined. 623 624Possible \ref osStatus_t return values: 625 - \em osOK: the attribute of the specified thread has been changed to detached successfully. 626 - \em osErrorParameter: \a thread_id is \token{NULL} or invalid. 627 - \em osErrorResource: the thread is in an invalid state. 628 - \em osErrorISR: the function \b osThreadDetach cannot be called from interrupt service routines. 629 - \em osErrorSafetyClass: the calling thread safety class is lower than the safety class of the specified thread. 630 631\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 632*/ 633 634/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 635/** 636\fn osStatus_t osThreadJoin (osThreadId_t thread_id) 637\details 638The function \b osThreadJoin waits for the thread specified by \em thread_id to terminate. If that thread has already 639terminated, then \ref osThreadJoin returns immediately. The thread must be joinable. By default threads are created with the 640attribute \ref osThreadDetached. 641 642Possible \ref osStatus_t return values: 643 - \em osOK: if the thread has already been terminated and joined or once the thread has been terminated and the join 644 operations succeeds. 645 - \em osErrorParameter: \a thread_id is \token{NULL} or invalid. 646 - \em osErrorResource: the thread is in an invalid state (ex: not joinable). 647 - \em osErrorISR: the function \b osThreadJoin cannot be called from interrupt service routines. 648 - \em osErrorSafetyClass: the calling thread safety class is lower than the safety class of the specified thread. 649 650\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". <br> 651\note Only one thread shall call \b osThreadJoin to join the target thread. If multiple threads try to join simultaneously with the same thread, 652 the results are undefined. 653 654*/ 655 656/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 657/** 658\fn __NO_RETURN void osThreadExit (void) 659\details 660 661The function \b osThreadExit terminates the calling thread. This allows the thread to be synchronized with \ref osThreadJoin. 662 663\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 664 665\b Code \b Example 666\code 667__NO_RETURN void worker (void *argument) { 668 // do something 669 osDelay(1000U); 670 osThreadExit(); 671} 672\endcode 673*/ 674 675/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 676/** 677\fn osStatus_t osThreadTerminate (osThreadId_t thread_id) 678\details 679The function \b osThreadTerminate removes the thread specified by parameter \a thread_id from the list of active threads. If 680the thread is currently \ref ThreadStates "RUNNING", the thread terminates and the execution continues with the next \ref ThreadStates "READY" thread. If no 681such thread exists, the function will not terminate the running thread, but return \em osErrorResource. 682 683Possible \ref osStatus_t return values: 684 - \em osOK: the specified thread has been removed from the active thread list successfully. 685 - \em osErrorParameter: \a thread_id is \token{NULL} or invalid. 686 - \em osErrorResource: the thread is in an invalid state or no other \ref ThreadStates "READY" thread exists. 687 - \em osErrorISR: the function \b osThreadTerminate cannot be called from interrupt service routines. 688 - \em osErrorSafetyClass: the calling thread safety class is lower than the safety class of the specified thread. 689 690\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 691\note Avoid calling the function with a \em thread_id that does not exist or has been terminated already. 692\note \b osThreadTerminate destroys non-joinable threads and removes their thread_id from the system. Subsequent access to the 693thread_id (for example \ref osThreadGetState) will return an \ref osThreadError. Joinable threads will not be destroyed and 694return the status \ref osThreadTerminated until they are joined with \ref osThreadJoin. 695 696<b>Code Example</b> 697\code 698#include "cmsis_os2.h" 699 700void Thread_1 (void *arg); // function prototype for Thread_1 701 702void ThreadTerminate_example (void) { 703 osStatus_t status; 704 osThreadId_t id; 705 706 id = osThreadNew(Thread_1, NULL, NULL); // create the thread 707 // do something 708 status = osThreadTerminate(id); // stop the thread 709 if (status == osOK) { 710 // Thread was terminated successfully 711 } 712 else { 713 // Failed to terminate a thread 714 } 715} 716\endcode 717*/ 718 719/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 720/** 721\fn uint32_t osThreadGetStackSize (osThreadId_t thread_id) 722\details 723The function \b osThreadGetStackSize returns the stack size of the thread specified by parameter \a thread_id. In case of an 724error, it returns \token{0}. 725 726\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 727*/ 728 729/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 730/** 731\fn uint32_t osThreadGetStackSpace (osThreadId_t thread_id); 732\details 733The function \b osThreadGetStackSpace returns the size of unused stack space for the thread specified by parameter \a thread_id. In case of an error, it returns \token{0}. 734 735\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 736*/ 737 738/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 739/** 740\fn uint32_t osThreadGetCount (void) 741\details 742The function \b osThreadGetCount returns the number of active threads or \token{0} in case of an error. 743 744\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 745*/ 746 747/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 748/** 749\fn uint32_t osThreadEnumerate (osThreadId_t *thread_array, uint32_t array_items) 750\details 751The function \b osThreadEnumerate returns the number of enumerated threads or \token{0} in case of an error. 752 753\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 754*/ 755 756/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 757/** 758\fn osStatus_t osThreadFeedWatchdog (uint32_t ticks); 759\details 760The function \b osThreadFeedWatchdog restarts watchdog of the current running thread. If the thread watchdog is not fed again within the \a ticks interval \ref osWatchdogAlarm_Handler will be called. 761 762Possible \ref osStatus_t return values: 763 - \em osOK: the watchdog timer was restarted successfully. 764 - \em osError: cannot be executed (kernel not running). 765 - \em osErrorISR: the function \b osThreadFeedWatchdog cannot be called from interrupt service routines. 766 767\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 768 769<b>Code Example:</b> 770\code 771#include "cmsis_os2.h" 772 773void Thread_1 (void const *arg) { // Thread function 774 osStatus_t status; // Status of the executed function 775 : 776 while (1) { 777 status = osThreadFeedWatchdog(500U); // Feed thread watchdog for 500 ticks 778 // verify status value here 779 : 780 } 781} 782\endcode 783*/ 784 785/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 786/** 787\fn osStatus_t osThreadProtectPrivileged (void); 788\details 789The function \b osThreadProtectPrivileged disables creation of new privileged threads. After its successful execution, no new 790threads with privilege execution mode (\ref osThreadPrivileged attribute) can be created. 791Kernel shall be in ready state or running when \b osThreadProtectPrivileged is called. 792 793Possible \ref osStatus_t return values: 794 - \em osOK: the creation of new privileged threads is disabled. 795 - \em osError: cannot be executed (kernel not ready). 796 - \em osErrorISR: the function \b osThreadProtectPrivileged cannot be called from interrupt service routines. 797 798\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 799 800<b>Code Example:</b> 801\code 802#include "cmsis_os2.h" 803 804int main (void) { 805 osStatus_t status; 806 : 807 status = osKernelInitialize(); // Initialize CMSIS-RTOS2 kernel 808 // verify status value here. 809 : // Create privileged threads 810 status = osThreadProtectPrivileged(); // Disable creation of new privileged threads. 811 // verify status value here. 812 : // Start the kernel 813} 814\endcode 815*/ 816 817/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 818/** 819\fn osStatus_t osThreadSuspendClass (uint32_t safety_class, uint32_t mode); 820\details 821The function \b osThreadSuspendClass suspends execution of threads based on safety class assignment. \a safety_class provides the reference safety class value, while \a mode is considered as a bitmap that additionally specifies the safety classes to be suspended. 822 823If \ref osSafetyWithSameClass is set in \a mode than the threads with safety class value equal to \a safety_class will be suspended. 824<br> 825If \ref osSafetyWithLowerClass is set in \a mode than the threads with safety class value lower than \a safety_class will be suspended. 826 827Possible \ref osStatus_t return values: 828 - \em osOK: the threads with specified safety class have been suspended successfully. 829 - \em osErrorParameter: \a safety_class is invalid. 830 - \em osErrorResource: no other \ref ThreadStates "READY" thread exists. 831 - \em osErrorISR: the function \b osThreadSuspendClass is called from interrupt other than \ref osWatchdogAlarm_Handler. 832 - \em osErrorSafetyClass: the calling thread safety class is lower than the safety class specified by \a safety_class and \a mode. 833 834<b>Code Example:</b> 835\code 836#include "cmsis_os2.h" 837 838void SuspendNonCriticalClasses (void) { 839 osStatus_t status; 840 841 status = osThreadSuspendClass(4U, osSafetyWithSameClass | osSafetyWithLowerClass); // Suspends threads with safety class 4 or lower 842 // verify status value here. 843} 844\endcode 845*/ 846 847/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 848/** 849\fn osStatus_t osThreadResumeClass (uint32_t safety_class, uint32_t mode); 850\details 851The function \b osThreadResumeClass resumes execution of threads based on safety class assignment. \a safety_class provides the reference safety class value, while \a mode is considered as a bitmap that additionally specifies the safety classes to be resumed. 852 853If \ref osSafetyWithSameClass is set in \a mode than the threads with safety class value equal to \a safety_class will be resumed. 854<br> 855If \ref osSafetyWithLowerClass is set in \a mode than the threads with safety class value lower than \a safety_class will be resumed. 856 857 858Possible \ref osStatus_t return values: 859 - \em osOK: the threads with specified safety class have been resumed successfully. 860 - \em osErrorParameter: \a safety_class is invalid. 861 - \em osErrorISR: the function \b osThreadResumeClass is called from interrupt other than \ref osWatchdogAlarm_Handler. 862 - \em osErrorSafetyClass: the calling thread safety class is lower than the safety class specified by \a safety_class and \a mode. 863 864<b>Code Example:</b> 865\code 866#include "cmsis_os2.h" 867 868void ResumeNonCriticalClasses (void) { 869 osStatus_t status; 870 871 status = osThreadResumeClass(4U, osSafetyWithSameClass | osSafetyWithLowerClass); // Resumes threads with safety class 4 or lower 872 // verify status value here. 873} 874\endcode 875*/ 876 877/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 878/** 879\fn osStatus_t osThreadTerminateZone (uint32_t zone); 880\details 881The function \b osThreadTerminateZone terminates execution of threads assigned to the MPU Protected Zone as given by \a zone parameter. 882 883Possible \ref osStatus_t return values: 884 - \em osOK: the threads within the specified MPU Protected Zone have been terminated successfully. 885 - \em osErrorParameter: \a zone is invalid. 886 - \em osErrorResource: no other \ref ThreadStates "READY" thread exists. 887 - \em osErrorISR: the function \b osThreadTerminateZone is called from interrupt other than fault. 888 - \em osError: the function \b osThreadTerminateZone is called from thread. 889 890\note \b osThreadTerminateZone destroys non-joinable threads and removes their thread IDs from the system. Subsequent access to a terminated thread via its thread ID (for example \ref osThreadGetState) will return an \ref osThreadError. Joinable threads will not be destroyed and return the status \ref osThreadTerminated until they are joined with \ref osThreadJoin. 891 892<b>Code Example:</b> 893\code 894#include "cmsis_os2.h" 895 896void TerminateFaultedThreads (void) { // to be called from an exception fault context 897 osStatus_t status; 898 899 status = osThreadTerminateZone(3U); // Terminates threads assigned to MPU Protected Zone 3 900 // verify status value here. 901} 902\endcode 903*/ 904 905/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 906/** 907\fn osStatus_t osThreadSetAffinityMask (osThreadId_t thread_id, uint32_t affinity_mask); 908\details 909The function \b osThreadSetAffinityMask sets the affinity mask of the thread specified by parameter \a thread_id to the mask specified by the parameter \a affinity_mask. 910The mask indicates on which processor(s) the thread should run (\token{0} indicates on any processor). 911 912Possible \ref osStatus_t return values: 913 - \em osOK: the affinity mask of the specified thread has been set successfully. 914 - \em osErrorParameter: \a thread_id is \token{NULL} or invalid or \a affinity_mask is incorrect. 915 - \em osErrorResource: the thread is in an invalid state. 916 - \em osErrorISR: the function \b osThreadSetAffinityMask cannot be called from interrupt service routines. 917 - \em osErrorSafetyClass: the calling thread safety class is lower than the safety class of the specified thread. 918 919\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 920 921<b>Code Example</b> 922\code 923#include "cmsis_os2.h" 924 925void Thread_1 (void const *arg) { // Thread function 926 osThreadId_t id; // id for the currently running thread 927 osStatus_t status; // status of the executed function 928 929 id = osThreadGetId(); // Obtain ID of current running thread 930 931 status = osThreadSetAffinityMask(id, osThreadProcessor(1)); // run thread processor #1 932 if (status == osOK) { 933 // Thread affinity mask set to processor number 1 934 } 935 else { 936 // Failed to set the affinity mask 937 } 938} 939\endcode 940*/ 941 942/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 943/** 944\fn uint32_t osThreadGetAffinityMask (osThreadId_t thread_id); 945\details 946The function \b osThreadGetAffinityMask returns the affinity mask of the thread specified by parameter \a thread_id. 947In case of an error, it returns \token{0}. 948 949\note This function \b cannot be called from \ref CMSIS_RTOS_ISR_Calls "Interrupt Service Routines". 950 951<b>Code Example</b> 952\code 953#include "cmsis_os2.h" 954 955void Thread_1 (void const *arg) { // Thread function 956 osThreadId_t id; // id for the currently running thread 957 uint32_t affinity_mask; // thread affinity mask 958 959 id = osThreadGetId(); // Obtain ID of current running thread 960 affinity_mask = osThreadGetAffinityMask(id); // Obtain the thread affinity mask 961} 962\endcode 963*/ 964 965/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 966/** 967\fn uint32_t osWatchdogAlarm_Handler (osThreadId_t thread_id); 968\details 969The callback function \b osWatchdogAlarm_Handler is called by the kernel when a thread watchdog expires. 970Parameter \a thread_id identifies the thread which has the expired thread watchdog. 971The function needs to be implemented in user application. 972 973Return new reload value to restart the watchdog. Return \token{0} to stop the thread watchdog. 974 975\note The callback function is called from interrupt. 976 977\note 978When multiple watchdogs expire in the same tick, this function is called for each thread with highest safety class first. 979 980<b>Code Example:</b> 981\code 982#include "cmsis_os2.h" 983 984uint32_t osWatchdogAlarm_Handler (osThreadId_t thread_id) { 985 uint32_t safety_class; 986 uint32_t next_interval; 987 988 safety_class = osThreadGetClass(thread_id); 989 990 /* Handle the watchdog depending on how safety-critical is the thread */ 991 if (safety_class < ...){ 992 : 993 } else { 994 : 995 } 996 997 return next_interval; 998} 999\endcode 1000*/ 1001 1002/*=======0=========1=========2=========3=========4=========5=========6=========7=========8=========9=========0=========1====*/ 1003/** 1004\fn void osZoneSetup_Callback (uint32_t zone); 1005\details 1006The callback function \b osZoneSetup_Callback is called by the kernel when MPU Protected Zone changes. 1007The function shall be implemented in user application. 1008 1009<b>Code Example:</b> 1010\code 1011/* Update MPU settings for newly activating Zone */ 1012void osZoneSetup_Callback (uint32_t zone) { 1013 1014 if (zone >= ZONES_NUM) { 1015 //Issue an error for incorrect zone value 1016 } 1017 1018 ARM_MPU_Disable(); 1019 ARM_MPU_Load(mpu_table[zone], MPU_REGIONS); 1020 ARM_MPU_Enable(MPU_CTRL_PRIVDEFENA_Msk); 1021} 1022\endcode 1023 1024\c ZONES_NUM is the total amount of zones allocated by the application. 1025For \c ARM_MPU_... functions refer to <a href="../Core/group__mpu__functions.html"><b>MPU Functions</b></a> in CMSIS-Core documentation. 1026*/ 1027 1028/// @} 1029 1030 1031// these struct members must stay outside the group to avoid double entries in documentation 1032/** 1033 1034\var osThreadAttr_t::attr_bits 1035\details 1036The following bit masks can be used to set options: 1037 - \ref osThreadDetached : create thread in a detached mode (default). 1038 - \ref osThreadJoinable : create thread in \ref joinable_threads "joinable mode". 1039 - \ref osThreadUnprivileged : create thread to execute in unprivileged mode. 1040 - \ref osThreadPrivileged : create thread to execute in privileged mode. 1041 - \ref osThreadZone (m) : create thread assigned to MPU zone \token{m}. 1042 - \ref osSafetyClass (n) : create thread with safety class \token{n} assigned to it. 1043 1044Default: \token{0} no options set. Safety class and MPU Zone are inherited from running thread. Thread privilege mode is set based on configuration \ref threadConfig_procmode. 1045 1046\var osThreadAttr_t::cb_mem 1047\details 1048Pointer to a memory for the thread control block object. Refer to \ref CMSIS_RTOS_MemoryMgmt_Manual for more information. 1049 1050Default: \token{NULL} to use \ref CMSIS_RTOS_MemoryMgmt_Automatic for the thread control block. 1051 1052\var osThreadAttr_t::cb_size 1053\details 1054The size (in bytes) of memory block passed with \ref cb_mem. Required value depends on the underlying kernel implementation. 1055 1056Default: \token{0} as the default is no memory provided with \ref cb_mem. 1057 1058\var osThreadAttr_t::name 1059\details 1060Pointer to a constant string with a human readable name (displayed during debugging) of the thread object. 1061 1062Default: \token{NULL} no name specified (debugger may display function name instead). 1063 1064\var osThreadAttr_t::priority 1065\details 1066Specifies the initial thread priority with a value from #osPriority_t. 1067 1068Default: \token{osPriorityNormal}. 1069 1070\var osThreadAttr_t::stack_mem 1071\details 1072Pointer to a memory location for the thread stack (64-bit aligned). 1073 1074Default: \token{NULL} - the memory for the stack is provided by the system based on the configuration of underlying RTOS kernel . 1075 1076\var osThreadAttr_t::stack_size 1077\details 1078The size (in bytes) of the stack specified by \ref stack_mem. 1079 1080Default: \token{0} as the default is no memory provided with \ref stack_mem. 1081 1082\var osThreadAttr_t::tz_module 1083\details 1084\if (ARMv8M) 1085TrustZone Thread Context Management Identifier to allocate context memory for threads. The RTOS kernel that runs in 1086non-secure state calls the interface functions defined by the header file TZ_context.h. Can safely be set to zero 1087for threads not using secure calls at all. 1088See <a href="../Core/group__context__trustzone__functions.html">TrustZone RTOS Context Management</a>. 1089 1090Default: \token{0} not thread context specified. 1091\else 1092Applicable only for devices on Armv8-M architecture. Ignored on others. 1093\endif 1094 1095\var osThreadAttr_t::affinity_mask 1096\details 1097Use the \ref osThreadProcessor macro to create the mask value. Multiple processors can be specified by OR-ing values. 1098 1099Default: value \token{0} is RTOS implementation specific and may map to running on processor #0 or on any processor. 1100*/ 1101