用C++写一个飞机大战的游戏
时间: 2023-11-11 21:03:28 浏览: 90
好的,下面是一个简单的飞机大战游戏的C++代码示例:
```c++
#include <iostream>
#include <conio.h>
#include <windows.h>
using namespace std;
const int width = 50; // 游戏画面宽度
const int height = 25; // 游戏画面高度
int x, y; // 飞机坐标
int enemyX, enemyY; // 敌机坐标
int bulletX, bulletY; // 子弹坐标
int score = 0; // 得分
// 初始化游戏
void init() {
x = width / 2;
y = height - 2;
enemyX = rand() % (width - 2) + 1;
enemyY = 1;
bulletX = x;
bulletY = y - 1;
score = 0;
}
// 绘制游戏画面
void draw() {
system("cls");
for (int i = 0; i < width + 2; i++) {
cout << ".";
}
cout << endl;
for (int i = 0; i < height; i++) {
for (int j = 0; j < width; j++) {
if (j == 0 || j == width - 1) {
cout << "|";
} else if (i == y && j == x) {
cout << "^";
} else if (i == enemyY && j == enemyX) {
cout << "V";
} else if (i == bulletY && j == bulletX) {
cout << "*";
} else {
cout << " ";
}
}
cout << endl;
}
for (int i = 0; i < width + 2; i++) {
cout << ".";
}
cout << endl;
cout << "Score: " << score << endl;
}
// 处理用户输入
void input() {
if (_kbhit()) {
switch (_getch()) {
case 'a':
x--;
break;
case 'd':
x++;
break;
case 'w':
bulletX = x;
bulletY = y - 1;
break;
case 'x':
exit(0);
break;
}
}
}
// 更新游戏状态
void update() {
enemyY++;
// 敌机被击中
if (bulletX == enemyX && bulletY == enemyY) {
enemyX = rand() % (width - 2) + 1;
enemyY = 1;
bulletY = y - 1;
score++;
}
// 敌机飞出屏幕
if (enemyY >= height - 1) {
enemyX = rand() % (width - 2) + 1;
enemyY = 1;
}
// 子弹飞出屏幕
if (bulletY <= 0) {
bulletY = y - 1;
}
}
// 游戏主循环
void gameLoop() {
while (true) {
draw();
input();
update();
Sleep(50);
}
}
int main() {
init();
gameLoop();
return 0;
}
```
这个游戏比较简单,只有一个玩家飞机和一个敌机,玩家通过键盘控制飞机移动和发射子弹,击中敌机后得分。
阅读全文