反转链表顾名思义就是将链表每个节点的next指向逆转将尾节点变为头结点将头结点变为尾节点从而得到反转链表。
对于这道题有两种方法第一种是双指针法,让指针pre指向节点为null指针cur指向头结点,通过temp临时变量存储cur的下一个节点的指针让cur.next=pre接着向后移动指针pre与指针cur也就是让pre=cur,cur=temp接着重复上述步骤遍历链表进行节点反转即可结束条件即为cur==null此时pre指向为头结点返回pre即可;下面有双指针和递归两种解法双指针代码思路清晰但递归方法看起来代码更简洁同时递归也比较难懂可以先写出双指针写法然后根据双指针思路写出递归方法接着可以去除一些冗余变量赋值操作即可;
方法一(双指针)
java
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode() {}
* ListNode(int val) { this.val = val; }
* ListNode(int val, ListNode next) { this.val = val; this.next = next; }
* }
*/
class Solution {
public ListNode reverseList(ListNode head) {
ListNode temp=null;
ListNode pre=null;
ListNode cur=head;
while(cur!=null){
temp=cur.next;
cur.next=pre;
pre=cur;
cur=temp;
}
return pre;
}
}
方法二(递归)
java
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode() {}
* ListNode(int val) { this.val = val; }
* ListNode(int val, ListNode next) { this.val = val; this.next = next; }
* }
*/
class Solution {
public ListNode reverseList(ListNode head) {
return reverse(head,null);
}
public ListNode reverse(ListNode cur,ListNode pre){
if(cur==null) return pre;
else {
ListNode temp=cur.next;
cur.next=pre;
return reverse(temp,cur);
}
}
}