0

再会,

我遇到了这个问题,但我对维基百科上列出的“成员指向的对象......”类型运算符特别感兴趣。

我从未在实际代码的上下文中看到过这一点,所以这个概念对我来说似乎有些深奥。

我的直觉说它们应该按如下方式使用:

struct A
{
    int *p;
};

int main()
{
    {
        A *a = new A();
        a->p = new int(0);
        // if this did compile, how would it be different from *a->p=5; ??
        a->*p = 5;
    }

    {
        A a;
        a.p = new int(0);
        // if this did compile, how would it be different from *a.p=5; ??
        a.*p = 5;
    }

    return 0;
}

但这不会编译,因为p未声明。(见示例)

谁能提供一个在 C++ 中使用 operator->* 和/或 .* 的真实示例?

4

2 回答 2

6

这些运算符用于指向成员对象的指针。你不会经常遇到它们。例如,它们可用于指定对A对象进行操作的给定算法要使用哪些函数或成员数据。

基本语法:

#include <iostream>

struct A
{
    int i;
    int geti() {return i;}
    A():i{3}{}
};

int main()
{
    {
        A a;
        int A::*ai_ptr = &A::i; //pointer to member data
        std::cout << a.*ai_ptr; //access through p-t-m
    }

    {
        A* a = new A{};
        int (A::*ai_func)() = &A::geti; //pointer to member function
        std::cout << (a->*ai_func)(); //access through p-t-m-f
    }

    return 0;
}
于 2015-07-01T10:57:02.777 回答
0

->*and语法是“指向成员的.*指针”运算符,可用于存储指向特定对象成员的指针。

使用示例:

class A {
    public: int x;
};

int main() {
    A obj;
    int A::* memberPointer = &A::b;  //Pointer to b, which is int, which is member of A
    obj.*memberPointer = 42; //Set the value via an object

    A *objPtr = &obj;
    objPtr->*memberPointer = 21;  //Set the value via an object pointer
}
于 2015-07-01T10:57:50.437 回答