我尝试使用srand()在C中生成随机数。我想生成从1到25的数字而不重复,所以我已经实现了以下程序。
#include <stdio.h>
#include <time.h>
int main()
{
int i=0,n,a[25]={0},b[25]={0},cntr=0;
srand(time(NULL));
while(cntr!=25)
{
n=rand()%26;
if(n!=9)
{
if(a[n]!=1)
{
a[n]=1;
printf("%d ",n);
b[i]=n;
printf("%d\n",b[i]);
cntr++;
i++;
}
}
}
for(i=0;i<25;i++)
{
printf("%d ",b[i]);
}
return 0;
}
现在有一个奇怪的问题。当我在生成随机数的循环内打印数组b时,它会打印正确的数字。但是当我在循环外打印它时,数组b的第一个元素变为1,我在随机数中得到重复值1。如果有人可以帮助在程序中找到错误,我将不胜感激。
以下是我提供程序输出的ideone的链接:Ideone Link
答案 0 :(得分:2)
您声明a[25]
但是您访问n=rand()%26;
以来的26个元素中的任何一个,因此请声明
int i=0,n,a[26]={0},b[26]={0},cntr=0;
BTW,使用所有警告和调试信息进行编译(例如gcc -Wall -Wextra -g
)。然后使用调试器(gdb
)。 watchpoint会有所帮助。
答案 1 :(得分:1)
there are several little oops in the posted code.
the following corrects those oops
#include <stdio.h>
#include <stdlib.h> // srand(), rand()
#include <time.h> // time()
int main()
{
int i=0; // generated number counter
int n; // generated number
int a[25]={0}; // tracks which numbers have been generated
int b[25]={0}; // random array of numbers 1...25
srand(time(NULL));
while(i<25) // correct loop termination
{
n=rand()%25+1; // yields 0...24 +1 gives 1...25
if(a[n]!=1)
{ // then, number not previously generated
a[n]=1; // indicate number generated
printf("%d ",n); // echo number
// save number in current location in array 'b'
b[i]=n;
printf("%d\n",b[i]); // echo number again
i++; // step offset into array 'b' (and loop counter)
} // end if
} // end while
for(i=0;i<25;i++)
{
printf("%d ",b[i]);
} // end for
return 0;
} // end function: main