翻转链表。
我们用两个指针temp和pre分别记录每个节点正向的next节点和完成翻转之后的该节点,遍历整个链表,利用这两个指针修改next指向前一个节点即可。
/**
* Definition for singly-linked list.
* public class ListNode {
* int val;
* ListNode next;
* ListNode(int x) { val = x; }
* }
*/
public class Solution {
public ListNode reverseList(ListNode head) {
ListNode temp=null,pre=null;
while(head!=null)
{
pre = head.next;
head.next = temp;
temp = head;
head = pre;
}
return temp;
}
}