如果程序可以在执行过程中被中断,然后在之前的调用完成执行之前被安全地再次调用(“重新输入”),则该程序被称为可重入程序。中断可能是由内部动作(例如,跳转或呼叫)引起的,也可能是由外部动作(例如,中断或信号)引起的。重新输入的调用完成后,先前的调用将恢复正确的执行。
以下哪个程序不可重入?
(一种)
int t;
void swap(int *x, int *y)
{
t = *x;
*x = *y;
// hardware interrupt might invoke isr() here!
*y = t;
}
void isr()
{
int x = 1, y = 2;
swap(&x, &y);
}
(B)
int t;
void swap(int *x, int *y)
{
int s;
s = t; // save global variable
t = *x;
*x = *y;
// hardware interrupt might invoke isr() here!
*y = t;
t = s; // restore global variable
}
void isr()
{
int x = 1, y = 2;
swap(&x, &y);
}
(C)
void swap(int *x, int *y)
{
int t = *x;
*x = *y;
// hardware interrupt might invoke isr() here!
*y = t;
}
void isr()
{
int x = 1, y = 2;
swap(&x, &y);
}
(D)这些都不是答案: (A)
说明:无法重入的swap()函数的选项(A)中给出的代码。
这个问题的测验