我正在尝试使用递归实现一个将前缀表达式更改为后缀表达式的程序。
我写过我认为可行的内容,而不是输出ab/c*de+f*-
而是我得aa/aa/*aa/aa/*-
。
我认为当我尝试获取String pre
的第一个字符或尝试删除String pre
的第一个字符时,我的代码会卡住。有什么建议/意见吗?
public class Prefix2Postfix {
public static final String prefixInput ="-*/abc*+def";
//desired postfix output is "ab/c*de+f*-"
public static void main (String[] args){
System.out.println(pre2Post(prefixInput));
}
public static String pre2Post(String pre){
//find length of string
int length = pre.length();
//ch = first character of pre
char ch = pre.charAt(0);
//delete first character of pre
pre = pre.substring(1,length);
if(Character.isLetter(ch)){
//base case: single identifier expression
return (new Character(ch)).toString(ch);
}else{
//ch is an operator
String postfix1 = pre2Post(pre);
String postfix2 = pre2Post(pre);
return postfix1 + postfix2 + ch;
}
}
}
答案 0 :(得分:2)
因此,代码中的错误与您计算postfix1
和postfix2
的位置有关 - 请注意,您没有偏移postfix2
。
要进行此递归,您需要了解一些情况:
这意味着当您遇到+-abc
之类的内容时,您将执行以下步骤:
f("+-abc") => return f("-abc") + "+" + f(rem1) f("-abc") => return f("abc") + "-" + f(rem2) f("abc") => return "ab" rem2 = "c" (remainder of the string) f("c") => return "c" rem1 = "" (nothing left in the string to parse) which constructs "ab-c+"
这应该有效:
public static String pre2post(String pre){
if(pre.length() <= 1){
return pre;
}
if(!Character.isLetter(pre.charAt(0))){
String a = pre2post(pre.substring(1)) + pre.charAt(0);
String b = pre2post(pre.substring(a.length()));
return a + b;
}else if(!Character.isLetter(pre.charAt(1))){
return pre.substring(0,1);
}else{
return pre.substring(0,2);
}
}