python实现链表
时间: 2023-07-07 17:22:21 浏览: 57
使用python实现链表操作
链表是一种常用的数据结构,Python可以使用类来实现链表。以下是一个简单的链表实现示例:
```python
class Node:
def __init__(self, data):
self.data = data
self.next = None
class LinkedList:
def __init__(self):
self.head = None
def add_node(self, data):
new_node = Node(data)
if self.head is None:
self.head = new_node
return
last_node = self.head
while last_node.next:
last_node = last_node.next
last_node.next = new_node
def print_list(self):
current_node = self.head
while current_node:
print(current_node.data)
current_node = current_node.next
```
上面的代码定义了两个类,Node表示链表中的节点,LinkedList表示整个链表。其中add_node方法用于在链表末尾添加新节点,print_list方法用于打印链表中所有节点的值。
你可以使用这个链表类来创建一个链表对象,并添加节点。例如:
```python
linked_list = LinkedList()
linked_list.add_node(1)
linked_list.add_node(2)
linked_list.add_node(3)
linked_list.print_list()
```
这会输出:
```
1
2
3
```
这就是一个简单的Python实现的链表。
阅读全文