Leetcode 234. 回文链表
作者:互联网
234. 回文链表 - 力扣(LeetCode) (leetcode-cn.com)
思路 1 用栈:
1.先将head从头到尾都压入栈。
2.依次从栈中取出节点,和head及其后续节点进行比较。
3.如果从前向后第x节点和从后向前第x节点的值不相同,则这个链表不是回文链表。
func isPalindrome(head *ListNode) bool { stack := make([]*ListNode, 0) newHead := head for head != nil { stack = append(stack, head) head = head.Next } for len(stack) != 0 { node := stack[len(stack)-1] stack = stack[:len(stack)-1] if node.Val == newHead.Val { newHead = newHead.Next } else { return false } } return true }
或者用双指针
/** * Definition for singly-linked list. * type ListNode struct { * Val int * Next *ListNode * } */ func isPalindrome(head *ListNode) bool { stack := make([]*ListNode, 0) for head != nil { stack = append(stack, head) head = head.Next } left:=0 right:=len(stack)-1 for left<right{ if stack[left].Val==stack[right].Val{ left++ right-- }else{ return false } } return true }
以上方式的时间复杂度为O(n) ,空间复杂度O(n),不满足进阶条件,所以我想到了思路2
思路 2 :
标签:head,ListNode,len,stack,链表,234,newHead,Leetcode 来源: https://www.cnblogs.com/lizhengnan/p/16179196.html