#Definition for a binary tree node.#classTreeNode:#def__init__(self, val=0, left=None, right=None):#self.val = val#self.left = left#self.right = right
class Solution:
def rightSideView(self, root: Optional[TreeNode])-> List[int]:if root is None:return[]
result =[]
# 最开始的一层中只有根节点一个节点
cur =[root]while cur:
next =[]
path =[]for node in cur:#path用于存储这一层所有的结点值
path.append(node.val)
# 如果当前节点有左子树
if node.left:
# 则在下一层需要遍历的结点数组中添加
next.append(node.left)
# 如果当前节点有右子树
if node.right:
next.append(node.right)
# 让当前遍历的结点数组更新为下一次遍历的结点数组,即下一层所有结点的数组
cur = next
# 只添加层序遍历中每一层的最后一个节点值
result.append(path[-1])print(result)return result