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 82 83 84 85 86 87 88 89 90 91 92 93 94 95
|
#include <assert.h>
#include <stdbool.h>
#include <stdatomic.h>
#include <dlfcn.h>
#include <pthread.h>
#include <stdio.h>
#include <unistd.h>
#include <emscripten/threading.h>
typedef int* (*sidey_data_type)();
typedef int (*func_t)();
typedef func_t (*sidey_func_type)();
static sidey_data_type p_side_data_address;
static sidey_func_type p_side_func_address;
static int* expected_data_addr;
static func_t expected_func_addr;
static atomic_bool started = false;
static atomic_bool ready = false;
static void* thread_main(void* arg) {
printf("in thread_main\n");
started = true;
while (!ready) {
printf("yeilding ..\n");
sched_yield();
usleep(1000*100);
}
int* data_addr = p_side_data_address();
assert(data_addr == expected_data_addr);
func_t func_addr = p_side_func_address();
assert(expected_func_addr == func_addr);
assert(func_addr() == 43);
printf("thread_main done\n");
return 0;
}
int main() {
printf("in main\n");
// Start a thread before loading the shared library
pthread_t t;
int rc = pthread_create(&t, NULL, thread_main, NULL);
assert(rc == 0);
// Spin until the thread has started
while (!started) {}
printf("loading dylib\n");
void* handle = dlopen("libside.so", RTLD_NOW|RTLD_GLOBAL);
if (!handle) {
printf("dlerror: %s\n", dlerror());
}
assert(handle);
p_side_data_address = dlsym(handle, "side_data_address");
printf("p_side_data_address=%p\n", p_side_data_address);
p_side_func_address = dlsym(handle, "side_func_address");
printf("p_side_func_address=%p\n", p_side_func_address);
expected_data_addr = p_side_data_address();
// side_func_address return the address of a function
// internal to the side module (i.e. part of its static
// table region).
expected_func_addr = p_side_func_address();
printf("p_side_func_address -> %p\n", expected_func_addr);
assert(expected_func_addr() == 43);
ready = true;
printf("joining\n");
rc = pthread_join(t, NULL);
assert(rc == 0);
printf("done join\n");
printf("starting second & third thread\n");
pthread_t t2, t3;
rc = pthread_create(&t2, NULL, thread_main, NULL);
assert(rc == 0);
rc = pthread_create(&t3, NULL, thread_main, NULL);
assert(rc == 0);
rc = pthread_join(t2, NULL);
assert(rc == 0);
rc = pthread_join(t3, NULL);
assert(rc == 0);
printf("starting second & third thread\n");
dlclose(handle);
return 0;
}
|