800行的C++贪吃蛇代码
时间: 2023-11-15 10:04:33 浏览: 153
贪吃蛇c++代码
以下是一个基于控制台的贪吃蛇游戏的简单实现,代码共计约800行。注意,此代码仅供参考,可能存在一些不足或错误。
```c++
#include <iostream>
#include <conio.h>
#include <windows.h>
#include <ctime>
using namespace std;
const int width = 20; // 场地宽度
const int height = 20; // 场地高度
int score; // 得分
bool gameover; // 游戏结束标志
int x, y; // 蛇头位置
int fx, fy; // 食物位置
int tailx[100], taily[100]; // 蛇身位置
int ntail; // 蛇身长度
enum eDirecton { STOP = 0, LEFT, RIGHT, UP, DOWN }; // 方向枚举
eDirecton dir; // 当前方向
void Setup() // 初始化
{
gameover = false;
dir = STOP;
x = width / 2;
y = height / 2;
srand(time(NULL));
fx = rand() % width;
fy = 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 == fy && j == fx) // 绘制食物
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; else if (x < 0) x = width - 1;
if (y >= height) y = 0; else if (y < 0) y = height - 1;
// 判断是否吃到食物
if (x == fx && y == fy)
{
score += 10;
fx = rand() % width;
fy = rand() % height;
ntail++;
}
// 判断是否撞到自己
for (int i = 0; i < ntail; i++)
{
if (tailx[i] == x && taily[i] == y)
gameover = true;
}
}
int main()
{
Setup();
while (!gameover)
{
Draw();
Input();
Logic();
Sleep(10); // 降低游戏速度
}
return 0;
}
```
阅读全文