如果这只是一个愚蠢的问题,请原谅我。我还是C ++的新手,这是我的实践。我正在尝试使用从单位对象继承的演员对象和敌人对象创建一个简单的游戏。我将Actor和Enemy共享的所有统计信息和重载运算符放在Unit类中。这是每个类文件的简化代码:

注意:如果此代码太长,请仅阅读Actor.cpp上的错误并跳过所有这些。我写所有这些都是因为我不知道我的错误从哪里开始。

单位

#ifndef UNIT_H_INCLUDED
#define UNIT_H_INCLUDED

#include <iostream>
#include <fstream>
#include <string>

class Unit{

        friend std::ostream& operator<<(std::ostream&, const Unit&);
        friend std::istream& operator>>(std::istream&, Unit&);

    public:
        Unit(std::string name = "");

        void setName(std::string);

        std::string getName();

        std::string getInfo();

        int attack(Unit&);

    protected:
        std::string name;
};

#endif


单位

#include "Unit.h"

using namespace std;

Unit::Unit(string name){
    this->name = name;
}

void Unit::setName(string name){
    this->name = name;
}

string Unit::getName(){
    return name;
}

string Unit::getInfo(){
    string info;
    info = "Name\t: " + name;
    return info;
}

ostream& operator<<(ostream& output, const Unit& unit){

    output << unit.name << "\n";

    return output;
}
istream& operator>>(istream& input, Unit& unit){

    input >> unit.name;

    return input;
}


演员

#ifndef ACTOR_H_INCLUDED
#define ACTOR_H_INCLUDED

#include "Unit.h"

class Actor: public Unit{
    public:
        void saveActor();
        void loadActor();
};

#endif


演员

#include "Actor.h"

using namespace std;

void Actor::saveActor(){
    ofstream ofs("actor.txt");
    if(ofs.is_open()){
        ofs << this;    // This work well.
    }
    ofs.close();
}
void Actor::loadActor(){
    ifstream ifs("actor.txt");
    if(ifs.is_open()){
        ifs >> this;    // This is the error.
    }
    ifs.close();
}


此代码经过简化,我的真实代码包括HP,MP,atk,def,mag,agi,并且每个字段的名称和名称都与set和get相同。这就是为什么我需要重载“ <>”运算符。

我的IDE(Visual Studio)说:


  错误C2678:二进制'>>':未找到采用'std :: istream'类型的左操作数的运算符(或没有可接受的转换)


我的问题是:


 为什么Actor类可以继承重载的插入运算符,但不能继承重载的提取运算符?
 将这些标准库包括在头文件中还是一个好主意?


第一个问题是我的问题。第二只是我的好奇心,我你们所有有经验的程序员都可以给我建议。

对不起,我的语言不好。英语不是我的主要语言。

最佳答案

您正在流式传输Actor*

ofs << this;
ifs >> this;


而不是流Actor

ofs << *this;
ifs >> *this;


ofs行之所以起作用,是因为它调用operator<<的重载来打印指针,而不是因为它调用了Unit上的重载。

10-08 08:24