// adapted from ostep 26-threads-intro/t1.c // modified to compare serial vs. parallel // // added sleep(1) to simulate doing some work in the threads // #include #include #include #include #include #define Pthread_create(thread,attr,start_routine,arg) \ assert(pthread_create(thread,attr,start_routine,arg) == 0) #define Pthread_join(thread,value_ptr) \ assert(pthread_join(thread,value_ptr) == 0) #define Pthread_mutex_lock(m) \ assert(pthread_mutex_lock(m) == 0) #define Pthread_mutex_unlock(m) \ assert(pthread_mutex_unlock(m) == 0) int max; volatile int counter = 0; // shared global variable void *mythread(void *arg) { char *letter = arg; int i; // stack (private per thread) printf("%s: begin [addr of i: %p]\n", letter, &i); for (i = 0; i < max; i++) { sleep(1); // simulate work counter = counter + 1; // shared: only one } printf("%s: done\n", letter); return NULL; } int main(int argc, char *argv[]) { if (argc != 2) { fprintf(stderr, "usage: main-first \n"); exit(1); } max = atoi(argv[1]); printf("main: begin [counter = %d] [%p]\n", counter, &counter); #ifdef SERIAL // no threads, just run sequentially mythread("A"); mythread("B"); #else // original code pthread_t p1, p2; Pthread_create(&p1, NULL, mythread, "A"); Pthread_create(&p2, NULL, mythread, "B"); // join waits for the threads to finish Pthread_join(p1, NULL); Pthread_join(p2, NULL); #endif printf("main: done\n [counter: %d]\n [should: %d]\n", counter, max*2); return 0; } /* testing: $ gcc -Wall -DSERIAL -o serial c26t1.c -pthread $ gcc -Wall -o parallel c26t1.c -pthread parallel takes half the time: $ time ./serial 10 main: begin [counter = 0] [0x60106c] A: begin [addr of i: 0x7ffd76f401c4] A: done B: begin [addr of i: 0x7ffd76f401c4] B: done main: done [counter: 20] [should: 20] real 0m20.003s user 0m0.001s sys 0m0.001s $ time ./parallel 10 main: begin [counter = 0] [0x601084] A: begin [addr of i: 0x7f37656f8f04] B: begin [addr of i: 0x7f3764ef7f04] B: done A: done main: done [counter: 20] [should: 20] real 0m10.003s user 0m0.000s sys 0m0.002s $ */