抱歉,如果我要问的是这里之前多次提出的问题。我是C ++的新手。我想知道如何使派生类继承其基类的私有属性的副本。或者,或者能够通过基类中的公共方法(例如getter和setter)修改它们。
本质上,我有一个Person类,它继承自Creature类。我希望Person类型的对象具有类似于Creature类中的属性。我想私有化Creature类中的属性以保持私有,因为我被告知只有类函数应该是公共的,而不是类变量。但是,我似乎无法在函数中调用Creature类的公共方法,而Person类似乎没有继承它们或它们的副本。
我拒绝简单地公开私有属性的原因是因为我想学习适当的编程技术。我不确定这种情况是否是规则的例外。
我有处理实现的cpp文件。希望这足以帮助您回答我的问题。
我的基础班:
/***
File: Creature.h
Desc: Contains Creature Class Definitions.
This is the base class for the Animal, Person, and PlayerCharacter classes.
Author: LuminousNutria
Date: 5-7-18
***/
#include <string>
#ifndef _CREATURE_H_
#define _CREATURE_H_
class Creature
{
private:
// General Information
std::string speciesName;
int hitpoints;
int movement;
// Physical Attributes
int strength;
int willpower;
int intelligence;
int leadership;
public:
// setters
void setSpeciesName(const std::string a);
void setHitpoints(const int a);
void setMovement(const int a);
void setStrength(const int a);
void setWillpower(const int a);
void setIntelligence(const int a);
void setLeadership(const int a);
// getters
std::string getSpeciesName();
int getHitpoints();
int getLoyalty();
int getMovement();
int getStrength();
int getWillpower();
int getIntelligence();
int getLeadership();
// modders
void modHitpoints(const int a);
void modMovement(const int a);
void modStrength(const int a);
void modWillpower(const int a);
void modIntelligence(const int a);
void modLeadership(const int a);
};
我的派生课程:
/***
File: Person.h
Desc: Contains Person Class Definitions.
This is a derived class of the Creature class.
Author: LuminousNutria
Date: 5-7-18
***/
#include "Creature.h"
#include <string>
#ifndef _PERSON_H_
#define _PERSON_H_
class Person
{
protected:
std::string personName;
int loyalty;
int experience;
int level;
int cash;
public:
// constructors
Person();
Person(const std::string pName, const int loy, const int exp,
const int lvl, const int c,
const std::string sName, const int hp, const int mov,
const int stre, const int will, const int intl,
const int lead);
// setters
void setPersonName(std::string pName);
void setLoyalty(const int loy);
void setExperience(const int exp);
void setLevel(const int lvl);
void setCash(const int c);
// getters
std::string getPersonName();
int getLoyalty();
int getExperience();
int getLevel();
int getCash();
// modders
void modLoyalty(int a);
void modExperience(int a);
void modLevel(int a);
void modCash(int a);
};
#endif
Creature类的setSpeciesName方法的实现:
void Creature::setSpeciesName(const std::string a)
{
speciesName = a;
}
最佳答案
在提供的代码中,Person
不继承自Creature
,因此不继承Creature类的成员。
将您的Person
类定义为,使其继承自Creature
class Person : public Creature
{
// same as before
};
有关公共继承与私有继承的更多详细信息,请参见Difference between private, public, and protected inheritance。通常,您需要公共继承。