LeetCode报错:runtime error: member access within null pointer of type 'struct ListNode'

错误题目:876. 链表的中间结点
错误原因:试图使用空指针
解决方法:增加判断条件,并且判断的顺序不能改变。排除对空指针的引用。

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

            slow=slow->next;
            fast=fast->next->next;
        }
        return slow;
        
    }
};

上面的程序是跑不过的,但看看程序似乎没什么毛病。可就是跑不过;提示错误是:
在这里插入图片描述

说是试图会使用空指针,while循环里面的判断,是先判断fast->next,后判断fast,但有可能fast是nullptr,如果是这样的话,先判断fast->next就会出错,这句话就跑不过,最后才发现是判断的顺序不能变。将程序改成下即可。slow就不用判断,因为fast一直在slow面。

/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode(int x) : val(x), next(NULL) {}
 * };
 */
class Solution {
public:
    ListNode* middleNode(ListNode* head) {
        if(head==nullptr)
            return head;
        
        ListNode* slow =head;
        ListNode* fast =head;
        while((fast!=nullptr)&&(fast->next!=nullptr))
        {
        //一定要注意,判断顺序不能变,因为有可能fast是nullptr,先判断fast->null的话,可能就会出错
            slow=slow->next;
            fast=fast->next->next;
        }
        return slow;
        
    }
};

LeetCode报错:runtime error: member access within null pointer of type 'struct ListNode'_第1张图片

这样就ok了,找到一个坑的地方,希望下次长记性,也希望能帮助到大家。

你可能感兴趣的:(LeetCode)