java二叉树中序遍历 的递归算法没有看懂。。search(data.getLeft());之后不就回到最左边的一个
Posted
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了java二叉树中序遍历 的递归算法没有看懂。。search(data.getLeft());之后不就回到最左边的一个相关的知识,希望对你有一定的参考价值。
然后search(data.getRight()); 最左边的节点根本就没有右节点,它怎么运行的
最左边的节点是没有左子树和右子树的。if(data.getLeft()!=null) // 这里getLetf()为null
search(data.getLeft());
System.out.print(data.getObj()+","); //只有这句是执行的!
if(data.getRight()!=null) // 这里getRight()为null
search(data.getRight());
然后就会退到上一个节点的遍历函数了。追问
第一个是if条件语句是得到最左边的值,也就是最小值。如果跳到最小值得话,第二个if条件句就没有执行。第二个if条件语句什么用。。总的来说就是怎么退到上一个节点的
追答每次search()被调用时,都产生一个新的函数副本。
我们假设这棵树只有3个节点,则执行过程是
search(); // 从根进入
search(data.getLeft()); // 跑到左子树
if(data.getLeft()!=null) // 为空
System.out.print(data.getObj()+","); // 打印最小的节点
if(data.getRight()!=null) // 为空
System.out.print(data.getObj()+","); // 打印根节点
search(data.getRight()); // 跑到右子树
if(data.getLeft()!=null) // 为空
System.out.print(data.getObj()+","); // 打印最大的节点
if(data.getRight()!=null) // 为空
if(data.getLeft()!=null)
search(data.getLeft());
System.out.print(data.getObj()+",");
if(data.getRight()!=null)
search(data.getRight());
就这样
不为空 才进去search, 为空这行就不执行了,所以如果没有右边,会直接跳过这行代码了
leetcode 二叉树中序遍历的递归和非递归实现
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]
.
/** * Definition for a binary tree node. * struct TreeNode { * int val; * TreeNode *left; * TreeNode *right; * TreeNode(int x) : val(x), left(NULL), right(NULL) {} * }; */ class Solution { public: vector<int> inorderTraversal(TreeNode* root) { vector<int> vec; inOrder(root, vec); return vec; } /* void inOrder(TreeNode *root, vector<int> &path) { //递归写法 if (root) { inOrder(root->left, path); path.push_back(root->val); inOrder(root->right, path); } } */ //非递归写法 void inOrder(TreeNode *root, vector<int> &path) { stack<TreeNode *> TreeNodeStack; while (root != NULL || !TreeNodeStack.empty()) { while(root != NULL) { TreeNodeStack.push(root); root = root->left; } if (!TreeNodeStack.empty()) { root = TreeNodeStack.top(); TreeNodeStack.pop(); path.push_back(root->val); root = root->right; } } } };
以上是关于java二叉树中序遍历 的递归算法没有看懂。。search(data.getLeft());之后不就回到最左边的一个的主要内容,如果未能解决你的问题,请参考以下文章