0
template<class Rawr>
class TestContains;

template <class T>
class TestStore//: public TestContains
{
public:
    TestStore(T first, T second, T W, T H)
    {
        x = first;
        y = second;
        Width = W;
        Height = H;

        TestContains<T> a(x, y, Width, Height);

        *b = a;
    }
    ~TestStore() {};


    T x;
    T y;
    T Width;
    T Height;

TestContains<T>* GetRect();

protected:
private:
TestContains<T> *b;
};

共产党

template<class T>
TestContains<T>* TestStore<T>::GetRect()
{
    return &b;
}

测试包含

template<class Rawr>
class TestContains
{
    public:
        TestContains(Rawr first, Rawr second,  Rawr W, Rawr H)
        {
            x = first;
            y = second;
            Width = W;
            Height = H;
        }

        ~TestContains(){};

    template <class T>
    bool Contains(T Mx, T My)
    {
       if (Mx >= x && Mx <= x + Width && My >= y && My <= My + Height)
       return true;

       return false;
    }

Rawr x;
Rawr y;
Rawr Width;
Rawr Height;

///friend?
template<class T>
friend class TestStore;

    protected:
    private:
};

执行

TestStore<int> test(0, 0, 100, 100);

if (test.GetRect().Contains(mouseX, mouseY))
{
    std::cout << "Within 0, 0, 100, 100" << std::endl;
}

无论如何......所以我无法编译这个

/home/chivos/Desktop/yay/ShoeState.cpp||在成员函数'virtual void ShoeState::GameLoop(GameEngine*)':| /home/chivos/Desktop/yay/ShoeState.cpp|51|错误:在'test.TestStore::GetRect with T = int'中请求成员'Contains',它是非类类型'TestContains*'| ||=== 构建完成:1 个错误,0 个警告 ===|

我已经搞砸了很长时间,它开始困扰我!大声笑,有谁知道我做错了什么?

4

2 回答 2

2

错误告诉你test.GetRect()返回一个指针。要通过指向对象的指针访问成员,您应该使用->而不是.

//                ▾▾
if (test.GetRect()->Contains(mouseX, mouseY))
{
    std::cout << "Within 0, 0, 100, 100" << std::endl;
}
于 2013-03-25T15:11:49.640 回答
2

两个问题:一个是 sftrabbit 在他/她的回答中指出的。另一种是你试图在GetRect函数中返回一个指向指针的指针:使用address-of&操作符会使return语句返回指针的地址,即指向指针的指针。

你有一个比编译错误更严重的问题,一个未定义的行为,很可能最终导致崩溃:在类TestStore中,你有一个成员变量b,它是一个指针。在构造函数中,您分配给它指向的内容,但当时它实际上并没有指向任何东西,并且您覆盖了随机内存。

在使用解引用运算符分配指针指向的位置之前分配指针,或者根本不使用指针(我的建议)。

于 2013-03-25T15:18:58.320 回答