目录
前言
我们上节讲解了关于贪吃蛇撞墙然后死翘翘重新初始化蛇身的操作,主要是关于程序初始化释放内存的操作,不理解的再去看看😘(贪吃蛇撞墙找死详解)。
本节内容
我们之前实现的效果是每按下右键一次,贪吃蛇向右移动一格,但是在游戏中很明显不是这样的,贪吃蛇游戏中是以恒定的速度自发移动,不需要我们每次都按下右键,我们本节就来实现这个效果。
实现效果
先来回顾一下我们原来的代码:
cpp
int main()
{
int con;
initNcurse();
initSnake();
gamePic();
while(1)
{
con = getch();
if(con == KEY_RIGHT){
moveSnake();
gamePic();
}
}
getch();//防止程序退出
endwin();
return 0;
}
其中
while(1)
{
con = getch();
if(con == KEY_RIGHT){
moveSnake();
gamePic();
}
}
含义是每次检测到右键时,控制小蛇向右移动。
我们来修改下吧。
cpp
while(1)
{
moveSnake();
gamePic();
}
我们删去按键检测的代码,不再检测按键输入,然而我们运行该程序发现啥都没有,考虑到可能是延时的问题,我们修改了代码。
cpp
while(1)
{
moveSnake();
gamePic();
sleep(1);
}
每次延迟一秒再执行,但运行还是发现啥都没有,博主通过查阅资料发现其他人也有这个问题。
我们选择ncurse里封装的函数refrush()每隔一秒刷新一次界面
注意⚠️:sleep()函数需要包含头文件
Linux环境中:
#include <unistd.h>
Windows环境中:
#include <windows.h>
sleep()函数是以秒为单位的,sleep(1)代表延时一秒。
修改后的代码
cpp
int main()
{
int con;
initNcurse();
initSnake();
gamePic();
while(1)
{
moveSnake();
gamePic();
refresh();
sleep(1);
}
getch();//防止程序退出
endwin();
return 0;
}
其他封装函数:
cpp
#include <curses.h>
#include <stdlib.h>
#include <unistd.h>
struct Snake
{
int hang;
int lie;
struct Snake * next;
};
struct Snake * head = NULL;
struct Snake * tail = NULL;
void initNcurse()
{
initscr();
keypad(stdscr,1);
}
int hasSnakeNode(int i,int j)
{
struct Snake * p;
p = head;
while(p != NULL)
{
if(p->hang == i && p->lie == j)
{
return 1;
}
p = p -> next;
}
return 0;
}
void gamePic()
{
int hang;
int lie;
move(0,0);
for(hang = 0;hang < 20;hang ++)
{
if(hang == 0)
{
for(lie = 0;lie < 20;lie ++)
{
printw("--");
}
printw("\n");
}
if(hang >= 0 && hang <= 19)
{
for(lie = 0;lie <= 20;lie ++)
{
if(lie == 0 || lie == 20) printw("|");
else if(hasSnakeNode(hang,lie)) printw("[]");
else printw(" ");
}
printw("\n");
}
if(hang == 19)
{
for(lie = 0;lie < 20;lie ++)
{
printw("--");
}
printw("\n");
printw("by beiweiqiuAC");
}
}
}
void addNode()
{
struct Snake * new = (struct Snake *)malloc(sizeof(struct Snake));
new->hang = head->hang;
new->lie = tail->lie+1;
new->next = NULL;
tail->next = new;
tail = new;
}
void initSnake(){
struct Snake * p;
while(head != NULL)
{
p = head;
head = head -> next;
free(p);
}
head = (struct Snake *)malloc(sizeof(struct Snake));
head->hang = 1;
head->lie = 1;
head->next = NULL;
tail = head;
addNode();
addNode();
addNode();
addNode();
}
void deleNode()
{
// struct Snake * p;
// p = head;
head = head ->next;
// free(p);
}
void moveSnake()
{
addNode();
deleNode();
if(tail ->hang == 0 || tail->lie == 0 || tail->hang == 20 || tail ->lie == 20)
{
initSnake();
}
}
默认该文件名为snake10.c
打开终端运行该指令进行编译"gcc snake10.c -lcurses"
系统默认生成可执行文件a.out
输入该指令执行该文件"./a.out"
运行效果
第一秒:
第二秒:
此时,我们已经完成了贪吃蛇自发移动了。
总结
好啦,关于本节讲解贪吃蛇向右移动撞墙死掉并且释放内存的内容就到这里,希望本期博客能对你有所帮助。同时发现错误请多多指正!