因此,我试图实现一个包含记分牌和两个球员的程序,并试图使该两个球员使用单例模式共享一个记分牌。但是,当我尝试在玩家类中定义的全局记分板上使用方法时,总是会收到“运行失败”消息。
这是我的两个头文件,如有必要,我可以提供完整的实现。
#ifndef PLAYER_H
#define PLAYER_H
#include "scoreboard.h"
#include <string>
#include <fstream>
class Player{
private:
std::ifstream file1;
std::ifstream file2;
static Scoreboard* _game;
public:
static Scoreboard* Game();
void makeMove(const char,const std::string);
};
#endif
#ifndef SCOREBOARD_H
#define SCOREBOARD_H
class Scoreboard{
private:
int aWin;
int bWin;
int LIMIT;
int curCounter;
public:
void resetWins();
void addWin(char);
void makeMove(const int, char);
void startGame(const int, const int);
int getWin(char);
int getTotal();
int getLimit();
};
#endif /* SCOREBOARD_H */
在player.cc中
Scoreboard* Player::_game = 0;
Scoreboard* Player::Game(){
if (_game = 0)
{
_game = new Scoreboard;
_game->resetWins();
}
return _game;
}
连同makeMove方法
最佳答案
您的Scoreboard
实例不必是指针:
static Scoreboard _game;
// ...
static Scoreboard& Game() { return _game; }
或者,只需省略
_game
的类声明:// you can either make this function static or non-static
Scoreboard& Game()
{
static Scoreboard game; // but this variable MUST be static
return game;
}
这将执行相同的操作而不会出现内存管理问题。
这将为所有
Scoreboard
创建一个Players
实例。如果您只想拥有一个Scoreboard
实例(例如,如果您也有一个Referees
类也需要查看记分板),则可以修改记分板类:class Scoreboard
{
private:
// all your data members
Scoreboard() {} // your default constructor - note that it is private!
public:
// other methods
Scoreboard& getInstance()
{
static Scoreboard instance;
return instance;
}
};
然后,要在其他课程中访问它,您将包括记分板标题并将其用作:
#include "Scoreboard.h"
void my_func()
{
Scoreboard& scoreboard = Scoreboard::getInstance();
scoreboard.DoSomething();
}