如何跟踪我的尾节点,以便快速返回其值。这是我到目前为止创建列表的方式,但我想编写一个函数,可以返回最后一个节点并从列表中删除它。不太确定从哪里开始
typedef struct node_t{
int val;
struct node_t *next;
}node_t;
int main(int argc, char *argv[])
{
int input;
node_t *list;
list = NULL;
list = push(1,list);
list = push(2,list);
list = push(3,list);
return 0;
}
node_t *push(int input, node_t *list)
{
if(list == NULL)
{
list = makeStack(input, list);
return list;
}
else
{
list->next = push(input,list->next);
}
return list;
}
答案 0 :(得分:1)
基本上有两种方法:
您可以使用以下函数计算最后一个节点的指针:
node_t * find_last( node_t * ptr )
{
/* is this node last? */
if ( ptr->next == NULL )
return ptr;
/* let's travel to last node */
do
ptr = ptr->next;
while ( ptr->next != NULL );
/* and then return it */
return ptr;
}
但是对于大型列表,这个功能可能很昂贵。
第二种方法要求您简单地将最后一个指针的值缓存在某种“基础”结构中。
typedef struct
{
node_t * first;
node_t * last;
} linked_list_t;