给定 nn 个正整数,将它们分组,使得每组中任意两个数互质。
至少要分成多少个组?

输入格式

第一行是一个正整数 nn。
第二行是 nn 个不大于10000的正整数。

输出格式

一个正整数,即最少需要的组数。

数据范围

1≤n≤101≤n≤10

输入样例:

6 14 20 33 117 143 175

输出样例:

3

image.png


  1. #include <iostream>
  2. #include <cstring>
  3. #include <algorithm>
  4. using namespace std;
  5. const int N = 10;
  6. int n;
  7. int p[N];
  8. int group[N][N]; //当前组的小标
  9. bool st[N];
  10. int res = N;
  11. int gcd(int a, int b) {
  12. return b == 0 ? a : gcd(b, a % b);
  13. }
  14. //检查是否跟当前组互为质数
  15. bool check(int group[], int gc, int t) {
  16. for (int i = 0; i < gc; ++i) {
  17. if (gcd(p[group[i]], p[t]) > 1) return false;
  18. }
  19. return true;
  20. }
  21. //g表示第几个组, gc表示第几个组内有多少个数, tc表示已经搜到了多少数, start表示下一个搜的位置
  22. void dfs(int g, int gc, int tc, int start) {
  23. if (g >= res) return; //剪枝
  24. if (tc == n) res = g;
  25. bool flag = true; //判断是否加入当前组
  26. for (int i = start; i < n; ++i) {
  27. if (!st[i] && check(group[g], gc, i)) {
  28. st[i] = true;
  29. group[g][gc] = i;
  30. dfs(g, gc + 1, tc + 1, i + 1);
  31. st[i] = false;
  32. flag = false;
  33. }
  34. }
  35. if (flag) dfs(g + 1, 0, tc, 0);
  36. }
  37. int main() {
  38. cin >> n;
  39. for (int i = 0; i < n; ++i) cin >> p[i];
  40. dfs(1, 0, 0, 0);
  41. cout << res << endl;
  42. return 0;
  43. }