LeetCode 206:反转链表

题目描述:反转链表

解题思路:

1、单链表反转,可以采用将每个结点的next结点指向它的前置结点。
(1)、先声明两个指针,prev表示结点的前置指针,初始化为NULL,当前指针cur,初始化为head,如下图所示:
LeetCode 206:反转链表_第1张图片
(2)、head指针指向cur的next结点
LeetCode 206:反转链表_第2张图片
(3)、将cur的next指针指向prev结点
LeetCode 206:反转链表_第3张图片
(4)、prev指向cur结点
LeetCode 206:反转链表_第4张图片
(5)、cur指向head结点
LeetCode 206:反转链表_第5张图片
依次类推,最后返回prev表示的链表即可。

代码参考如下:

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; }
 * }
 */
class Solution {
    public ListNode reverseList(ListNode head) {
        ListNode prev = null,cur = head;
        while(cur!=null){
			head = cur.next;
			cur.next = prev;
			prev = cur;
			cur = head;
		}
		return prev;
    }
}

总结: 该实现方式为迭代遍历,时间复杂度为O(N)。

2、还有另外一种思路,当链表结点个数大于1个时,将后面的结点依次插入到第一个结点前面,即可实现链表反转:

(1)、声明指针p=head的next指针,同时令head的next指针为NULL
LeetCode 206:反转链表_第6张图片
(2)、声明一个指针q ,令其等于p,p往后挪动
LeetCode 206:反转链表_第7张图片
(3)、将q的next指针指向head,head指向q;
LeetCode 206:反转链表_第8张图片
(4)、依次类推,直到p == null
LeetCode 206:反转链表_第9张图片
参考代码如下:

/**
 * Definition for singly-linked list.
 * public class ListNode {
 *     int val;
 *     ListNode next;
 *     ListNode(int x) { val = x; }
 * }
 */
class Solution {
    public ListNode reverseList(ListNode head) {
    	if(head==null || head.next == null){
			return head;
		}
		ListNode p = head.next;
		ListNode q;
		head.next = null;
		while(p!=null){
			q = p;
			p = p.next;
			q.next = head;
			head = q;
		}
		return head;
    }
}

你可能感兴趣的:(数据结构与算法,数据结构与算法,链表)