我的arrayList中有999个数字,其中一些数字是重复的。我想找到列表中最常见的数字,最有效的方法是什么?
答案 0 :(得分:2)
通过读取已排序的列表,对列表进行排序,然后对最多出现的计数进行排序。
需要 0(n log n)时间
1 3 6 1 82 42 11 42 1 42 3 42
排序
1 1 1 3 3 6 11 42 42 42 42 82
从左到右阅读列表,记住目前最常见的值和频率
答案 1 :(得分:1)
我假设你在评论中写道,你读过0到100之间的数字 从文本文件中,您可以使用
int[] count = new int[101];
...
count[numberJustRead]++;
...
并且在阅读完所有数字之后
int max = 0;
int maxIndex = 0; //this is what you looking for
for(int i = 0, k = count.length; i < k; i++){
if(count[i] > max){
max = count[i];
maxIndex = i;
}
}
或者您可能喜欢番石榴Mulitset
答案 2 :(得分:0)
是的,慢慢地。
您可以使用列表列表执行此操作;内部列表包含您看到的数字,外部列表的索引是出现次数。因此在处理“1,2,1,3,1,2,3,4”之后你会有
[ [4], [2, 3], [1] ]
完成输入列表的处理后,您可以获得外部列表的最高索引所包含的最后一个内部列表,在本例中为[1]
。该列表中的所有元素都与最大出现次数相关联。
答案 3 :(得分:0)
以下是两个具有不同复杂度的简单实现(当然,如果您只有少数数字,则性能增益具有象征性):
import java.util.*;
public class Test
{
static AbstractMap.SimpleEntry<Integer, Integer> getMostFrequentN2(ArrayList<Integer> values)
{
ArrayList<AbstractMap.SimpleEntry<Integer, Integer>> frequencies = new ArrayList<>();
int maxIndex = 0;
main:
for (int i = 0; i < values.size(); ++i)
{
int value = values.get(i);
for (int j = 0; j < frequencies.size(); ++j)
{
if (frequencies.get(j).getKey() == value)
{
frequencies.get(j).setValue(frequencies.get(j).getValue() + 1);
if (frequencies.get(maxIndex).getValue() < frequencies.get(j).getValue())
{
maxIndex = j;
}
continue main;
}
}
frequencies.add(new AbstractMap.SimpleEntry<Integer, Integer>(value, 1));
}
return frequencies.get(maxIndex);
}
static AbstractMap.SimpleEntry<Integer, Integer> getMostFrequentNLogN(ArrayList<Integer> values)
{
ArrayList<Integer> tmp = new ArrayList(values);
Collections.sort(tmp);
AbstractMap.SimpleEntry<Integer, Integer> max = new AbstractMap.SimpleEntry<>(0, 0);
int current = tmp.get(0);
int count = 0;
for (int i = 0; i < tmp.size(); ++i)
{
if (tmp.get(i) == current)
{
count++;
}
else
{
if (count > max.getValue())
{
max = new AbstractMap.SimpleEntry<Integer, Integer>(current, count);
}
current = tmp.get(i);
count = 1;
}
}
if (count > max.getValue())
{
max = new AbstractMap.SimpleEntry<Integer, Integer>(current, count);
}
return max;
}
public static void main(String[] args)
{
ArrayList<Integer> numbers = new ArrayList(99);
for (int i = 0; i < 99; ++i)
{
numbers.add((int)(Math.random() * 10));
}
System.out.println(numbers);
System.out.println(getMostFrequentN2(numbers));
System.out.println(getMostFrequentNLogN(numbers));
}
}