访问由void指针引用的结构的成员

时间:2019-07-12 15:50:23

标签: c++

我有一个函数,该函数将void指针作为参数。我想向该函数传递一个指向结构的指针,然后在函数中访问该结构的值。

//the struct
struct s{
    int val;
};

//the function tries to access the object
int callback(void* p_obj)
{    
    //try creating a new struct based on p_obj 
    s2 = *(struct s*)p_obj;
    std::cout << "VALUE IN CALLBACK: ";
    std::cout << s2.val << std::endl; //prints a big-ass int
    return 0;
}

//main calls the function
int main()
{
    s s1;
    s1.val = 42;
    void* p1 = &s;

    //show some output
    std::cout << "s1.val: ";
    std:cout << s1.val << std::endl; //prints 42

    //std::cout << "p1->val: "; 
    //std:cout << *(struct s*)p1->val << std::endl; //does not compile

    s p2 = *(struct s*)p1;
    std::cout << "p2.val: ";
    std:cout << p2.val << std::endl; //prints 42

    //call the function
    callback(&p1);
    return 0;
}

我希望回调函数中的输出为

VALUE IN CALLBACK: 42
VALUE IN CALLBACK: 42

但是,相反,我认为它正在打印一个内存地址

VALUE IN CALLBACK:1989685088
VALUE IN CALLBACK:1989685088 

尝试访问void指针的成员直接导致错误。

int callback(void* p_obj)
{
    std::cout << "VALUE IN CALLBACK: ";
    std::cout << (struct s*)p_obj->val << std::endl;
}
error: 'void*' is not a pointer-to-object type

这是为什么?如何访问void *指向的结构的成员?

编辑:修复了文章中的一些错字

1 个答案:

答案 0 :(得分:0)

您有两个错误:

  1. *(struct s)p_obj必须为*(struct s*)p_obj,因为p_obj不是结构对象。

  2. 由于operator precedence,表达式(struct s*)p_obj->val实际上等于(struct s*)(p_obj->val)。这意味着您尝试取消引用void*指针并将成员val强制转换为struct s*

    您应该执行((struct s*)p_obj)->val来投射指针p_obj

更多错别字:*void p_obj是非常错误的,应该是void* p_obj。请注意将minimal, complete, and reproducible example复制粘贴,而不要重新输入,因为这可能会在您的真实代码中添加额外的错误,这会分散实际的错误和问题。