今天来对这个“别碰方块”的游戏进行一个完善,并增加一个得分系统
1.定义变量
首先是定义用于储存得分的变量:
int score = 0;
2.得分系统
那么怎样才能得分呢?
没错,就是小球每经过一个方块,得分就加1,那么我们就只需要在while语句中加一个:
score ++;
注意:加分的代码必须放在检测小球是否碰到方块的if语句后面
3.分数清零系统
当碰到小球时,得分清零
只需在检测小球是否碰到方块的if语句中加一个:
score = 0;
4.输出分数
那么分数如何输出呢?
这里就不细讲实现了,以后会专门出一篇文章讲
这里就直接贴代码了:
TCHAR s[20];//定义字符串数组
_swprintf(s, _T("%d"), score);//把score转换为字符串并储存在字符串数组s中
settextstyle(40, 0, _T("宋体"));//设置文本大小
outtextxy(50, 30, s);//输出得分
Sleep(10);
注意:这里编译的时候会显示:
也就是:
'_swprintf: This function or variable may be unsafe. Consider using swprintf_s instead. To disable deprecation, use _CRT_SECURE_NO_WARNINGS. See online help for details.
也就是说现在使用_swprintf()
函数已经不被允许了,那么我们就要强制允许,也就是use _CRT_SECURE_NO_WARNINGS
你么我们就需要右击右边的项目名称,单击“属性”(或者直接用快捷键Alt+Enter)
找到C/C++
中的预处理器
,在第一行预处理器定义
的右边箭头中找到<编辑...>
并单击,把对话框最上面的框中的内容改为_CRT_SECURE_NO_WARNINGS
并点击确定
(详细图文内容见:C++问题解决:Visual Studio编译时显示“‘_swprintf: This function or variable may be unsafe.”怎么办?)
然后再编译就可以啦~
5.整段代码
那么整段代码就是:
#include<graphics.h>
#include<conio.h>
#include<stdio.h>
int main() {
double width, height;//定义画面长度、宽度
width = 600;
height = 400;
initgraph(width, height);
double ball_x, ball_y, ball_vy, r, g;//定义小球x轴、y轴、y轴方向的速度、半径、重力加速度
g = 0.6;
r = 20;
ball_x = width / 4;//x坐标等于整个画面x轴长度的四分之一
ball_y = height - r;//y坐标等于画面的y轴长度减去圆的半径(保证圆在画面的最底端)
ball_vy = 0; //最初小球落在地面上时y轴方向的速度为0
double rect_left_x, rect_top_y, rect_width, rect_height;//定义方块的各个位置变量
rect_width = 20;
rect_height = 100;
rect_left_x = width * 3 / 4;
rect_top_y = height - rect_height;
double rect_vx = -3;//定义方块的移动速度
int score = 0;//定义得分
while (1) {
if (_kbhit()) {
char input = _getch();
if (input == ' ') {
ball_vy = -16;
}
}
ball_vy = ball_vy + g;//根据牛顿力学定律得
ball_y = ball_y + ball_vy;//小球y轴方向的变化
if (ball_y >= height - r) {
ball_vy = 0;//小球落地以后速度清零
ball_y = height - r;
}
rect_left_x = rect_left_x + rect_vx;
if (rect_left_x <= 0) {//如果方块移动到最左边
score++;
rect_left_x = width;//方块消失以后重新出现
rect_height = rand() % int(height / 4) + height / 4;//设置随机高度
rect_vx = rand() / float(RAND_MAX) * 4 - 7;//设置方块随机速度
}
if ((rect_left_x <= ball_x + r) && (rect_left_x + rect_width >= ball_x - r) && (height - rect_height <= ball_y + r)) {
score = 0;
Sleep(100);//碰到方块慢动作
}
cleardevice();
fillrectangle(rect_left_x, height - rect_height, rect_left_x + rect_width, height);
fillcircle(ball_x, ball_y, r);
TCHAR s[20];//定义字符串数组
_swprintf(s, _T("%d"), score);//把score转换为字符串并储存在字符串数组s中
settextstyle(40, 0, _T("宋体"));//设置文本大小
outtextxy(50, 30, s);//输出得分
Sleep(10);
}
_getch();
closegraph();
return 0;
}
效果: