-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path4sem_33.cpp
81 lines (61 loc) · 1.86 KB
/
4sem_33.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
#include <iostream>
#include <fstream>
#include <ctime>
#include <cstdlib>
#include <cmath>
using namespace std;
void merge(int arr[], int low_a, int high_a, int low_b, int high_b) {
int i = low_a;
int j = low_b;
int k = 0;
int merged_size = (high_a - low_a + 1) + (high_b - low_b + 1);
int merged[merged_size];
while (i <= high_a && j <= high_b) {
if (arr[i] <= arr[j]) {
merged[k++] = arr[i++];
} else {
merged[k++] = arr[j++];
}
}
while (i <= high_a) {
merged[k++] = arr[i++];
}
while (j <= high_b) {
merged[k++] = arr[j++];
}
for (int p = 0; p < merged_size; p++) {
arr[low_a + p] = merged[p];
}
}
void mergeSort(int arr[], int low, int high) {
if (low < high) {
int mid = low + (high - low) / 2;
mergeSort(arr, low, mid);
mergeSort(arr, mid + 1, high);
merge(arr, low, mid, mid + 1, high);
}
}
int main() {
ofstream outfile("merge_sort_execution_times.csv");
if (!outfile.is_open()) {
cerr << "Error opening file!" << endl;
return 1;
}
outfile << "n,Time,Log(n)" << endl;
for (int n = 10; n <= 1000; n += 10) {
int arr[n];
for (int i = 0; i < n; i++) {
arr[i] = rand() % 100;
}
clock_t start_time = clock();
mergeSort(arr, 0, n - 1);
clock_t end_time = clock();
double elapsed_time = double(end_time - start_time) / CLOCKS_PER_SEC;
double logn = log2(n);
// Output information for each value of n
cout << "n = " << n << ", Execution Time = " << elapsed_time << " seconds, Log(n) = " << logn << endl;
outfile << n << "," << elapsed_time << "," << logn << endl;
}
outfile.close();
return 0;
}