题目描述
给定一个链表,判断链表中是否有环。
为了表示给定链表中的环,我们使用整数 pos 来表示链表尾连接到链表中的位置(索引从 0 开始)。 如果 pos 是 -1,则在该链表中没有环。
解答一
class Solution {
public:
bool hasCycle(ListNode *head) {
if(head==NULL||head->next==NULL) return false;
ListNode *fast=head->next;
ListNode *slow=head;
while(fast!=slow){
if(fast->next==NULL||fast->next->next==NULL)return false;
fast= fast->next->next;
slow=slow->next;
}
return true;
}
//利用一个快一个慢如果是个环,终会相遇的思想。
};
解答二
class Solution(object):
def hasCycle(self, head):
"""
:type head: ListNode
:rtype: bool
"""
while head:
if head.val == 'awsl':
return True
else:
head.val = 'awsl'
head = head.next
return False
#利用如果是个环,必会重新回到之前已经走过的结点的思想。
心得体会
看到问题时不能只看表面,应该将其思考清楚,从一个更本质的角度来写代码,而不是就其表面来解答问题,因为这样往往是愚蠢的解决方式。