编写一个函数:将单链表B中数据元素逆置。
时间: 2023-06-09 19:06:02 浏览: 116
好的,我可以为您编写这个函数。以下是一个 Python 语言版本的实现例子:
```python
def reverseList(head):
if not head or not head.next: # 链表为空或只有一个节点,直接返回
return head
preNode = None
curNode = head
while curNode:
nextNode = curNode.next # 保存后继节点
curNode.next = preNode # 当前节点指向前驱节点
preNode = curNode
curNode = nextNode
return preNode
```
使用这个函数将单向链表逆置:
```python
class ListNode:
def __init__(self, x):
self.val = x
self.next = None
head = ListNode(1)
p1 = ListNode(2)
p2 = ListNode(3)
p3 = ListNode(4)
head.next = p1
p1.next = p2
p2.next = p3
# 原链表输出:1 -> 2 -> 3 -> 4
cur = head
while cur:
print(cur.val)
cur = cur.next
print('逆置后:')
newHead = reverseList(head)
# 逆置后的链表输出:4 -> 3 -> 2 -> 1
cur = newHead
while cur:
print(cur.val)
cur = cur.next
```
输出结果如下:
```
1
2
3
4
逆置后:
4
3
2
1
```
阅读全文