我必须在不使用if / switch语句的情况下用Java编写乱码。这就是我到目前为止

public class Scrabble {


public static void main(String[] args) {
}

    public static int computeScore(String word) {

String alphabet = "ABCDEFGHIJKLMNOPQRSTUVWXYZ";
    int[] values = {1,3,3,2,1,4,2,4,1,8,5,1,3,1,3,3,10,1,1,1,1,4,4,8,4,10};
    int sum = 0;
    for(int i = 0; i <word.length();i++) {
        ????

    }
return sum;

}

}


我需要一些帮助,我的想法是在字符串中找到字符并找到其值,但不确定如何将其写出。任何帮助都会很棒!谢谢!

最佳答案

在您的for循环内部,您需要执行以下操作:

sum += values[aplphabet.indexOf(word.charAt(i))];


因此,您的循环应如下所示:

for(int i = 0; i <word.length();i++) {
    sum += values[aplphabet.indexOf(word.charAt(i))];
}


当然,这不会处理拼字板上的任何修改器磁贴。

另外,您可以使用HashMap<char, int>来存储您的字母,以便更轻松地访问它们:

public class Scrabble {

    HashMap<char, int> alphabet;

    public static void main(String[] args) {

        //initialize the alphabet and store all the values
        alphabet = new HashMap<char, int>();
        alpahbet.put('A', 1);
        alpahbet.put('B', 3);
        alpahbet.put('C', 3);
        //...
        alpahbet.put('Z', 10);
    }

    public static int computeScore(String word) {
        int sum = 0;
        for(int i = 0; i <word.length();i++) {
            //look up the current char in the alphabet and add it's value to sum
            sum += alphabet.get(word.charAt(i));
        }
        return sum;

    }

}

09-28 07:00