使用指针

时间:2015-10-16 16:04:41

标签: c++ pointers dereference

我有一个练习,我必须创建一定数量的pthread来消除图像噪声,但我的指针有问题。每个线程获取input_image,但是所有线程都需要能够写入相同的output_image。以下是相关的部分。

struct task{
    int start_row, stop_row, window_size;
    image_matrix input_image;
    image_matrix * output_image; //holds the address of the original output_matrix
};

void* func( void* arg ){
    task* t_arg = ( task* )arg;

    image_matrix& input = t_arg->input_image;

    //image_matrix& output = t_arg->output_image; 
    image_matrix * matrix_address= t_arg->output_image; //<-----

    for(int y = start; y<=stop; y++){
        for(int x=0;x<input.get_n_cols();x++){
            float filtered_value = median_filter_pixel(input, y, x, window_size);
            *matrix_address.set_pixel(y,x,filtered_value); //<------2
        }
    }
    pthread_exit( NULL );
}


    //This is how I set the output_image in main() but I'm pretty sure
    //this is good.  Filtered image is just   
    td[j].output_image = &filtered_image;

这给出了下面的错误,但我不明白为什么。 matrix_address指向的值是image_matrix类型,因此它应该具有image_matrix的所有属性。我尝试过对我有意义的一切,但没有任何工作。此外,当我从标记为2的行中取消引用操作符时,它会给出相同的错误,这对我来说也没有意义。

request for member ‘set_pixel’ in ‘output_address’, which is of pointer
    type ‘image_matrix*’ (maybe you meant to use ‘->’ ?)

1 个答案:

答案 0 :(得分:1)

在C ++中,通过.和函数调用()的成员访问都比通过*的指针解除引用更紧密。换句话说,代码被解析为:

*((matrix_address.set_pixel)(y, x, filtered_value))

当然,matrix_address是一个指针,因此,它没有成员可以访问。您需要引入括号:

(*matrix_address).set_pixel(y, x, filtered_value)

当然,这写起来非常繁琐。这就是为什么C ++有一个&#34;访问指针的成员运营商&#34;,->

matrix_address->set_pixel(y, x, filtered_value)