我必须创造莫尔斯到英语,反之亦然翻译。英文到莫尔斯部分是有效的,但每当我尝试在莫尔斯输入一些东西时,它就会给我一个arrayindexoutofbounds异常,我一直在思考如何修复它。我已经加入了一个分割函数,但我不确定为什么会出现异常。
public static void main(String[] args) throws IOException {
Scanner input = new Scanner(System.in);
BufferedReader br = new BufferedReader(new InputStreamReader(System.in));
char[] english = { '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', '1', '2', '3', '4',
'5', '6', '7', '8', '9', '0'};
String[] morse = { ".-", "-...", "-.-.", "-..", ".",
"..-.", "--.", "....", "..", ".---",
"-.-", ".-..", "--", "-.", "---",
".--.", "--.-", ".-.", "...", "-",
"..-", "...-", ".--", "-..-", "-.--",
"--..", "|" }
String userInput;
int translatorChoice;
String result;
System.out.println("Enter 1 for English to Morse code. Enter 2 for Morse to English:");
translatorChoice = input.nextInt();
if (translatorChoice != 1 && translatorChoice !=2 ){
throw new ArithmeticException("Please enter a valid number");
}
System.out.println();
System.out.println("Please input sentence into the translator:");
userInput = br.readLine();
if (translatorChoice == 1){
userInput = userInput.toLowerCase();
englishtoMorse(morse,userInput,english);}
else if(translatorChoice == 2) {
morsetoEnglish(english, userInput, morse);}
public static void morsetoEnglish (char[] english, String userInput, String[] morse){
String[] input = userInput.split("|");
for (int i = 0; i < input.length; i++){
for (int j = 0; j < morse.length; i++){
if (morse[j].equals(input[i])) {
System.out.print(english[j]);
}}}}
2条答案
按热度按时间vohkndzv1#
这是工作代码。要做3个改变,首先是分拆
"|"
必须更改为正确的正则表达式"\\|"
分道扬镳'|'
.split()
将正则表达式作为参数'|'
是正则表达式中的特殊字符,因此需要使用正则表达式的\
,但是,当将正则表达式转换为java字符串时,您会再次转义它。结果是\\|
第二,内部for
当字符串匹配时,循环可以停止,因此添加了break。第三,变量
i
改为j
在内部for
循环增量。以下是一些测试输入/输出:
wooyq4lh2#
所以,我认为这需要一些逻辑上的重新工作
让我解释一下这里发生了什么,我们也应该能够对其进行反向工程,以使
morseToEnglish
方法。所以我们首先把用户的输入转换成一个字符数组,这样我们就知道用户的单个字符是什么。
接下来,我们将英文字符数组转换为一个字符串,这样我们可以找到该字符串中字母的索引,并使用该索引将其Map到摩尔斯电码数组
现在我们循环遍历用户输入中的所有字符,在英文字符串中找到该字符的索引,然后使用该索引获取莫尔斯电码表示。