游戏角色变身本关任务:编写一个能实现游戏角色变身的小程序。 相关知识 为了完成本关任务,你需要掌握:1.如何定义抽象类(接口),2.如何使用抽象类。 题目内容 已知游戏中常见人物状态State抽象类,包括站立(Idle),行走(Run),攻击(Attack),死亡(Dead)等动作。在游戏中有角色hero类,拥有人物状态同时还拥有血量,攻击力,防御力等属性,有怪物类Monster,怪物有血量,攻击力,防御力,怪物类型等属性。 已知角色可以变身为怪物,现在main函数中,模拟某个角色在正常情况下以及在变身状态下的各种状态操作(输入1为正常hero,输入2则变身为monster)。 要求,使用抽象类及的基类指针实现。 编程要求 根据提示,在右侧编辑器补充代码,完成程序。 测试说明 平台会对你编写的代码进行测试: 测试输入: 1 预期输出: hero is idleling... hero is attack... hero is running... hero is dead... 测试输入: 2 预期输出: Monster is idleling... Monster is attack... Monster is running... Monster is dead...#include <iostream> using namespace std; #include<string> #include"time.h" #include"math.h" //请在begin和end之间完成完成代码编写 /*************begin***********/ /*************end**********/ int main() { State *s; /*************begin*****************/ /**************end***************/ s->idle(); s->attack(); s->run(); s->dead(); return 1; }
时间: 2023-07-06 10:36:22 浏览: 204
```
#include <iostream>
using namespace std;
#include<string>
#include<time.h>
#include<math.h>
// 定义状态抽象类
class State {
public:
virtual void idle() = 0;
virtual void attack() = 0;
virtual void run() = 0;
virtual void dead() = 0;
};
// 定义角色基类
class Character {
public:
string name;
int hp;
int atk;
int def;
};
// 定义角色hero类,继承自Character类,并实现State接口
class Hero : public Character, public State {
public:
// 构造函数
Hero(string _name, int _hp, int _atk, int _def) {
name = _name;
hp = _hp;
atk = _atk;
def = _def;
}
// 实现State接口
void idle() {
cout << "hero is idleling..." << endl;
}
void attack() {
cout << "hero is attacking..." << endl;
}
void run() {
cout << "hero is running..." << endl;
}
void dead() {
cout << "hero is dead..." << endl;
}
};
// 定义怪物类,继承自Character类,并实现State接口
class Monster : public Character, public State {
public:
string type;
// 构造函数
Monster(string _type, int _hp, int _atk, int _def) {
type = _type;
hp = _hp;
atk = _atk;
def = _def;
}
// 实现State接口
void idle() {
cout << "Monster is idleling..." << endl;
}
void attack() {
cout << "Monster is attacking..." << endl;
}
void run() {
cout << "Monster is running..." << endl;
}
void dead() {
cout << "Monster is dead..." << endl;
}
};
int main() {
State *s;
int choice;
cin >> choice;
if (choice == 1) {
Hero hero("Hero", 100, 50, 20);
s = &hero;
} else if (choice == 2) {
Monster monster("Dragon", 200, 80, 30);
s = &monster;
}
s->idle();
s->attack();
s->run();
s->dead();
return 0;
}
```
阅读全文