所以,我正在编写一个程序来使用 pthread 计算 Mandelbrot 集。
这是线程函数:
void *partial_compute(void *arg) {
cout << "enter" << flush;
Range *range = (Range*)arg;
Comp z, c;
for (int i = range->begin; i <= range->end; i++) {
for (int j = 0; j < y_length; j++) {
z.set(0.0, 0.0);
c.set(x_start + (x_end - x_start) * i / x_length, y_start + (y_end - y_start) * j / y_length);
int k;
for (k = 0; k < 256; k++) {
z = z.next(c);
if (z.length() >= 4.0) {
break;
}
}
*(canvas + i * y_length + j) = k;
}
}
pthread_exit(NULL);
}
这Comp
是一类复数,z.next
意味着计算下一次 Mandelbrot 迭代。
Comp Comp::next(Comp c) {
Comp n(next_real(c), next_imag(c));
return n;
}
float Comp::next_real(Comp c) {
return _real * _real - _imag * _imag + c.real();
}
float Comp::next_imag(Comp c) {
return 2 * _real * _imag + c.imag();
}
我设置了一对clock_t
之前pthread_create
和之后pthread_join
。
Mandelbrot 集的结果是正确的,但是,尽管我将线程数从 1 增加到 8,但计算时间始终相同。
因为在"enter"
一秒钟前同时打印出pthread_join
,我相信线程是并行执行的.
我想问题可能是 中存在线程安全函数partial_compute
,但我找不到。(我尝试用float
代替类来表示复数)
我在这里犯了什么错误吗?感谢您的帮助。
更新:
抱歉信息不完整。
z.length()
表示复数 z 的平方。
这就是我拆分任务的方式。x_length
和y_length
表示屏幕的宽度和高度。
我将屏幕按宽度分成 n 部分,并将范围发送到线程进行计算。
int partial_length = x_length / num_threads;
for (int i = 0; i < num_threads; i++) {
range[i].begin = i * partial_length;
range[i].end = range[i].begin + partial_length - 1;
pthread_create(&threads[i], NULL, partial_compute, (void *)&range[i]);
}
// wait all the threads finished
for (int i = 0; i < num_threads; i++) {
pthread_join(threads[i], NULL);
}