剑指 Offer II 024. 反转链表 easy
给定单链表的头节点 head
,请反转链表,并返回反转后的链表的头节点。
输入:head = [1,2,3,4,5]
输出:[5,4,3,2,1]
输入:head = [1,2]
输出:[2,1]
输入:head = []
输出:[]
分析:模拟
我们用 cur
指向 当前结点 ,用 pre
指向当前结点的 前驱节点 , 用 nextNode
指向当前结点的 后继结点。
让cur
的下一个结点指向 pre
。接着再让 pre
指向当前结点 cur
,让cur
指向 nextNode
。
一直这样操作,直到 cur
指向 null
,此时的 pre
指向的就是反转后的链表头节点,直接返回即可。
时间复杂度: O(n)O(n)O(n)
C++代码:
/*** Definition for singly-linked list.* struct ListNode {* int val;* ListNode *next;* ListNode() : val(0), next(nullptr) {}* ListNode(int x) : val(x), next(nullptr) {}* ListNode(int x, ListNode *next) : val(x), next(next) {}* };*/
class Solution {
public:ListNode* reverseList(ListNode* head) {ListNode *pre = nullptr , *cur = head;while(cur != nullptr){ListNode *nextNode = cur->next;cur->next = pre;pre = cur;cur = nextNode;}return pre;}
};
Python代码:
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:def reverseList(self, head: ListNode) -> ListNode:pre , cur = None , headwhile cur != None:nextNode = cur.nextcur.next = prepre = curcur = nextNodereturn pre
上一篇:python编程基础