用C++实现经典的贪吃蛇游戏。要求提供“速度”来选择蛇的运行速度,积分计算,游戏开始后允许“新游戏、暂停、继续”
时间: 2024-03-06 22:50:30 浏览: 99
基于C++实现的贪吃蛇游戏【100010903】
好的,这个问题我可以回答。以下是 C++ 实现经典贪吃蛇游戏的代码:
```
#include <iostream>
#include <conio.h>
#include <windows.h>
#include <cstdlib>
#include <ctime>
using namespace std;
bool gameOver; // 游戏结束标志
const int width = 20; // 游戏界面宽度
const int height = 20; // 游戏界面高度
int x, y, fruitX, fruitY, score; // x,y 表示蛇头坐标,fruitX,fruitY 表示食物坐标,score 表示得分
int tailX[100], tailY[100]; // 记录蛇身位置
int nTail; // 蛇身长度
enum Direction { STOP = 0, LEFT, RIGHT, UP, DOWN }; // 枚举四个方向
Direction dir; // 当前方向
void Setup() {
srand(time(NULL)); // 用时间作为随机数种子
gameOver = false;
dir = STOP; // 初始方向为静止
x = width / 2; // 初始蛇头坐标
y = height / 2;
fruitX = rand() % width; // 初始食物坐标
fruitY = rand() % height;
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)
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':
gameOver = true;
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;
default:
break;
}
// 判断是否撞墙或撞到自己
if (x >= width || x < 0 || y >= height || y < 0) {
gameOver = true;
}
for (int i = 0; i < nTail; i++) {
if (tailX[i] == x && tailY[i] == y) {
gameOver = true;
}
}
// 判断是否吃到食物
if (x == fruitX && y == fruitY) {
score += 10;
fruitX = rand() % width;
fruitY = rand() % height;
nTail++;
}
}
int main() {
Setup();
while (!gameOver) {
Draw();
Input();
Logic();
// 根据速度延时
switch (score / 20) {
case 0:
Sleep(100);
break;
case 1:
Sleep(80);
break;
case 2:
Sleep(60);
break;
case 3:
Sleep(40);
break;
case 4:
Sleep(20);
break;
default:
Sleep(10);
break;
}
}
return 0;
}
```
代码中,使用 `Setup()` 函数初始化游戏,初始化蛇头位置、食物位置、得分等参数。使用 `Draw()` 函数绘制游戏界面,包括蛇头、蛇身、食物、得分等内容。使用 `Input()` 函数获取玩家输入,判断玩家按下的键并对蛇的运动方向进行修改。使用 `Logic()` 函数计算蛇的位置变化,根据蛇头是否撞墙或撞到自己、是否吃到食物等情况判断游戏是否结束。使用 `main()` 函数控制游戏的整个流程,根据玩家得分来决定蛇的运动速度。
在游戏界面中,使用 "#" 表示游戏界面的边框,使用 "O" 表示蛇头,使用 "o" 表示蛇身,使用 "F" 表示食物,使用空格表示空白区域。
在玩家得分不同的情况下,蛇的运动速度也会相应地变化。具体来说,玩家得分每达到 20 分,蛇的速度就会加快一次。
阅读全文