2

我正在用 C 编写一个程序,它将掷两个骰子并输出总和。游戏很简单,现在我正在合并一个函数和循环,以便使用将进行多次尝试。问题是第一次尝试后分数永远不会改变。所以我知道该功能正在工作,但不知何故循环正在抛出一些东西。这是我的代码:

#include<stdio.h>


//Function prototype
int RollScore(int , int);

main()
{
  int LoopCount;
  LoopCount = 0;

  for(LoopCount = 0; LoopCount < 11; LoopCount ++)
  {


 //Declare Variables
  int DieOne,DieTwo,DiceScore;

  //  One and Two will be hidden only Score will be output  
  DieOne = 0;
  DieTwo = 0;
  DiceScore = 0;


  printf("\n\n\tTo win you need a score of 7 or 11.");
  printf("\n\n\tPress a key to Roll the Dice!");

  //Trigger Random number generator and remove previous text    
  getch();
  system("cls");

  DiceScore = RollScore(DieOne , DieTwo);

  //Create Condition to either show user a win/lose output
  if (DiceScore == 7 || DiceScore == 11)
    {
                printf("\n\n\n\t\tYou Rolled a score of %d" , DiceScore);
                printf("\n\n\n\t\tCongratulation! You win!");

                LoopCount = 11;
    }//end if
     else
         {
                  printf("\n\n\n\t\tYou Rolled a score of %d" , DiceScore);
                  printf("\n\n\n\t\tSorry you have lost! Thanks for playing!");                 
                  printf("\n\n\t %d Attempt!" , LoopCount);
         }//end else

  //Prevent the IDE from closing program upon termination
  getch();
  system("cls");

  }//End For




}

//Function definition
int RollScore (int Dieone , int Dietwo)
{
return (srand() % 5) + 1 , (srand() % 5) + 1;
}
4

3 回答 3

1
return (srand() % 5) + 1 , (srand() % 5) + 1;

调用srand一次以播种随机数生成器,然后调用rand以获取随机数。

带有示例的基本 rand 函数文档

于 2012-09-19T19:51:50.313 回答
0

首先,要获得 1 到 6 之间的值,您必须执行类似srand() % 6 + 1. 模 5 产生一个介于 0 和 4 之间的值,加 1 你会得到一个介于 1 和 5 之间的数字,6 永远不会出现。
第二次你要返回两个num之和,你只返回第二次平局的值。尝试 :

//Function definition
int RollScore (int Dieone , int Dietwo)
{
  return (srand() % 6) + 1 + (srand() % 6) + 1;
}

如果您想要抽签结果,请不要忘记使用指针...

//Function definition
int RollScore (int *Dieone , int *Dietwo)
{
  *Dieone = srand() % 6 + 1;
  *Dietwo = srand() % 6 + 1;
  return *Dieone + *Dietwo;
}
于 2012-09-19T20:00:45.863 回答
0

srand() 用于初始化随机数生成器的种子,rand() 是实际返回随机数的函数,因此您需要在 for 循环之前调用 srand() 一次,

于 2012-09-19T19:53:57.953 回答