0

次のような値を持つ配列リストがあります

x-tag
125
154
166
125
125
222
125

上記のリストでは、別の値1254持っている時間の値があり、125リストに125があるかどうかを確認できます。しかし、それが何回発生したか、リストに存在するかを見つけることができません

4

4 に答える 4

11

使用Collections#frequency()方法:

List<Integer> list = Arrays.asList(125, 154, 166, 125, 125, 222, 125);
int totalCount = Collections.frequency(list, 125);
于 2013-09-30T07:09:25.150 に答える
2

Guava ライブラリMultisetMultisetを使用できます。互いに等しいa の要素は、同じ単一要素の出現と呼ばれます。

Multiset<Integer> myMultiset = HashMultiset.create();
myMultiset.addAll(list);
System.out.println(myMultiset.count(125)); // 4
于 2013-09-30T07:09:55.023 に答える
1

Also possible to map it into a map. Bit more code though:

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.");
        }
    }
}
于 2013-09-30T07:20:48.203 に答える
1
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   
于 2013-09-30T07:12:05.640 に答える