我的数组列表的值类似于
x-tag
125
154
166
125
125
222
125
在上面的列表中,它具有时间价值125
,4
我有125
另一个价值,我可以检查列表是否有 125。但无法找到它出现或出现在列表中的次数
我的数组列表的值类似于
x-tag
125
154
166
125
125
222
125
在上面的列表中,它具有时间价值125
,4
我有125
另一个价值,我可以检查列表是否有 125。但无法找到它出现或出现在列表中的次数
List<Integer> list = Arrays.asList(125, 154, 166, 125, 125, 222, 125);
int totalCount = Collections.frequency(list, 125);
您可以使用 Guava 库MultisetMultiset
,彼此相等的元素被称为相同单个元素的出现。
Multiset<Integer> myMultiset = HashMultiset.create();
myMultiset.addAll(list);
System.out.println(myMultiset.count(125)); // 4
List<Integer> list = Arrays.asList(125,154,166,125,125,222,125);
int count = Collections.frequency(list, 125);
System.out.println("total count: " + tcount);
输出:
total count: 4
也可以将其映射到地图中。更多代码:
package com.stackoverflow.counter;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
public class Count {
public Map<Integer,Integer> convertToMap(List<Integer> integerList) {
Map<Integer,Integer> integerMap = new HashMap<>();
for (Integer i: integerList) {
Integer numberOfOccurrences = integerMap.get(i);
if (numberOfOccurrences == null)
numberOfOccurrences = 0;
integerMap.put(i,++numberOfOccurrences);
}
return integerMap;
}
public static void main(String[] args) {
List<Integer> integerList = new ArrayList<>();
integerList.add(1);
integerList.add(3);
integerList.add(2);
integerList.add(1);
integerList.add(3);
integerList.add(2);
integerList.add(4);
integerList.add(5);
integerList.add(5);
Count count = new Count();
Map<Integer, Integer> integerMap = count.convertToMap(integerList);
for (Integer i: integerMap.keySet()) {
System.out.println("Number: " + i + ", found " + integerMap.get(i) + " times.");
}
}
}