剑指offer 面试题18. 删除链表的节点

给定单向链表的头指针和一个要删除的节点的值,定义一个函数删除该节点。

返回删除后的链表的头节点。

注意:此题对比原题有改动

示例 1:

输入: head = [4,5,1,9], val = 5
输出: [4,1,9]
解释: 给定你链表中值为 5 的第二个节点,那么在调用了你的函数之后,该链表应变为 4 -> 1 -> 9.
示例 2:

输入: head = [4,5,1,9], val = 1
输出: [4,5,9]
解释: 给定你链表中值为 1 的第三个节点,那么在调用了你的函数之后,该链表应变为 4 -> 5 -> 9.

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode(int x) : val(x), next(NULL) {}
 * };
 */
class Solution {
public:
    ListNode* deleteNode(ListNode* head, int val) {
        ListNode *pDele = nullptr;
        if(head == nullptr) return head;
        if(head->val == val)
        {
            pDele = head;
            head = head->next;
        }
        else{
            ListNode *pNode = head;
            while(pNode->next != nullptr && pNode->next->val != val )
                pNode = pNode->next;
            if(pNode->next != nullptr && pNode->next->val == val)
            {
                pDele = pNode->next;
                pNode->next = pNode->next->next;
            }
        }
        //delete pDele;
        pDele = nullptr;
        return head;
        
    }
};

要注意的是需要找值为val的上一个元素,等价于pNode的下一个元素为val,就要写为pNode->next->val == val和pNode->next != nullptr,否则再找上一个元素很困难

你可能感兴趣的:(剑指offer 面试题18. 删除链表的节点)