我正在尝试创建一个程序,允许您将任何数据放入表中,并且您可以执行函数,例如计算列,行中有多少单词等.使用HashMap是最好的方法吗?
如果没有,你能推荐什么?
目前我正在努力计算每个字母,并且每次给出a = 8,b和c = 0时每个值都加1
public void main(String[] args){
map.put("0", "a");
map.put("1", "b");
map.put("2", "c");
map.put("3", "a");
map.put("4", "b");
map.put("5", "a");
map.put("6", "b");
map.put("7", "c");
for(Map.Entry ent : map.entrySet()){
if(map.containsValue("a")){
x++;}
else if(map.containsValue("b")){
y++;}
else if(map.containsValue("c")){
z++;}
}
System.out.println("a = " + x);
System.out.println("b = " + y);
System.out.println("c = " + z);
最佳答案
Is using a HashMap the best way to go about this?
HashMap是一个很好的方法,但你在你的例子中使用它的方式是有缺陷的,因为你不能简单地计算一个键的出现次数.
所以我建议使用HashMap< String,List< Integer>>,使用List< Integer>跟踪行索引:
HashMap<String, List<Integer>> map = new HashMap<String, List<Integer>>();
String[] strs = {"a", "b", "c", "a", "b", "a", "b", "c"};
for(int i = 0 ; i < strs.length ; i++) {
String s = strs[i];
if(map.containsKey(s)) {
map.get(s).add(i);
} else {
map.put(s, Arrays.asList(new Integer[]{i}));
}
}
System.out.println("a = " + map.get("a").size());
System.out.println("b = " + map.get("b").size());
System.out.println("c = " + map.get("c").size());