题目大意
给出完全二叉树的后序遍历,求出其层次遍历
解题思路
反思
L2应该除了第二题其他都拿满的,但是第三题没写出来,作为ACMer,确实应该反省。可能当时确实没有思考过这个问题,总而言之,自己基础还是不太牢!
思路
实际上,完全二叉树在后序遍历时,除了最后一层前面的每层都是满的,那么只需要递归到恰好 n n n个节点停止,然后回溯时将遍历操作的输出变成建树的赋值,最后直接输出树就行了…
//
// Created by Happig on 2020/11/29
//
#include <bits/stdc++.h>
using namespace std;
#define ENDL '\n'
const int maxn = 1e6 + 10;
int n, cur;
int a[maxn], ans[maxn];
void dfs(int i) {
if (i > n) return;
dfs(i * 2);
dfs(i * 2 + 1);
ans[i] = a[cur++];
}
/*
10
8 9 4 10 5 2 6 7 3 1
*/
int main() {
cin >> n;
for (int i = 1; i <= n; i++) cin >> a[i];
cur = 1;
dfs(1);
cout << ans[1];
for (int i = 2; i <= n; i++) cout << " " << ans[i];
cout << ENDL;
return 0;
}