연결 리스트에서 주기를 감지해야 하는 경우 연결 리스트에 요소를 추가하는 방법과 연결 리스트에서 요소를 가져오는 방법이 정의되어 있습니다. 헤드와 리어 값이 같은지 확인하는 또 다른 방법이 정의되어 있습니다. 이 결과를 바탕으로 주기를 감지합니다.
아래는 동일한 데모입니다 -
예
class Node: def __init__(self, data): self.data = data self.next = None class LinkedList_structure: def __init__(self): self.head = None self.last_node = None def add_vals(self, data): if self.last_node is None: self.head = Node(data) self.last_node = self.head else: self.last_node.next = Node(data) self.last_node = self.last_node.next def get_node_val(self, index): curr = self.head for i in range(index): curr = curr.next if curr is None: return None return curr def check_cycle(my_list): slow_val = my_list.head fast_val = my_list.head while (fast_val != None and fast_val.next != None): slow_val = slow_val.next fast_val = fast_val.next.next if slow_val == fast_val: return True return False my_linked_list = LinkedList_structure() my_list = input('Enter the elements in the linked list ').split() for elem in my_list: my_linked_list.add_vals(int(elem)) my_len = len(my_list) if my_len != 0: vals = '0-' + str(my_len - 1) last_ptr = input('Enter the index [' + vals + '] of the node' ' at which the last node has to point'' (Enter nothing to point to None): ').strip() if last_ptr == '': last_ptr = None else: last_ptr = my_linked_list.get_node_val(int(last_ptr)) my_linked_list.last_node.next = last_ptr if check_cycle(my_linked_list): print("The linked list has a cycle") else: print("The linked list doesn't have a cycle")
출력
Enter the elements in the linked list 56 78 90 12 4 Enter the index [0-4] of the node at which the last node has to point (Enter nothing to point to None): The linked list doesn't have a cycle
설명
-
'노드' 클래스가 생성됩니다.
-
필수 속성이 있는 또 다른 'LinkedList_structure' 클래스가 생성됩니다.
-
첫 번째 요소, 즉 'head'를 'None'으로 초기화하는 데 사용되는 'init' 기능이 있습니다.
-
스택에 값을 추가하는 데 도움이 되는 'add_vals'라는 메서드가 정의되어 있습니다.
-
'get_node_val'이라는 또 다른 메서드가 정의되어 있어 연결 목록에서 현재 노드의 값을 가져오는 데 도움이 됩니다.
-
'check_cycle'이라는 또 다른 메소드가 정의되어 헤드와 리어가 동일한지 확인하는 데 도움이 됩니다. 즉, 이것이 주기가 된다는 의미입니다.
-
주기의 유무에 따라 True 또는 False를 반환합니다.
-
LinkedList_structure'의 인스턴스가 생성됩니다.
-
연결 목록에 요소가 추가됩니다.
-
이 연결 리스트에서 'check_cycle' 메소드가 호출됩니다.
-
출력은 콘솔에 표시됩니다.