题目:
给你一个链表的头节点 head 和一个整数 val ,请你删除链表中所有满足 Node.val == val 的节点,并返回 新的头节点 。
示例 1:
输入:head = [1,2,6,3,4,5,6], val = 6
输出:[1,2,3,4,5]
示例 2:
输入:head = [], val = 1
输出:[]
示例 3:
输入:head = [7,7,7,7], val = 7
输出:[]
题解1:
总体上的思路就是把等于val的值删除,把不等于val的值尾插到新链表中,这跟我们之前的顺序表的题不同,顺序表把原有的元素拿下来还需要开新的空间,而我们这里不需要以空间换时间,这里不是整体连续的,每个结点都是独立的。正常删除链表中的节点,即被删除的前一个节点指针域指向被删除节点的下一个节点,头删时也不需要额外的操作。
struct ListNode* removeElements(struct ListNode* head, int val){ if(head==NULL) return NULL; struct ListNode* cur=head; struct ListNode* newhead,*tail; newhead=tail=NULL; while(cur) { if(cur->val != val) { if(tail==NULL) { newhead=tail=cur; } else { tail->next=cur; tail=tail->next; } cur=cur->next; } else { struct ListNode* next=cur->next; free(cur); cur=next; } } if(tail) tail->next=NULL; return newhead; }
图解:
题解2:
还有一种方法就是我们创建,在这里我写的带哨兵位的头结点的方法:
/** * Definition for singly-linked list. * struct ListNode { * int val; * struct ListNode *next; * }; */ struct ListNode* removeElements(struct ListNode* head, int val){ struct ListNode* cur=head; struct ListNode* guard,*tail; guard=tail=(struct ListNode*)malloc(sizeof( struct ListNode)); guard->next=NULL; while(cur) { if(cur->val != val) { tail->next=cur; tail=tail->next; cur=cur->next; } else { struct ListNode* next=cur->next; free(cur); cur=next; } } tail->next=NULL; struct ListNode* newhead=guard->next; free(guard); return newhead; }