|
| 1 | +""" |
| 2 | +Given a binary tree, check whether it is a mirror of itself (ie, symmetric around its center). |
| 3 | +
|
| 4 | +For example, this binary tree [1,2,2,3,4,4,3] is symmetric: |
| 5 | +
|
| 6 | + 1 |
| 7 | + / \ |
| 8 | + 2 2 |
| 9 | + / \ / \ |
| 10 | +3 4 4 3 |
| 11 | +But the following [1,2,2,null,3,null,3] is not: |
| 12 | + 1 |
| 13 | + / \ |
| 14 | + 2 2 |
| 15 | + \ \ |
| 16 | + 3 3 |
| 17 | +Note: |
| 18 | +Bonus points if you could solve it both recursively and iteratively. |
| 19 | +
|
| 20 | +
|
| 21 | +判断左子树是否与右子树互为镜像。 |
| 22 | +
|
| 23 | +思路: |
| 24 | +遍历左子树,把结果放入队列中。 |
| 25 | +按照相反的左右遍历右子树,同时让压出队列顶的一项作对比。 |
| 26 | +不匹配或队列中没有足够的数据都可判为False. |
| 27 | +
|
| 28 | +效率 O(n) |
| 29 | +beat 100%. |
| 30 | +
|
| 31 | +测试地址: |
| 32 | +https://leetcode.com/problems/symmetric-tree/description/ |
| 33 | +
|
| 34 | +""" |
| 35 | +# Definition for a binary tree node. |
| 36 | +# class TreeNode(object): |
| 37 | +# def __init__(self, x): |
| 38 | +# self.val = x |
| 39 | +# self.left = None |
| 40 | +# self.right = None |
| 41 | + |
| 42 | +class Solution(object): |
| 43 | + def isSymmetric(self, root): |
| 44 | + """ |
| 45 | + :type root: TreeNode |
| 46 | + :rtype: bool |
| 47 | + """ |
| 48 | + if not root: |
| 49 | + return True |
| 50 | + |
| 51 | + left = root.left |
| 52 | + right = root.right |
| 53 | + |
| 54 | + left_node = [left] |
| 55 | + right_node = [right] |
| 56 | + |
| 57 | + left_node_value = [] |
| 58 | + |
| 59 | + while left_node: |
| 60 | + # if left_node: |
| 61 | + _left = left_node.pop() |
| 62 | + if _left: |
| 63 | + left_node_value.append(_left.val) |
| 64 | + else: |
| 65 | + left_node_value.append(None) |
| 66 | + |
| 67 | + if _left: |
| 68 | + left_node.append(_left.right) |
| 69 | + left_node.append(_left.left) |
| 70 | + |
| 71 | + left_node_value.reverse() |
| 72 | + |
| 73 | + while right_node: |
| 74 | + _right = right_node.pop() |
| 75 | + |
| 76 | + if left_node_value: |
| 77 | + left_value = left_node_value.pop() |
| 78 | + else: |
| 79 | + return False |
| 80 | + |
| 81 | + if _right: |
| 82 | + if left_value != _right.val: |
| 83 | + return False |
| 84 | + else: |
| 85 | + if left_value != None: |
| 86 | + return False |
| 87 | + |
| 88 | + if _right: |
| 89 | + right_node.append(_right.left) |
| 90 | + right_node.append(_right.right) |
| 91 | + return True |
0 commit comments