我正在为操作系统课程做一个项目。任务是实现一个用于处理线程的库,类似于pthreads
,但要简单得多。它的目的是练习调度算法。最终产品是一个.a
文件。课程结束了,一切正常(就功能而言)。
不过,我对我遇到的一个问题感到好奇。在我的源文件的三个不同函数上,如果我添加以下行,例如:
fprintf(stderr, "My lucky number is %d\n", 4);
我得到一个分段错误。stdout
如果改为使用,或者格式不包含任何变量,则不会发生同样的情况。
这给我留下了两个主要问题:
为什么它只发生在我的代码的三个函数中,而不是其他函数?
getcontext()
是否可以使用and创建上下文,或者使用标准文件描述符makecontext()
更改上下文?setcontext()
swapcontext()
我的直觉说这些功能可能是造成这种情况的原因。考虑到发生这种情况的代码的三个函数是具有代码其他部分切换到的上下文的函数,甚至更多。通常 bysetcontext()
用于swapcontext()
进入调度程序,用于选择另一个线程来执行。
此外,如果是这种情况,那么:
- 使用这些函数创建线程的正确方法是什么?
我目前正在执行以下操作:
/*------------------------------------------------------------------------------
Funct: Creates an execution context for the function and arguments passed.
Input: uc -> Pointer where the context will be created.
funct -> Function to be executed in the context.
arg -> Argument to the function.
Return: If the function succeeds, 0 will be returned. Otherwise -1.
------------------------------------------------------------------------------*/
static int create_context(ucontext_t *uc, void *funct, void *arg)
{
if(getcontext(uc) != 0) // Gets a context "model"
{
return -1;
}
stack_t *sp = (stack_t*)malloc(STACK_SIZE); // Stack area for the execution context
if(!sp) // A stack area is mandatory
{
return -1;
}
uc->uc_stack.ss_sp = sp; // Sets stack pointer
uc->uc_stack.ss_size = STACK_SIZE; // Sets stack size
uc->uc_link = &context_end; // Sets the context to go after execution
makecontext(uc, funct, 1, arg); // "Makes everything work" (can't fail)
return 0;
}
这段代码可能稍作修改,但它最初是一个关于如何使用 u_context 的在线示例。