2 <= n <= 100000
のn choose 2
のすべての組み合わせを見つける最も効率的な方法は何ですか?私は間違えなく、時間がかかる可能性がnのすべての組み合わせを見つける最も効率的な方法2
#include <stdio.h>
#include <stdlib.h>
#include <time.h>
#define MAX_ITEMS 100000
void combinations(int[], int);
long long count = 0;
int main(void) {
int *arr = (int*) calloc(MAX_ITEMS, sizeof(int));
if (!arr) {
printf("Error allocating memory.");
exit(1);
}
int i, n = MAX_ITEMS;
for (i = 0; i < MAX_ITEMS; i++) {
arr[i] = i + 1;
}
clock_t start, diff;
int msec;
start = clock();
combinations(arr, n);
diff = clock() - start;
msec = diff * 1000/CLOCKS_PER_SEC;
printf("\n\nTime taken %d seconds %d milliseconds", msec/1000, msec % 1000);
printf("\n\nPairs = %lld\n", count);
return 0;
}
void combinations(int arr[], int n) {
int i, j, comb1, comb2, end = n - 1;
for (i = 0; i < end; i++) {
for (j = i + 1; j < n; j++) {
// simulate doing something with data at these indices
comb1 = arr[i];
comb2 = arr[j];
// printf("%d %d\n", arr[i], arr[j]);
count++;
}
}
}
OUTPUT
Time taken 28 seconds 799 milliseconds
Pairs = 4999950000
:たとえば
は、5 choose 2
は、これは私がこれまでに最悪のケースをテストするための持っているものである
1 2
1 3
1 4
1 5
2 3
2 4
2 5
3 4
3 5
4 5
です複雑さはO(n^2)です。
最悪の場合を処理するより効率的なアルゴリズムはありますか?
この記事を見てください。http://stackoverflow.com/questions/127704/algorithm-to-return-all-combinations-of-k-elements-from-n –
どうすれば '(n *(n -1))/ 2 ^または、あなたは実際のペアの後ですか?もしそうなら、O(n^2)があなたができる最高です。 – aioobe
@aioobeはい、実際のペアが必要です。 – turion