forked from remzi-arpacidusseau/ostep-projects
-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathgzip.c
76 lines (70 loc) · 2.28 KB
/
gzip.c
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
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
// STEPS:
// (1) - Read in File as a string, S
// (2) - Pass S into a function that returns number of unique chars, K
// (3) - create an empty list of integers where we malloc(sizeof(int) * K). Call this L
// (4) - pass S into a function where we append the index of a character transition into L
// (5) - create K threads. Each thread, will be assigned to a slice of L called [a,b], where b > a
// (6) - each thread, in parallel, will compute diff(b,a) and return the integer as a string, along with S[b]
// (7) - For threads T1 -> TN, write to STDOUT in proper ordering
// EG: S = [aaaabbbcc]
// Number of unique chars = 3
// L = malloc(sizeof(int) * 3)
// L = [3, 6, 8], thread cout = 3
// T1 = [0,3], T2 = [3,6], T3 = [6,8]
// in parallel, each thread will compute their diffs = {4,3,2} along with S[b] = {a,b,c} thus
// Unordered_Result = 2c4a3b, as order output is not guaranteed with threads
// Hence for every S[b], we get index(S[b]), and write {Unordered_Result[index(S[b]) - 1], S[b]} to ensure proper ordering
int cout_unique_chars(char *s){
if (strlen(s) == 0){return 0;}
else{
int cout = 1;
for(int i = 0; i < strlen(s) - 1; i++){
if(s[i] != s[i+1]){
cout++;
}
}
return cout;
}
}
// Given s = "aaaabbbcc"
// Returns [3, 6]
int* get_transitional_indicies(int* ptr, char *s){
int k = 0;
for(int i = 0; i < strlen(s) - 1; i++){
if(s[i] != s[i+1]){
ptr[k] = i;
k++;
}
}
return ptr;
}
int main(int argc, char* argv[])
{
// if (argc == 2){
// FILE *file = fopen(argv[1], "r");
// if(file == NULL){
// printf("Unable to open file: %s\n", argv[1]);
// exit(-1);
// }
// else{
// }
// }
// else{
// printf("File path not supplied. Exiting...");
// exit(-1);
// }
//printf("%i\n", cout_unique_chars("abcdefghijklmnopqrstuvqxyz"));
//printf("%i\n", cout_unique_chars("aaaabbbcc"));
char* s = "aaabcdefghijklmnopqrstuvqxyzzzz";
int a = cout_unique_chars(s);
a = a - 1;
int* ptr = (int*) malloc(sizeof(int) * a);
get_transitional_indicies(ptr, s);
for(int i = 0; i < a; i++){
printf("%i\n", ptr[i]);
}
free(ptr);
}