我知道这种问题在StackOverFlow中很常见,但我的问题更为具体。在我的程序中,我有main()方法,一个工作正常的英语到莫尔斯方法,以及我遇到麻烦的莫尔斯到英语方法。
public static void MorsetoString(String Morse, char [] Alphabet, String [] MorseCode){
StringBuffer English = new StringBuffer();
for(int i=0;i < Morse.length(); i++){
if (Morse.charAt(i) != ' '){
for (int j = 0; j < MorseCode.length; j ++){
if (Morse.charAt(i) == MorseCode[j]){
English.append(MorseCode[j]);
English.append(" ");
}
}
}
}
}
这些是在此方法中作为参数的数组:
char Alphabet [] = {'a','b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z', ' '};
String MorseCode [] = {".-", "-...", "-.-.", "-..", ".", "..-.", "--.", "....", "..", ".---", "-.-", ".-..", "--", "-.", "---", ".--.", "--.-", ".-.", "...", "-", "..-", "..-", ".--", "-..-", "-.--", "--..", "|"};
代码没有完全完成,因为我必须在Morse.charAt(i) == ' '
时添加语句,但我主要遇到这部分问题。
这段代码的问题在于,当我说if (Morse.charAt(i) == MorseCode[j])
时,我将char类型变量与字符串类型进行比较,因此程序无法编译。我认为我的代码在逻辑方面总体上起作用,但是有什么方法可以修改代码以便可以比较两者吗?确切的错误消息是“
答案 0 :(得分:1)
您不需要比较输入字符串的每个字符。比较当你得到空间' '
时,因为空格划分莫尔斯代码中的字符:
static char alphabet[] = {'a','b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z', ' '};
static String morseCode[] = {".-", "-...", "-.-.", "-..", ".", "..-.", "--.", "....", "..", ".---", "-.-", ".-..", "--", "-.", "---", ".--.", "--.-", ".-.", "...", "-", "..-", "..-", ".--", "-..-", "-.--", "--..", "|"};
public static void decodeMorse(String morse){
StringBuilder english = new StringBuilder();
int codeLength = 0;
for(int i=0; i<morse.length();i++){
String code = null;
// if we met ' ', we can get previous code
if(morse.charAt(i)==' ' && codeLength>0){
code = morse.substring(i-codeLength, i);
codeLength=0;
}else
// when we reached end of string we have to get previous code
if(i==morse.length()-1 && codeLength>0){
code = morse.substring(i-codeLength, morse.length());
}
else{
codeLength++;
}
// if you got the code, find alphabet char for it
if(code!=null){
for(int j=0; j<alphabet.length; j++){
if(code.equals(morseCode[j])){
english.append(alphabet[j]);
}
}
}
}
System.out.println(english);
}
此外,您不需要在字母字符之间添加空格,因为英文字母之间不需要空格。