题目描述
输入一个链表,反转链表后,输出新链表的表头。
思路分析
- 头插法
- 遍历链表
- 保存当前节点的下一个节点
- 将新链表插入当前节点的后边
- 再将当前节点赋值给新链表表头节点
- 将链表的头指向保存的下一个节点
代码实现
/*
public class ListNode {
int val;
ListNode next = null;
ListNode(int val) {
this.val = val;
}
}*/
public class Solution {
public ListNode ReverseList(ListNode head) {
ListNode res = null;
while (head != null) {
ListNode next = head.next;
head.next = res;
res = head;
head = next;
}
return res;
}
}