使用C++编写一个游戏程序(除猜数字、扫雷)
时间: 2024-04-30 18:19:27 浏览: 150
以下是一个简单的贪吃蛇游戏程序,使用C++语言编写:
```c++
#include <iostream>
#include <conio.h>
#include <windows.h>
using namespace std;
const int width = 20; // 游戏窗口宽度
const int height = 20; // 游戏窗口高度
int x, y; // 蛇头的位置
int fruitX, fruitY; // 水果的位置
int tailX[100], tailY[100]; // 蛇的身体(由很多小方块组成)
int nTail; // 蛇身体的长度
int score; // 得分
enum eDir { STOP = 0, LEFT, RIGHT, UP, DOWN }; // 枚举类型,表示蛇的方向
eDir dir;
void Setup() // 初始化函数
{
dir = STOP; // 初始时蛇处于静止状态
x = width / 2; // 初始时蛇头位于屏幕中央
y = height / 2;
fruitX = rand() % width; // 随机生成水果的位置
fruitY = rand() % height;
score = 0; // 初始得分为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) {
cout << "#";
}
if (i == y && j == x) { // 绘制蛇头
cout << "O";
} else if (i == fruitY && j == fruitX) { // 绘制水果
cout << "F";
} else {
bool print = false;
for (int k = 0; k < nTail; k++) { // 绘制蛇的身体
if (tailX[k] == j && tailY[k] == i) {
cout << "o";
print = true;
}
}
if (!print) {
cout << " ";
}
}
if (j == width - 1) {
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':
dir = LEFT;
break;
case 'd':
dir = RIGHT;
break;
case 'w':
dir = UP;
break;
case 's':
dir = DOWN;
break;
case 'x':
dir = STOP;
break;
}
}
}
void Logic() // 逻辑函数
{
int prevX = tailX[0]; // 记录蛇尾的位置
int prevY = tailY[0];
int prev2X, prev2Y;
tailX[0] = x; // 更新蛇身体的位置
tailY[0] = y;
for (int i = 1; i < nTail; i++) {
prev2X = tailX[i];
prev2Y = tailY[i];
tailX[i] = prevX;
tailY[i] = prevY;
prevX = prev2X;
prevY = prev2Y;
}
switch (dir) { // 根据蛇的方向来更新蛇头的位置
case LEFT:
x--;
break;
case RIGHT:
x++;
break;
case UP:
y--;
break;
case DOWN:
y++;
break;
}
// 判断蛇头是否吃到了水果
if (x == fruitX && y == fruitY) {
score += 10;
fruitX = rand() % width;
fruitY = rand() % height;
nTail++;
}
// 判断蛇是否碰到了边界
if (x < 0 || x >= width || y < 0 || y >= height) {
cout << "Game Over!" << endl;
exit(0);
}
// 判断蛇是否碰到了自己的身体
for (int i = 0; i < nTail; i++) {
if (tailX[i] == x && tailY[i] == y) {
cout << "Game Over!" << endl;
exit(0);
}
}
}
int main()
{
Setup();
while (true) {
Draw();
Input();
Logic();
Sleep(50); // 暂停50毫秒,控制游戏速度
}
return 0;
}
```
该程序使用了`conio.h`和`windows.h`库,需要在Windows环境下编译运行。游戏窗口大小为20\*20,玩家通过键盘控制蛇的移动方向,要让蛇吃到随机生成的水果,并避免蛇撞到屏幕边界或自己的身体。每吃到一个水果会增加10分,游戏结束后会显示最终得分。
阅读全文