LeetCode 203. 移除链表元素(c语言)

题目描述

删除链表中等于给定值 val 的所有节点。

示例:

输入: 1->2->6->3->4->5->6, val = 6
输出: 1->2->3->4->5

代码:

struct ListNode* removeElements(struct ListNode* head, int val){
    while(head){
        if(head->val==val)
            head=head->next;
        else
            break;
    }
    if(head==NULL)		//如果链表为空直接返回NULL
        return NULL;
    struct ListNode* p=head;
    while(p->next!=NULL){
        if(p->next->val==val)
            p->next=p->next->next;
        else
            p=p->next;
    }
    return head;
}

ps:感觉没有头结点复杂很多。

你可能感兴趣的:(LeetCode 203. 移除链表元素(c语言))