无法定义类函数OUTSIDE类

时间:2014-01-03 15:24:33

标签: c++ class layout multiple-definition-error

我想将Game类分为标题和源代码。要做到这一点,我需要能够在课外定义函数,但奇怪的是,我做不到!

的main.cpp

#include "app.hpp"
int main ()
{
    Game game(640, 480, "Snake");
    game.run();
    return 0;
}

app.hpp

#include <SFML/Window.hpp>
#include <SFML/Graphics.hpp>
class App
{
    friend class Game;
    public:
             App(const int X, const int Y, const char* NAME);
        void run(void);
    private: // Variables
        sf::RenderWindow window;
        sf::Event         event;
        sf::Keyboard     kboard;
};
#include "game.hpp"

现在是问题部分。

game.hpp

class Game // this snippet works perfectly
{
    public:
             Game(const int X, const int Y, const char* TITLE) : app(X, Y, TITLE)
             { /* and the initialization of the Game class itself... */}
        void run()
             { app.run(); /* And the running process of Game class itself*/};
    private:
        App app;
};


class Game // this snippet produces compiler errors of multiple definitions...
{
    public:
             Game(const int X, const int Y, const char* TITLE);
        void run();
    private:
        App app;
};
Game::Game(const int X, const int Y, const char* TITLE) : app(X, Y, TITLE) {}
void Game::run() { app.run(); } // <<< Multiple definitions ^^^

为什么吗

2 个答案:

答案 0 :(得分:7)

  

多重定义错误的原因是什么?

因为您正在定义头文件中的函数,并且当您在翻译单元中包含标题时,会在每个 translation unit 中创建该函数的副本,从而导致多个定义和违反 one definition rule

  

解决方案是什么?

您可以单独定义功能但在cpp文件中。您在头文件中声明函数并在源cpp文件中定义它们。

  

为什么第一个例子有效?

绕过一个定义规则的唯一标准兼容方法是使用inline函数。当您在类体中定义函数时,它们是隐式inline,程序可以成功绕过一个定义规则和多个定义链接错误。

答案 1 :(得分:3)

因为您要定义class Game两次。 这是你如何布置分离:

Class.hpp

class Class
{
    public:
        Class();
        void foo();
};

Class.cpp

Class::Class() { //Do some stuff}
void Class::foo() { //Do other stuff }