用C#解决LeetCode环形链表

一世执手 提交于 2020-03-12 17:12:49

题目

在这里插入图片描述

思路

  • 定义快、慢两个指针,遍历链表;
  • 如果链表中不存在环,快指针会先到达尾部,返回false;
  • 如果链表中最终未发现快指针与慢指针不相同,返回true。

代码块

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     public int val;
 *     public ListNode next;
 *     public ListNode(int x) {
 *         val = x;
 *         next = null;
 *     }
 * }
 */
public class Solution {
    public bool HasCycle(ListNode head) {
        if (head == null || head.next == null)
        {
            return false;
        }
        ListNode slow = head;
        ListNode fast = head.next;
        while (slow != fast)
        {
            if (fast == null || fast.next == null)
            {
                return false;
            }
            slow = slow.next;
            fast= fast.next.next;
        }
        return true;
    }
}

运行结果

在这里插入图片描述在这里插入图片描述在这里插入图片描述在这里插入图片描述

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!