程序要求: 游戏时,一条蛇在密闭的围墙内, 围墙内会随机出现一个食物通过键盘上的4个光标键控制蛇向上下左右4个方向移动,蛇头接到食物,则表示食物被蛇吃掉,这时蛇的身体加长一节,同时计10分。接着又出现食物等待被蛇吃掉。如果蛇在移动过程中,撞到墙壁或身体交叉(蛇头撞到自己的身体),则游戏结束。c加加编写程序
时间: 2023-09-23 09:11:06 浏览: 183
Mario Sim v0.1:简单的精灵演示; 不是一个完整的游戏。 马里奥在密闭空间内完全可控。-matlab开发
以下是一个基本的C++实现:
```cpp
#include <iostream>
#include <conio.h>
#include <windows.h>
#include <time.h>
using namespace std;
const int width = 20; // 游戏区域宽度
const int height = 20; // 游戏区域高度
int x, y; // 蛇头坐标
int foodX, foodY; // 食物坐标
int score; // 得分
int tailX[100], tailY[100]; // 蛇身坐标
int nTail; // 蛇身长度
enum direction { STOP = 0, LEFT, RIGHT, UP, DOWN }; // 方向
direction dir;
bool gameOver;
void Setup()
{
srand(time(NULL)); // 随机数种子
gameOver = false;
dir = STOP;
x = width / 2;
y = height / 2;
foodX = rand() % width;
foodY = 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 == foodY && j == foodX)
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 < 0 || x >= width || y < 0 || y >= height)
gameOver = true;
for (int i = 0; i < nTail; i++)
{
if (tailX[i] == x && tailY[i] == y)
gameOver = true;
}
// 检查蛇头是否吃到食物
if (x == foodX && y == foodY)
{
score += 10;
foodX = rand() % width;
foodY = rand() % height;
nTail++;
}
}
int main()
{
Setup();
while (!gameOver)
{
Draw();
Input();
Logic();
Sleep(100); // 延迟100毫秒
}
return 0;
}
```
注意,这只是一个基本的实现,还有很多可以改进的地方,例如添加难度级别、增加音效等。
阅读全文