Given a syntax tree (binary), you are supposed to output the corresponding infix expression, with parentheses reflecting the precedences of the operators.
Each input file contains one test case. For each case, the first line gives a positive integer N (≤ 20) which is the total number of nodes in the syntax tree. Then N lines follow, each gives the information of a node (the i-th line corresponds to the i-th node) in the format:
data left_child right_child
where data
is a string of no more than 10 characters, left_child
and right_child
are the indices of this node‘s left and right children, respectively. The nodes are indexed from 1 to N. The NULL link is represented by −. The figures 1 and 2 correspond to the samples 1 and 2, respectively.
Figure 1 | Figure 2 |
For each case, print in a line the infix expression, with parentheses reflecting the precedences of the operators. Note that there must be no extra parentheses for the final expression, as is shown by the samples. There must be no space between any symbols.
8
* 8 7
a -1 -1
* 4 1
+ 2 5
b -1 -1
d -1 -1
- -1 6
c -1 -1
(a+b)*(c*(-d))
8
2.35 -1 -1
* 6 1
- -1 4
% 7 8
+ 2 3
a -1 -1
str -1 -1
871 -1 -1
(a*2.35)+(-(str%871))
1 #include <iostream> 2 #include <vector> 3 #include <string> 4 using namespace std; 5 struct node 6 { 7 string str; 8 int l, r; 9 }node[50]; 10 int n; 11 string dfs(int root) 12 { 13 if (node[root].l == -1 && node[root].r == -1) 14 return node[root].str; 15 if (node[root].l == -1 && node[root].r != -1) 16 return "(" + node[root].str + dfs(node[root].r)+")"; 17 if (node[root].l != -1 && node[root].r != -1) 18 return "(" + dfs(node[root].l) + node[root].str + dfs(node[root].r) + ")"; 19 } 20 int main() 21 { 22 cin >> n; 23 int isroot[50] = { 0 }, root = 1; 24 for (int i = 1; i <= n; ++i) 25 { 26 cin >> node[i].str >> node[i].l >> node[i].r; 27 isroot[node[i].l == -1 ? 0 : node[i].l] = 1; 28 isroot[node[i].r == -1 ? 0 : node[i].r] = 1; 29 } 30 while (isroot[root] == 1)root++;//找出根节点,即根节点不是任何节点的孩子节点 31 string res = dfs(root); 32 if (res[0] == ‘(‘)res = res.substr(1, res.length() - 2);//去除最外面的一层括号 33 cout << res << endl; 34 return 0; 35 }
PAT甲级——A1130 Infix Expression【25】
原文:https://www.cnblogs.com/zzw1024/p/11483625.html