规则很简单:
编写函数模拟掷骰子的游戏(两个骰子)。第一次掷骰子的时候,如果点数为7或11则获胜;如果点数之和为2、3或12则落败;其他情况下的点数之和称为目标,游戏继续。后续的投掷中,如果玩家再次掷出目标点数则获胜,掷出7则落败,其他情况忽略,游戏继续进行。每局游戏结束时,程序询问用户是否再玩一次,如果用户输入的回答不是y或Y,程序会显示胜败的次数然后终止。
设计思路:
随机数函数和时间函数进行赋值,其余细节见代码注释。
我的代码:
#include <stdio.h>
#include <stdlib.h>
#include <time.h>
int roll_dice(void){
int a,b;
a=rand()%6+1;
b=rand()%6+1;
return a+b;
}//骰子点数生成器
int play_game(void){
int i,j,k,m;
i=roll_dice();
printf("You rolled: %d\n",i);
printf("Your point is %d\n",i);
if (i==7||i==11) {
k=1;
}
else if(i==2||i==3||i==12){
k=0;
}
else{
for(;;){
j=roll_dice();
printf("You rolled: %d\n",j);
if(j==7){
k=0;
break;
}
else if(j==i){
k=1;
break;
}
else
continue;
}
}
return k;
}//游戏发生函数
int main()
{
printf("This is a game concerning luck.\n");
printf("Are your ready?(press Enter)");
while(getchar()!='\n')
;
printf("Good luck!") ;
while(getchar()!='\n')
;
srand((unsigned)time(0));
int k,losses=0,wins=0;//计数器
char ch1,ch2;
k=play_game();
if(k==0) {
printf("You lose!\n");
losses++;
}
else {
printf("You win!\n");
wins++;
}
printf("Play again? ");
while(1){
ch1=getchar();
ch2=getchar();//读取回车符(至关重要)
printf("\n");
if(ch1=='y'){
k=play_game();
if(k==0) {
printf("You lose!\n");
losses++;
}
else {
printf("You win!\n");
wins++;
}
printf("Play again?");
}
else{
printf("\n");
break;
}
}
printf("Wins:%d Losses:%d",wins,losses);
return 0;
}
|