我正在尝试实现一个与push相反的函数:它检索 存储在链表的头节点中的值,然后从链表中删除该节点。
参数头指向链表中的第一个节点。
我正在尝试使函数将列表头节点中的值复制到参数popped_value指向的位置,然后取消头节点与列表的链接并返回指向修改列表中第一个节点的指针。
这是我到目前为止的代码。我真的坚持这一点,非常感谢任何帮助。谢谢。
typedef struct intnode {
int value;
struct intnode *next;
} intnode_t;
intnode_t *pop(intnode_t *head, int *popped_value) {
assert(head!=NULL);
head = head->next;
popped_value=&head->value;
free(head);
return head;
}
答案 0 :(得分:0)
您展示的节目似乎是“转变”,真正的“流行”在“转变”下方描述。
Shift:您想要返回指向下一个项目(而不是当前头部)的指针,并将popped_value
设置为当前头部值
intnode_t *shift(intnode_t *head, int *popped_value) {
assert(head!=NULL);
// get next pointer here, since 'head' cannot be used after it's been freed
intnode_t *next = head->next;
// sets the int variable which pointer is given as argument to
// the current head value
*popped_value = head->value;
// you can now free head without worries
free(head);
// and return the next element (becoming the new head)
return next;
}
例如,被称为
int myvalue;
intnode_t *newhead = shift(head, &myvalue);
请注意,此操作通常命名为 shift ,因为您从列表中获取第一个项目值,然后删除该元素。 pop 通常是指(将popped_value
设置为最后项目值),然后移除最后一个元素。
pop 就像
intnode_t *pop(intnode_t *head, int *popped_value) {
assert(head!=NULL);
intnode_t *last,*previous;
// get last and last's previous element
for(previous=NULL,last=head ; last->next ; last=last->next) previous=last;
// get the last value
*popped_value = last->value;
// free last element
free(last);
// If at least two elements, tell the previous one there is no more
if (previous) previous->next = NULL; // previous is last now
// return the head or NULL if there no more element
// (previous is NULL if there was only one element, initially)
return previous ? head : NULL;
}
此算法假定最后一个元素的next
指针设置为NULL
。返回值将再次为head
(前往列表)或NULL
如果列表只有一个元素告诉调用者列表中没有更多元素存活。
你这样称呼'pop'
int myvalue;
// head had to be declared and initialized before
head = pop(head, &myvalue);
if ( ! head) { // no more element
break; // for instance, depending on your program
}
由于您是学生,这里是 pop 的递归版本,它可以做同样的事情
intnode_t *recpop(intnode_t *this, int *popped_value) {
if (this->next) {
// this is not the last element
intnode_t *next = recpop(this->next, popped_value);
// next element was the last
if ( ! next) this->next = NULL;
}
else {
// this is the last element
*popped_value = this->value;
free(this);
this = NULL;
}
return this;
}
为你的学习。
答案 1 :(得分:-1)
typedef struct intnode {
int value;
struct intnode *next;
} intnode_t;
intnode_t *pop(intnode_t *head, int *popped_value) {
popped_value = &head->value;
intnode_t *tmp;
tmp = head;
head = head->next;
free(tmp);
return head;
}