leetcode----141.环形链表(快慢指针 or 哈希)

环形链表
Category Difficulty Likes Dislikes
algorithms Easy (43.88%) 402 -
Tags
linked-list | two-pointers
Companies
amazon | bloomberg | microsoft | yahoo
给定一个链表,判断链表中是否有环。
为了表示给定链表中的环,我们使用整数 pos 来表示链表尾连接到链表中的位置(索引从 0 开始)。 如果 pos 是 -1,则在该链表中没有环。
示例 1:
输入:head = [3,2,0,-4], pos = 1
输出:true
解释:链表中有一个环,其尾部连接到第二个节点。
示例 2:
输入:head = [1,2], pos = 0
输出:true
解释:链表中有一个环,其尾部连接到第一个节点。
示例 3:
输入:head = [1], pos = -1
输出:false
解释:链表中没有环。
进阶:
你能用 O(1)(即,常量)内存解决此问题吗?

思路:
(1)设置快慢指针
(2)快指针每次往后走两个元素
(3)慢指针每次往后走一个元素
(4)若快指针变为NULL,则说明链表已经走完了,也即是无环
(5)当快指针和慢指针时,说明他们此时指向同一个元素,即链表是有环的

/*
 * @lc app=leetcode.cn id=141 lang=cpp
 *
 * [141] 环形链表
 */

// @lc code=start
/**
 * Definition for singly-linked list.
 * struct ListNode {
 *     int val;
 *     ListNode *next;
 *     ListNode(int x) : val(x), next(NULL) {}
 * };
 */
using namespace std;
class Solution {
public:
    bool hasCycle(ListNode *head) {
        if (head == nullptr) {
            return false;
        }
        ListNode *fast = head;//快指针
        ListNode *slow = head;//慢指针
        bool res = false;
        while (fast && slow){
            if (fast->next)
                fast = fast->next->next;
            else
                break;
            slow = slow->next;
            if (slow == fast){
                res =true;
                break;
            }
        }
        return res;
    }
};
// @lc code=end


解法二:
将链表的结点都压入数组中,判断节点在数组中是否存在数组中,如果存在的话,说明此节点重复,也即是链表有环,否则将节点压入数组。

#include
using namespace std;
class Solution {
public:
    bool hasCycle(ListNode *head) {
        if (head == nullptr) {
            return false;
        }
        vector<ListNode *>res;
        ListNode *cur = head;
        while (cur != nullptr) {
            if(find(res.begin(),res.end(),cur) != res.end())
            {
                return true;
            }
            res.push_back(cur);
            cur = cur->next;
        }
        return false;
    }
};

两种方法本质上是一样的。

你可能感兴趣的:(#,leetcode,算法题解)