题目描述
输入一个链表,反转链表后,输出新链表的表头。
解题思路
反转的话就是下一位指向前一位,把他们的指针反转回来就可以了。
/*
public class ListNode {
int val;
ListNode next = null;
ListNode(int val) {
this.val = val;
}
}*/
public class Solution {
public ListNode ReverseList(ListNode head) {
ListNode cur = head;
ListNode pre = null;
ListNode next = null;
if(head == null) return head;
// 关键步骤
while(cur != null){
next = cur.next;
cur.next = pre;
pre = cur;
cur = next;
}
return pre;
}
}
以上就是这道题的解法