- 1
- 2
- 3
- 4
- 5
- 6
- 7
- 8
- 9
- 10
- 11
- 12
- 13
- 14
- 15
- 16
- 17
- 18
- 19
- 20
- 21
java解法
- 解题思路
- 本程序的目标是计算数组可以被分成的最少颜色组数,其中:
任何一个颜色组中的所有数字,都不能是另一个数字的倍数。
需要最少的颜色数,即尽可能少的组数。
解题步骤
读取输入
读取整数 n,表示数组的元素个数。
读取 n 个整数,并存入 numbers 数组。
计算最少颜色组数 calculateMinColors(n, numbers)
排序 numbers:先对数组进行升序排序,确保较小的数先被考虑。
创建布尔数组 used[]:
used[i] == true 表示 numbers[i] 已经被归类到某个颜色组,不需要再考虑。
遍历 numbers 并标记倍数:
如果 numbers[i] 没有被使用,增加颜色组 colorCount。
遍历 numbers[j](j > i),如果 numbers[j] 是 numbers[i] 的倍数,则将其标记为已使用 used[j] = true。
返回 colorCount 作为最少颜色组数
统计出最小的颜色组数,并返回
import java.util.Arrays;
import java.util.Scanner;
public class Main {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
int n = Integer.parseInt(scanner.nextLine());
int[] numbers = Arrays.stream(scanner.nextLine().split(" "))
.mapToInt(Integer::parseInt)
.toArray();
System.out.println(calculateMinColors(n, numbers));
}
public static int calculateMinColors(int n, int[] numbers) {
Arrays.sort(numbers);
int colorCount = 0;
boolean[] used = new boolean[n];
for (int i = 0; i < n; i++) {
if (used[i]) continue;
colorCount++;
for (int j = i + 1; j < n; j++) {
if (!used[j] && numbers[j] % numbers[i] == 0) {
used[j] = true;
}
}
}
return colorCount;
}
}
class="hljs-button signin active" data-title="登录复制" data-report-click="{"spm":"1001.2101.3001.4334"}">
评论记录:
回复评论: