(对象)未命名类型。发生了什么事?

时间:2019-07-10 22:12:28

标签: c++

我认为代码最能说明问题

class blok
{ public:
    sf::RectangleShape TenBlok;
    int x,y;
    blok(int posX ,int posY)
 {
     x = posX;
     y = posY;
 }
 void place(int x,int y)
 {
        TenBlok.setPosition((float)x,(float)y)
 }
};

[...]

class Trawa : public blok
{

int id = 0;
sf::Texture tekstura;
tekstura.loadFromFile("trawa.png"); //<---- here it says "tekstura does not name a type"
TenBlok.setTexture(tekstura); //<---- here it says "TenBlok does not name a type"

};

错误说该对象未命名类型,但奇怪的是,CodeBlocks视tekstura和TenBlok为无效对象,因为这些对象包含的id提示功能

1 个答案:

答案 0 :(得分:3)

您不能使用语句

tekstura.loadFromFile("trawa.png"); //<---- here it says "tekstura does not name a type"
TenBlok.setTexture(tekstura); //<---- here it says "TenBlok does not name a type"
在类定义中的

。它们不是声明。您可以在成员函数的定义中包含此类语句,但不能在类本身中包含此类语句。

一个简单的类,将因类似的错误而失败:

struct Foo
{
   int i;
   i = 10;
};

要初始化i(或执行类似的语句),请使用构造函数。

struct Foo
{
   int i;
   Foo() { i = 10; }  // For demonstration. It will be better to initialize
                      // i using Foo() : i(10) {}
};

上课时,您可能需要:

class Trawa : public blok
{
   int id = 0;
   sf::Texture tekstura;

   Trawa() : blok(0, 0)  // Assume position to be (0, 0)
   {
      tekstura.loadFromFile("trawa.png");
      TenBlok.setTexture(tekstura);
   }
};