C++写一个贪吃蛇游戏,并且每行代码都有备注
时间: 2024-04-07 12:33:10 浏览: 63
c++代码贪吃蛇游戏直接复制到vc6.0编译器即可.docx
当然,下面是使用C++编写的贪吃蛇游戏示例代码,每行代码都有备注说明:
```cpp
#include <iostream>
#include <conio.h>
#include <windows.h>
using namespace std;
bool gameOver; // 游戏是否结束
const int width = 20; // 游戏区域宽度
const int height = 20; // 游戏区域高度
int x, y; // 蛇头的坐标
int fruitX, fruitY; // 水果的坐标
int score; // 得分
int tailX[100], tailY[100]; // 蛇身的坐标
int nTail; // 蛇身长度
enum eDirection { STOP = 0, LEFT, RIGHT, UP, DOWN }; // 方向枚举
eDirection dir; // 蛇移动的方向
void Setup()
{
gameOver = false;
dir = STOP;
x = width / 2;
y = height / 2;
fruitX = rand() % width;
fruitY = rand() % height;
score = 0;
nTail = 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 isTail = false;
for (int k = 0; k < nTail; k++)
{
if (tailX[k] == j && tailY[k] == i)
{
cout << "o"; // 蛇身
isTail = true;
}
}
if (!isTail)
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;
}
if (x >= width) x = 0; // 超出边界则从另一侧出现
else if (x < 0) x = width - 1;
if (y >= height) y = 0;
else if (y < 0) y = height - 1;
for (int i = 0; i < nTail; i++) // 判断是否碰到自己的身体
{
if (tailX[i] == x && tailY[i] == y)
{
gameOver = true;
break;
}
}
if (x == fruitX && y == fruitY) // 吃到水果
{
score += 10;
fruitX = rand() % width;
fruitY = rand() % height;
nTail++;
}
}
int main()
{
Setup();
while (!gameOver)
{
Draw();
Input();
Logic();
Sleep(10); // 控制游戏速度
}
return 0;
}
```
这个示例代码使用了Windows的控制台函数和C++标准库,你可以在Windows环境下编译和运行。游戏区域使用字符画方式展示,通过键盘的方向键控制贪吃蛇的移动方向。游戏结束后会显示得分,并退出游戏。
阅读全文