Collections.frequency()用于统计集合中某元素出现次数,需传入集合和目标对象,返回int型结果;使用时需确保集合非null,自定义对象应重写equals方法以保证正确比较,支持null值计数,适用于List、Set等Collection实现,时间复杂度为O(n)。

在Java中,Collections.frequency() 是一个静态方法,用于统计集合中某个元素出现的次数。它属于 java.util.Collections 类,使用起来非常简单直观。
方法签名
public static int frequency(Collection> c, Object o)
该方法接收两个参数:
-
c:要搜索的集合(不能为 null)
-
o:要统计出现次数的对象
返回值是该对象在集合中出现的次数(int 类型)。
基本使用示例
以下是一个简单的例子,统计字符串列表中某个单词的出现频率:
立即学习“Java免费学习笔记(深入)”;
Listwords = Arrays.asList("apple", "banana", "apple", "orange", "banana", "apple");
int count = Collections.frequency(words, "apple");
System.out.println("apple 出现了 " + count + " 次"); // 输出:3
统计自定义对象的频率
如果你想用 Collections.frequency() 统计自定义对象,必须确保类正确重写了 equals() 方法。否则比较会基于引用,无法正确统计。
例如,有一个 Person 类:
class Person {
String name;
int age;
Person(String name, int age) {
this.name = name;
this.age = age;
}
@Override
public boolean equals(Object o) {
if (this == o) return true;
if (!(o instanceof Person)) return false;
Person person = (Person) o;
return age == person.age && Objects.equals(name, person.name);
}
}
List people = Arrays.asList(
new Person("Alice", 25),
new Person("Bob", 30),
new Person("Alice", 25)
);
int count = Collections.frequency(people, new Person("Alice", 25));
System.out.println("Alice(25岁) 出现了 " + count + " 次"); // 输出:2
注意事项
- 集合不能为 null,否则会抛出 NullPointerException
- 被统计的对象可以为 null,方法支持对 null 值的计数
- 只适用于 Collection 接口的实现类,如 ArrayList、LinkedList、HashSet 等
- 性能为 O(n),会遍历整个集合进行比较
基本上就这些。只要注意重写 equals 方法和避免空集合,Collections.frequency 就能方便地帮你统计元素频次。
以上就是如何在Java中使用Collections.frequency统计元素的详细内容,更多请关注php中文网其它相关文章!