我必须在java中编写拼字游戏代码,而不使用if / switch语句。这就是我到目前为止所拥有的
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;
}
}
我需要一些帮助,我有想法找到字符串中的字符并找到它的值,但不知道如何写出来。任何帮助都会很棒!谢谢!
答案 0 :(得分:1)
在你的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;
}
}