请用java语言写出在1-80的数字中随机选取20个不重复的数,多次重复上述过程,给出出现次数最多的10个数并排序
时间: 2024-03-10 22:50:32 浏览: 127
javascript随机抽取0-100之间不重复的10个数
5星 · 资源好评率100%
以下是一个 Java 代码示例,可以实现在 1-80 的数字中随机选取 20 个不重复的数,多次重复上述过程,统计出现次数最多的 10 个数并排序:
```java
import java.util.*;
public class RandomNumber {
public static void main(String[] args) {
// 选取 20 个不重复的随机数
Set<Integer> set = new HashSet<>();
Random rand = new Random();
while (set.size() < 20) {
int num = rand.nextInt(80) + 1;
if (!set.contains(num)) {
set.add(num);
}
}
System.out.println("随机选取的 20 个数为:" + set);
// 进行 m 次重复计算
int m = 100;
Map<Integer, Integer> countMap = new HashMap<>();
for (int i = 0; i < m; i++) {
List<Integer> list = new ArrayList<>(set);
Collections.shuffle(list);
for (int j = 0; j < 10; j++) {
int num = list.get(j);
countMap.put(num, countMap.getOrDefault(num, 0) + 1);
}
}
// 统计出现次数最多的 10 个数并排序
List<Map.Entry<Integer, Integer>> countList = new ArrayList<>(countMap.entrySet());
Collections.sort(countList, (a, b) -> b.getValue().compareTo(a.getValue()));
System.out.println("出现次数最多的 10 个数为:");
for (int i = 0; i < 10; i++) {
System.out.println(countList.get(i).getKey() + " 出现次数为 " + countList.get(i).getValue());
}
}
}
```
这段代码的思路与上一个示例类似,不同之处在于进行了 m 次重复计算,并将每次计算的结果累加到 countMap 中,最后统计出现次数最多的 10 个数并排序。
阅读全文