7

我正在尝试制作一个简单的游戏,我有一个主 .cpp 文件,其中包含一个头文件(我们称之为 A),其中包含所有其他头文件(我们称之为 B)。在其中一个 B 头文件中,我包含了 A 文件以访问programRunning其中定义的布尔值。尽管包含定义变量的 A 文件,但所有 B 头文件似乎都无法使用它。我对此感到非常困惑,非常感谢一些帮助。以下是我使用的代码:

pong_header.h(如上所述的 A 头文件)

#ifndef PONG_HEADER_H
#define PONG_HEADER_H

#include "SDL/SDL.h"
#include "SDL/SDL_image.h"
#include <stdio.h>

#include "pong_graphics.h"
#include "pong_core.h"
#include "pong_entity.h"
#include "pong_event.h"

bool programRunning;

#endif

pong_event.h(B 头文件之一)

#ifndef PONG_EVENT_H
#define PONG_EVENT_H

#include "pong_header.h"


void Pong_handleEvents(SDL_Event event)
{
    while(SDL_PollEvent(&event))
    {
        switch(event.type)
        {
        case SDL_QUIT:
            programRunning = true;
            break;
        case SDL_KEYDOWN:
            switch(event.key.keysym.sym):
            case SDLK_ESCAPE:
                programRunning = false;
                break;
            break;

        default:
            break;
        }
        Pong_handleEntityEvents(event)
    }
}

其他 B 文件programRunning以同样的方式访问。

确切的错误 Code::Blocks 给我如下 Pong\pong_event.h|20|error: 'programRunning' was not declared in this scope

4

1 回答 1

8

问题是pong_header.hincludepong_event.h 它声明之前programRunning,所以当pong_header.h尝试 include时pong_event.h,include 守卫会阻止它。解决方法是简单地将bool programRunning声明移动到pong_event.h.

现在,这将导致另一个问题 -.cpp包含任何这些头文件的每个文件都将获得它们自己的副本programRunning,这将导致链接错误(多个定义programRunning),或者它编译,但不会按照你预计。

您想要做的是将其声明为extern,即

extern bool programRunning;

然后,在您的一个.cpp文件中(最好是具有的文件int main),您实际上声明它(即没有 extern):

bool programRunning;
于 2013-08-14T13:55:13.107 回答