leetcode94

/**
 * Definition for a binary tree node.
 * public class TreeNode {
 *     public int val;
 *     public TreeNode left;
 *     public TreeNode right;
 *     public TreeNode(int x) { val = x; }
 * }
 */
public class Solution {
    Stack<int> S = new Stack<int>();
        private void inOrder(TreeNode node)
        {
            if (node != null)
            {
                if (node.left != null)
                {
                    inOrder(node.left);
                }
                S.Push(node.val);
                if (node.right != null)
                {
                    inOrder(node.right);
                }
            }
        }

        public IList<int> InorderTraversal(TreeNode root)
        {
            inOrder(root);
            var list = S.Reverse().ToList();
            return list;
        }
}

https://leetcode.com/problems/binary-tree-inorder-traversal/#/description

时间: 2024-11-08 22:24:11

leetcode94的相关文章

LeetCode94 Binary Tree Inorder Traversal

Given a binary tree, return the inorder traversal of its nodes' values. (Medium) For example:Given binary tree [1,null,2,3], 1 2 / 3 return [1,3,2]. Note: Recursive solution is trivial, could you do it iteratively? 分析: 太经典基础的算法问题了,但想写出一个无bug的非递归二叉树中序

LeetCode94 Binary Tree Inorder Traversal(迭代实现) Java

题目: Given a binary tree, return the inorder traversal of its nodes' values. For example: Given binary tree {1,#,2,3}, 1 2 / 3 return [1,3,2]. 分析: 中根遍历二叉树,也就是说,对树中的不论什么一个节点,先訪问其左子树,再訪问根节点,最后訪问其右子树.通过迭代的方式实现中根遍历二叉树,须要借助栈. 在遍历二叉树前,须要做点准备工作:包装每个树节点.包装后的节

LeetCode94 BinaryTreeInorderTraversal Java题解(递归 迭代)

题目: Given a binary tree, return the inorder traversal of its nodes' values. For example: Given binary tree {1,#,2,3}, 1 2 / 3 return [1,3,2]. 解题: 中序遍历一颗二叉树,如果是递归就很简单了,中序遍历左+访问根节点+中序遍历右 就可以了.迭代的话,我是通过一个栈,从根节点开始入栈,只要一直存在左节点就一直入栈,不存在左节点就出栈访问节点值,然后继续遍历出栈

Python实现二叉树的非递归中序遍历

思路: 1. 使用一个栈保存结点(列表实现): 2. 如果结点存在,入栈,然后将当前指针指向左子树,直到为空: 3. 当前结点不存在,则出栈栈顶元素,并把当前指针指向栈顶元素的右子树: 4. 栈不为空,循环2.3部. 代码如下,解决了leetcode94. Binary Tree Inorder Traversal: # Definition for a binary tree node. # class TreeNode(object): # def __init__(self, x): #

94. Binary Tree Inorder Traversal(inorder ) ***(to be continue)easy

Given a binary tree, return the inorder traversal of its nodes' values. Example: Input: [1,null,2,3] 1 2 / 3 Output: [1,3,2] Follow up: Recursive solution is trivial, could you do it iteratively? Recursive solution /** * Definition for a binary tree

算法训练营

概念:算法与数据结构相辅相成 算法是为了解决某一个具体的问题,提出来的一个解法 数据结构是为了支撑这次解法,所提出的一种存储结构 1.两数之和(LeetCode1) 给定一个整数数组 nums 和一个目标值 target,请你在该数组中找出和为目标值的那 两个 整数,并返回他们的数组下标. 你可以假设每种输入只会对应一个答案.但是,你不能重复利用这个数组中同样的元素. 示例: 给定 nums = [2, 7, 11, 15], target = 9 因为 nums[0] + nums[1] =