算法——反转链表
Posted 高、远
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了算法——反转链表相关的知识,希望对你有一定的参考价值。
- 这几天做了下反转链表。leetcode上的206题。感觉他那个题有问题。搞了几个小时也AC不了。后来发现是题目描述有问题。题目说头结点,头结点其实是不带数据的。但206题其实是带数据的头结点,可以直接通过print打印head.val的值,发现是1。
那么接下来通过两种思路来解题。
方法一:双指针
public static ListNode reverseList(ListNode head){
ListNode cur = head;
ListNode pre = null;
ListNode temp = null;
while (cur != null){
//保存指针
temp = cur.next;
//指针反转
cur.next = pre;
//指针后移
pre = cur;
cur = temp;
}
return pre;
}
方法二:头插法(头结点不含数据)
public static ListNode reverseList(ListNode head) {
//如果只有一个节点或者没有节点就直接返回这个链表
if (head.next == null ||head.next.next ==null)
return head;
ListNode cur = head.next;
ListNode cNext = null;
//反转链表暂时的头结点
ListNode reverseHead = new ListNode();
while (cur != null){
cNext = cur.next;
cur.next = reverseHead.next;
reverseHead.next = cur;
cur = cNext;
}
head = reverseHead;
return head;
}
头结点包含数据 206 的一种题解:
/**
* 头插法
* head 包含数据
* @param head
* @return
*/
public ListNode reverseList(ListNode head) {
//head为空的情况
if(head == null){
return head;
}
//如果只有一个节点或者没有节点就直接返回这个链表
if (head.next == null)
return head;
ListNode cur = head;
ListNode cNext = null;
//反转链表暂时的头结点
ListNode reverseHead = new ListNode();
while (cur != null){
cNext = cur.next;
cur.next = reverseHead.next;
reverseHead.next = cur;
cur = cNext;
}
head = reverseHead.next;
return head;
}
以上是关于算法——反转链表的主要内容,如果未能解决你的问题,请参考以下文章
代码随想录算法训练营第三天 | 203.移除链表元素707.设计链表 206.反转链表