Follow+Star PublicAccount, don’t miss the wonderful content
Author | strongerHuang
WeChat Public Account | Embedded Column
Some friends asked this question: Do I need to allocate a large stack for a task with a lot of code?
Actually, it’s not that the more code there is, the more stack space needs to be allocated. It mainly depends on the number of “temporary variables” included in your task.

1RTOS Task Stack Allocation
// Task priority
#define TASK_CHECK_PRIO 6
// Task stack size
#define TASK_CHECK_STK_SIZE 128
// Stack
OS_STK TaskCheckStk[TASK_CHECK_STK_SIZE];
// Create task - signal detection
OSTaskCreateExt((void (*)(void *)) AppTaskCheck, (void *) 0, (OS_STK *)&TaskCheckStk[TASK_CHECK_STK_SIZE-1], (INT8U ) TASK_CHECK_PRIO, (INT16U ) TASK_CHECK_PRIO, (OS_STK *)&TaskCheckStk[0], (INT32U ) TASK_CHECK_STK_SIZE, (void *) 0, (INT16U )(OS_TASK_OPT_STK_CHK | OS_TASK_OPT_STK_CLR));
// Task implementation
void AppTaskCheck(void *p_arg){ // Code···
(void)p_arg;
for(;;) { // Code··· }
}
#define TASK_CHECK_PRIO 6
#define TASK_CHECK_STK_SIZE 128
BaseType_t xReturn;
xReturn = xTaskCreate(AppTaskCheck, "AppTaskCheck", TASK_CHECK_STK_SIZE, NULL, TASK_CHECK_PRIO, NULL);
#define CLI_QUEUE_NUM 256 // Number of CLI receive queues
#define CLI_PACKAGE_LEN 2 // Length of CLI data packet
QueueHandle_t xCLIRcvQueue = NULL;
/* Create queue */
if(xCLIRcvQueue == NULL){ xCLIRcvQueue = xQueueCreate(CLI_QUEUE_NUM, CLI_PACKAGE_LEN);}
This is the allocation of stack when creating tasks (or queues). As for how much to allocate, it depends on your actual situation, which I will describe in the following sections.
2Task Code Size
// Task implementation
void AppTaskCheck(void *p_arg){ // Code···
(void)p_arg;
for(;;) { // Code··· }
}
There could be thousands of lines of code here, or it could call hundreds of functions, each with a lot of code inside.
Thus, the code size of this task becomes very large.
3Is There a Relationship Between Task Code Size and Stack Size?
Answer:Not necessarily. The task code size and stack do not have a direct relationship.
Many beginners may have a misconception: saving a task means saving all the code of that task (in the stack).
The stack mainly saves the task’s own variables (control blocks), as well as temporary variables and other key variable information, rather than saving all the code.
4How Much Stack Should Be Allocated?
void AppTaskCheck(void *p_arg){ static uint8_t aaa; // Static local variable
(void)p_arg;
for(;;) { // Code··· }
}

Click “Read Original” to see more shares.