判断一个链表是否是回文结构

Posted 放下也不自在

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了判断一个链表是否是回文结构相关的知识,希望对你有一定的参考价值。


import java.util.Stack;

/**
* 判断一个链表是否是回文结构
*/
public class IsPalindrome {

/**
* 将整个链表放入栈中,依次弹出并和原链表比较,相当于直接把链表反转然后比较,若完全相同则为回文结构
*
* @param head 链表头结点
* @return 是否回文结构
*/
public boolean isPalindrome(Node head) {
if (head == null || head.next == null) {
return true;
}
Stack<Node> stack = new Stack<>();
Node cur = head;
while (cur != null) {
stack.push(cur);
cur = cur.next;
}
while (head != null) {
if (head.value != (stack.pop().value)) {
return false;
}
head = head.next;
}
return true;
}

/**
* 给定链表,奇数长度则取中点下一个节点,偶数长度则取下中点,从该节点依次入栈,并从链表头部开始比较,若相同则为回文结构
*
* @param head 链表头结点
* @return 是否回文结构
*/
public boolean isPalindrome2(Node head) {
if (head == null || head.next == null) {
return true;
}
Node right = head.next;
Node cur = head;
while (cur.next != null && cur.next.next != null) {
right = right.next;
cur = cur.next.next;
}
Stack<Node> stack = new Stack<>();
while (right != null) {
stack.push(right);
right = right.next;
}
while (!stack.isEmpty()) {
if (head.value != (stack.pop().value)) {
return false;
}
head = head.next;
}
return true;
}

/**
* 给定链表,奇数长度则取中点下一个节点,偶数长度则取下中点,从该节点反转链表,将得到的两个链表依次从头开始遍历比较,若相同,则为回文结构
* 注:比较完成之后需要将链表还原
*
* @param head 链表头结点
* @return 是否回文结构
*/
// public boolean isPalindrome3(Node head) {}

/**
* 链表结构
*/
public static class Node {

public int value;

public Node next;

public Node(int value) {
this.value = value;
}

}

}

/* 如有意见或建议,欢迎评论区留言;如发现代码有误,欢迎批评指正 */

以上是关于判断一个链表是否是回文结构的主要内容,如果未能解决你的问题,请参考以下文章

算法总结之 判断一个链表是否是回文结构

链表--判断一个链表是否为回文结构

判断链表的回文结构

判断一个链表是否为回文结构(NC96/考察次数Top51/难度简单)

左神算法书籍《程序员代码面试指南》——2_06判断一个链表是否为回文结构

算法练习-第六天(判断一个链表是否为回文结构)