请用java语言写出在1-80的数字中随机选取20个不重复的数,经过n次计算,给出出现次数最多的10个数并排序
时间: 2024-03-10 20:50:29 浏览: 86
以下是一个 Java 代码示例,可以实现在 1-80 的数字中随机选取 20 个不重复的数,经过 n 次计算,统计出现次数最多的 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);
// 进行 n 次计算
int n = 10000;
Map<Integer, Integer> countMap = new HashMap<>();
for (int i = 0; i < n; 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());
}
}
}
```
这段代码的思路是:首先使用 HashSet 选取 20 个不重复的随机数,然后进行 n 次计算,每次从这些数中随机选择 10 个数,并统计每个数出现的次数,最后使用 ArrayList 和 Collections.sort() 方法对出现次数进行排序,输出出现次数最多的 10 个数。
阅读全文