我现在正在上一门关于并发的课程,并且我已经完成了我的第一个(非常简单的)项目,现在我想让它变得有用。
在我的代码中,我正在通过一个数组对第二个数组的每个值进行二进制搜索。对于第二个数组中的每个值,我正在生成一个线程。结果证明这比顺序解决方案要慢,所以我的想法是我会产生少量线程并在每次完成执行时向它们传递一个新键。
我有几个问题。首先是,当没有更多键时,如何让线程退出?
我如何传递新密钥?
如何让线程在等待新键时不使用旧键执行(我一直在阅读有关条件等待的内容,并认为这就是我需要的)。
这是我当前(无效)的解决方案。
#define ARRAYSIZE 50000
#define KEY_NOT_FOUND -1
#define KEY_FOUND 0
#include <pthread.h>
#include <stdlib.h>
#include <stdio.h>
#include <sys/time.h>
int binary_search(int *array, int key, int min, int max);
void *worker(void *arg);
int count = 0;
pthread_mutex_t L;
int l_array[ARRAYSIZE * 2];
int main(void)
{
int r_array[ARRAYSIZE];
int *p;
pthread_t *threads;
int ix = 0;
int jx = 0;
struct timeval start, stop;
double elapsed;
for(ix = 0; ix < ARRAYSIZE; ix++)
{
r_array[ix] = ix;
}
for(ix = 0; ix < ARRAYSIZE * 2; ix++)
{
l_array[ix] = ix + 2;
}
gettimeofday(&start, NULL);
threads = (pthread_t *) malloc(ARRAYSIZE * sizeof(pthread_t));
for (jx = 0; jx < ARRAYSIZE; jx++) {
p = (int *) malloc(sizeof(int));
*p = r_array[jx];
pthread_create(&threads[jx], NULL, worker, (void *)(p));
}
for (jx = 0; jx < ARRAYSIZE; jx++) {
pthread_join(threads[jx], NULL);
}
fprintf(stderr, "%d\n", count);
gettimeofday(&stop, NULL);
elapsed = ((stop.tv_sec - start.tv_sec) * 1000000+(stop.tv_usec-start.tv_usec))/1000000.0;
printf("time taken is %f seconds\n", elapsed);
return 0;
}
void* worker(void *arg)
{
int boolean = 0;
int key = *((int *) arg);
boolean = binary_search(l_array, key, 0, ARRAYSIZE * 2);
if(boolean == 1)
{
pthread_mutex_lock(&L);
count++;
pthread_mutex_unlock(&L);
}
}
int binary_search(int *array, int key, int min, int max)
{
int mid = 0;
if (max < min) return 0;
else
{
mid = (min + max) / 2;
if (array[mid] > key) return binary_search(array, key, min, mid - 1);
else if (array[mid] < key) return binary_search(array, key, mid + 1, max);
else
{
return 1;
}
}
}