题目:
定义一个函数,输入一个链表的头节点,反转该链表并输出反转后链表的头节点。
示例:
public class ListNode {
int val;
ListNode next;
ListNode(int x) {
val = x;
}
@Override
public String toString() {
return val + "->" + next;
}
}
输入: 1->2->3->4->5->NULL 输出: 5->4->3->2->1->NULL
题解:
public class Solution {
//反转链表
public static ListNode reverseList(ListNode head) {
ListNode cur = head, pre = null;
while (cur != null) {
ListNode next = cur.next; // 暂存后继节点 cur.next
cur.next = pre; // 修改 next 引用指向
pre = cur; // pre 暂存 cur
cur = next; // cur 访问下一节点
}
return pre;
}
public static void main(String[] args) {
int[] arr = new int[]{2, 3, 4, 5};
ListNode head = new ListNode(1);
ListNode tail=head;
for (int i : arr) {
ListNode next = new ListNode(i);
tail.next = next;
tail=next;
}
System.out.println(head);
System.out.println(reverseList(head));
}
}



