如何每n次重置一个函数变量?

时间:2018-03-02 12:14:59

标签: c++ variables static

我使用随机数生成功能并且它工作正常但我需要每 n 次重置一个函数变量 nSeed ,让& #39; s说 nSeed = 5323 ..我怎样才能将其返回到 5323 每个 5 操作i&# 39;我不知道该怎么做..这里有一个例子:

unsigned int PRNG()  

{  
    static unsigned int nSeed = 5323;  
    nSeed = (8253729 * nSeed + 2396403);  
    return nSeed  % 32767;
}  

int main()
{
   int count=0;  
   while(count<10)  
   {  
       count=count+1;  
       cout<<PRNG()<<endl;  

          if(count==5)
          {  
               nSeed= 5323;   //here's the problem, "Error nSeed wasn't declared in the scoop"
          } 
   }  
}  

注意:我需要在scoop中声明计数器,而不是在函数中声明。

3 个答案:

答案 0 :(得分:5)

只需使用另一个静态变量。例如

unsigned int PRNG()  
{
    const unsigned int INITIAL_SEED = 5323;
    static unsigned int i;
    static unsigned int nSeed;

    if ( i++ % 5 == 0 ) 
    {
        nSeed = INITIAL_SEED;
        i = 1;
    }

    nSeed = (8253729 * nSeed + 2396403);

    return nSeed  % 32767;
} 

另一种方法是使用参数声明函数。例如

unsigned int PRNG( bool reset )  
{
    const unsigned int INITIAL_SEED = 5323;
    static unsigned int nSeed = INITIAL_SEED;

    if ( reset ) nSeed = INITIAL_SEED;

    nSeed = (8253729 * nSeed + 2396403);

    return nSeed  % 32767;
} 

答案 1 :(得分:3)

如果您只是在一个循环中使用来自此生成器的5次绘制,那么将整个内容重构为

int PRNG[5] = {5323, /*ToDo - you work out the other 4 elements*/};

并在通话现场使用

cout << PRNG[count % 5] << endl;  

否则你的代码最终会看起来像是值得提交给混淆竞赛的东西。

count回绕到零时,您需要采取措施避免碰撞。假设你已经达到了这一点。当它达到5时,或许将count设置为零?或者,因为我无法抗拒,请从count = 4开始,然后使用

cout << PRNG[++count %= 5] << endl;

这件恶魔++count %= 5没有用C语言编译!

答案 2 :(得分:2)

而不是count == 5,使用模运算符:

if (count % 5 == 0)
{
    nSeed= 5323;
}

每次计数可以被5整除时,这将重置该值,由于您按1递增,因此每五次迭代会发生一次。

正如评论中所指出的,您还需要确保变量在范围内。