贪吃蛇游戏所有源代码用c++编写
时间: 2023-06-20 21:09:54 浏览: 90
C++ 贪吃蛇游戏源代码
以下是一个简单的贪吃蛇游戏的C++源代码,你可以根据自己的需要进行修改和优化。
```c++
#include<iostream>
#include<conio.h>
#include<windows.h>
using namespace std;
bool gameover; //游戏结束标志
const int width = 20; //游戏区域宽度
const int height = 20; //游戏区域高度
int x, y, fruitX, fruitY, 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; //得分初始化为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;
}
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;
}
if (x == fruitX && y == fruitY) //检查是否吃到果实
{
score += 10;
fruitX = rand() % width;
fruitY = rand() % height;
nTail++;
}
}
int main()
{
Setup(); //初始化游戏
while (!gameover) //循环执行游戏
{
Draw(); //绘制游戏界面
Input(); //获取用户输入
Logic(); //处理游戏逻辑
Sleep(100); //暂停100毫秒,使蛇的移动速度变慢
}
return 0;
}
```
阅读全文