1.题目
定义一个函数,输入一个链表的头节点,反转该链表并输出反转后链表的头节点。
示例:
输入: 1->2->3->4->5->NULL
输出: 5->4->3->2->1->NULL
限制:
- 0 <= 节点个数 <= 5000
2. 题解
2.1 思路分析
思路1:
本题比较简单直接上代码
2.2 代码实现
- 思路1
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int x) { val = x; }
* }
*/
class Solution {
public ListNode reverseList(ListNode head) {
if(head==null || head.next==null){
return head;
}
ListNode newHead = head.next;
ListNode nextNewHead = newHead.next;
head.next = null;
while (nextNewHead!=null){
newHead.next = head;
head = newHead;
newHead = nextNewHead;
nextNewHead = nextNewHead.next;
}
newHead.next = head;
return newHead;
}
}
- 思路1优化
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int x) { val = x; }
* }
*/
class Solution {
public ListNode reverseList(ListNode head) {
ListNode pre = null,cur=head;
while (cur!=null){
ListNode tmp = cur.next;
cur.next=pre;
pre=cur;
cur = tmp;
}
return pre;
}
}
2.3 提交结果
提交结果 | 执行用时 | 内存消耗 | 语言 | 提交时间 | 备注 |
---|---|---|---|---|---|
通过 | 0 ms | 41 MB | Java | 2022/06/10 11:15 | 添加备注 |
提交结果 | 执行用时 | 内存消耗 | 语言 | 提交时间 | 备注 |
---|---|---|---|---|---|
通过 | 0 ms | 40.8 MB | Java | 2022/06/10 11:32 | 添加备注 |
评论 (0)