写一个运用EasyX图形库的贪吃蛇游戏
时间: 2024-02-24 17:58:04 浏览: 105
基于EasyX实现的贪吃蛇游戏(功能齐全
好的,以下是一个使用 EasyX 图形库实现的贪吃蛇游戏的示例代码:
```c++
#include <graphics.h>
#include <conio.h>
#include <time.h>
const int WIDTH = 600; // 游戏窗口宽度
const int HEIGHT = 600; // 游戏窗口高度
const int CELL_SIZE = 20; // 每个蛇身格子的大小
const int ROWS = HEIGHT / CELL_SIZE - 1; // 游戏窗口中行数
const int COLS = WIDTH / CELL_SIZE - 1; // 游戏窗口中列数
struct Snake {
int x, y;
struct Snake *next;
};
enum Direction {
UP, DOWN, LEFT, RIGHT
};
Direction direction = RIGHT; // 蛇的初始方向
Snake *head = NULL; // 蛇头指针
int score = 0; // 得分
void initSnake() {
head = new Snake;
head->x = 5;
head->y = 5;
head->next = NULL;
}
void drawSnake() {
setfillcolor(YELLOW);
for (Snake *p = head; p; p = p->next) {
solidrectangle(p->x * CELL_SIZE, p->y * CELL_SIZE,
(p->x + 1) * CELL_SIZE, (p->y + 1) * CELL_SIZE);
}
}
void moveSnake() {
int x = head->x, y = head->y;
switch (direction) {
case UP:
y--;
break;
case DOWN:
y++;
break;
case LEFT:
x--;
break;
case RIGHT:
x++;
break;
}
Snake *p = new Snake;
p->x = x;
p->y = y;
p->next = head;
head = p;
if (x < 0 || x > COLS || y < 0 || y > ROWS) { // 撞墙
closegraph();
printf("Game Over!\n");
exit(0);
}
for (Snake *p = head->next; p; p = p->next) { // 撞自己
if (p->x == head->x && p->y == head->y) {
closegraph();
printf("Game Over!\n");
exit(0);
}
}
if (x == food_x && y == food_y) { // 吃到食物
score += 10;
food_x = rand() % COLS;
food_y = rand() % ROWS;
} else {
Snake *p = head;
while (p->next->next) {
p = p->next;
}
delete p->next;
p->next = NULL;
}
}
void drawFood() {
setfillcolor(RED);
solidcircle(food_x * CELL_SIZE + CELL_SIZE / 2,
food_y * CELL_SIZE + CELL_SIZE / 2,
CELL_SIZE / 2);
}
void updateScore() {
setbkmode(TRANSPARENT);
settextcolor(WHITE);
char buf[32];
sprintf(buf, "Score: %d", score);
outtextxy(10, 10, buf);
}
int food_x, food_y;
int main() {
initgraph(WIDTH, HEIGHT);
setbkcolor(DARKGRAY);
initSnake();
food_x = rand() % COLS;
food_y = rand() % ROWS;
while (true) {
cleardevice();
drawSnake();
drawFood();
updateScore();
moveSnake();
Sleep(100);
if (_kbhit()) {
switch (_getch()) {
case 'W':
case 'w':
if (direction != DOWN) direction = UP;
break;
case 'S':
case 's':
if (direction != UP) direction = DOWN;
break;
case 'A':
case 'a':
if (direction != RIGHT) direction = LEFT;
break;
case 'D':
case 'd':
if (direction != LEFT) direction = RIGHT;
break;
}
}
}
return 0;
}
```
在这个示例代码中,我们使用了 EasyX 图形库来实现游戏窗口和绘制图形。我们使用 Snake 结构体来表示蛇身,其中的 next 指针指向下一个蛇身。当蛇移动时,我们将一个新的 Snake 节点插入到蛇头位置,然后删除蛇尾节点,从而实现蛇的移动。当蛇头碰到墙壁或者自己的身体时,游戏结束。当蛇头碰到食物时,得分加 10 分,并在随机位置生成一个新的食物。
在游戏循环中,我们使用 cleardevice() 函数清空屏幕,然后分别绘制蛇身、食物和得分。我们使用 Sleep(100) 函数控制游戏的帧率,从而实现动画效果。我们使用 _kbhit() 和 _getch() 函数来读取键盘输入,从而控制蛇的方向。
阅读全文