用C++写代码实现贪吃蛇算法 程序要求: 游戏时,一条蛇在密闭的围墙内, 围墙内会随机出现一个食物通过键盘上的4个光标键控制蛇向上下左右4个方向移动,蛇头接到食物,则表示食物被蛇吃掉,这时蛇的身体加长一节,同时计10分。接着又出现食物等待被蛇吃掉。如果蛇在移动过程中,撞到墙壁或身体交叉(蛇头撞到自己的身体),则游戏结束。
时间: 2024-02-13 19:59:41 浏览: 63
【C++贪吃蛇实例】用QT实现一个贪吃蛇小游戏
好的,下面是 C++ 实现贪吃蛇算法的代码:
```cpp
#include <iostream>
#include <conio.h>
#include <windows.h>
using namespace std;
const int width = 20; // 地图宽度
const int height = 20; // 地图高度
int x, y; // 蛇头坐标
int fx, fy; // 食物坐标
int score; // 得分
int tailx[100], taily[100]; // 蛇身坐标
int nTail; // 蛇身长度
enum eDirection { STOP = 0, LEFT, RIGHT, UP, DOWN }; // 移动方向
eDirection dir;
void Setup() {
dir = STOP;
x = width / 2;
y = height / 2;
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':
dir = STOP;
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;
for (int i = 0; i < nTail; i++) {
if (tailx[i] == x && taily[i] == y)
dir = STOP;
}
if (x == fx && y == fy) {
score += 10;
fx = rand() % width;
fy = rand() % height;
nTail++;
}
}
int main() {
Setup();
while (dir != STOP) {
Draw();
Input();
Logic();
Sleep(50); // 控制移动速度
}
return 0;
}
```
以上就是 C++ 实现贪吃蛇算法的代码。
阅读全文