我正在尝试通过指向指针的方式设置链表头。我可以在函数内部看到头指针的地址正在改变但是当我返回主程序时它再次变为NULL。谁能告诉我我做错了什么?
#include <stdio.h>
#include <stdlib.h>
typedef void(*fun_t)(int);
typedef struct timer_t {
int time;
fun_t func;
struct timer_t *next;
}TIMER_T;
void add_timer(int sec, fun_t func, TIMER_T *head);
void run_timers(TIMER_T **head);
void timer_func(int);
int main(void)
{
TIMER_T *head = NULL;
int time = 1;
fun_t func = timer_func;
while (time < 1000) {
printf("\nCalling add_timer(time=%d, func=0x%x, head=0x%x)\n", time,
func, &head);
add_timer(time, func, head);
time *= 2;
}
run_timers(&head);
return 0;
}
void add_timer(int sec, fun_t func, TIMER_T *head)
{
TIMER_T ** ppScan=&head;
TIMER_T *new_timer = NULL;
new_timer = (TIMER_T*)malloc(sizeof(TIMER_T));
new_timer->time = sec;
new_timer->func = func;
new_timer->next = NULL;
while((*ppScan != NULL) && (((**ppScan).time)<sec))
ppScan = &(*ppScan)->next;
new_timer->next = *ppScan;
*ppScan = new_timer;
}
答案 0 :(得分:2)
你错了路。 函数需要使用双指针,调用者需要使用地址:
{ // caller
TIMER_T *head = NULL;
do_something(&head);
}
void do_something(TIMER_T ** p) // callee
{
*p = malloc(sizeof(TIMER_T*));
// etc.
}
答案 1 :(得分:1)
由于C函数参数通过传递值而不是地址,因此您不会传递任何变量的地址你的电话:
add_timer(time, func, head);
所以在add_time
函数范围之外都不会更改它们。
您可能需要做的是传递head
的地址:
add_timer(time, func, &head);
和
void add_timer(int sec, fun_t func, TIMER_T **head)
{
TIMER_T ** ppScan = head;
// ...
}