作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
关闭。这个问题需要更多focused .它目前不接受答案。
想改善这个问题吗?更新问题,使其仅关注一个问题 editing this post .
去年关闭。
Improve this question
我得到了严格二叉树的后序遍历,并被要求找到它的前序遍历。通常,我会先构建树,然后找到前序遍历。但是,我想知道是否有任何方法可以在不实际构建树的情况下找到预序遍历。
最佳答案
[ 编辑 :我首先回答了这个问题,假设给定的后序来自严格排序的二叉搜索树。 OP 现在指出了我的错误并提供了一个例子。然而,两种算法的基本原理是相同的:找到左右子树之间的边界。]
让我们考虑以下全二叉树的后序遍历,其中每个节点要么是叶子要么是具有两个叶子的分支:
1, 2, B, 3, 4, D, 5, C, A
int is_leaf(int c)
{
return !isalpha(c); // non-alphas are leaves
}
void reconst(int **pre, const int *post, int lo, int hi)
{
printf("%d :: %d\n", lo, hi);
if (lo < hi) {
int k = --hi; // will be boundary between l/r
int root = post[k];
int leaves = 0;
int nodes = 0;
while (k > lo && nodes != 2 * leaves - 1) {
if (is_leaf(post[k - 1])) leaves++;
nodes++;
k--;
}
*(*pre)++ = root;
reconst(pre, post, lo, k);
reconst(pre, post, k, hi);
}
}
int post[] = {'1', '2', 'B', '3', '4', 'D', '5', 'C', 'A'};
int n = 9;
int pre[9];
int *p = pre;
int i;
reconst(&p, post, 0, n);
for (i = 0; i < n; i++) {
printf("%c ", pre[i]);
}
puts("pre");
pre
数组必须与
post
一样大数组来保存重建的预购。 (b) 输入必须格式良好。该算法依赖于找到正确的完整子树。 (计数器防止超出下限,但仅此而已。)
3, 1, 7, 9, 8, 5
void reconst(int **pre, const int *post, int lo, int hi)
{
if (lo < hi) {
int k = --hi; // k will be the boundary between l/r
int parent = post[k]; // remove parent from this subarray
// find boundary between left and right branches
while (k > lo && post[k - 1] > parent) k--;
*(*pre)++ = parent; // write parent to pre-order array
reconst(pre, post, lo, k); // do the left subarray
reconst(pre, post, k, hi); // do the right subarray
}
}
pre
数组通过指向指针的指针填充:顶级指针跟踪
pre
中的位置。数组,二级指针访问底层数组。 (你可以传递一个数组和一个索引,如果这太巴洛克了,你可以前进。)
int post[] = {3, 1, 7, 9, 8, 5};
int n = 6;
int pre[6];
int *p = pre;
int i;
reconst(&p, post, 0, n);
for (i = 0; i < n; i++) {
printf("%d ", pre[i]);
}
puts("pre");
关于c - 有没有办法在不构建树的情况下从后序遍历中找到严格二叉树的前序遍历?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/60508990/
我是一名优秀的程序员,十分优秀!