2

我有一堂这样的课:

template<typename T>
class wrapper
{
public:
    operator const T & () const
    {
        return value;
    }
private:
    T value;
};

然后我将它与这样的结构一起使用:

struct point { float x; float y; };

//...

wrapper<point> myPoint;
std::cout << myPoint.x;// error: no member x or whatever.

我想知道是否有办法允许这样做而无需执行 ((point)myPoint).x。我知道我可以重载 -> 运算符,但我不想这样做,因为它应该“假装”为非指针。

4

2 回答 2

3

您可以使用而不是实现类似的效果:->.

template<typename T>
class wrapper
{
public:
    operator const T & () const // will this still be needed now?
    {
        return value;
    }

    T* operator->() { return &value; }
    T const* operator->() const { return &value; }

private:
    T value;
};

接着:

struct point { float x; float y; }

//...

wrapper<point> myPoint; // this needs to be initialised!
std::cout << myPoint->x;
于 2012-08-03T16:26:59.563 回答
2

您不能按照您描述的方式让您的包装类伪装成一个真实的类。主要原因是成员选择(.) 运算符不能重载。

于 2012-08-03T17:05:47.300 回答