Qt生成隨機數的方法

1.生成隨機數

        生成隨機數主要用到瞭函數qsrand和qrand,這兩個函數在#include <QtGlobal>中,qsrand用來設置一個種子,該種子為qrand生成隨機數的起始值。比如說qsrand(10),設置10為種子,那麼qrand生成的隨機數就在[10,32767]之間。而如果在qrand()前沒有調用過qsrand(),那麼qrand()就會自動調用qsrand(1),即系統默認將1作為隨機數的起始值。使用相同的種子生成的隨機數一樣。

       下列代碼生成瞭[0,9]之間的10個隨機數。

void generateRandomNumber()
{
    qsrand(QTime(0,0,0).secsTo(QTime::currentTime()));
    for(int i=0; i<10; i++)
    {
        int test =qrand()%10;
        qDebug()<<test;
    }
}

        註意代碼中使用的種子,這裡沒有用固定值來作為種子,是希望函數在每次調用(間隔大於1秒)時生成的隨機數不一樣。

2.生成不重復的隨機數

        這個沒有特別好的方法,需要自己手動計算,代碼如下。

void generateUniqueRandomNumber()
{
    int i,j;
    QList<int> numbersList;
    qsrand(QTime(0,0,0).secsTo(QTime::currentTime()));
    for(i=0;i<10;i++)
    {
        numbersList.append(qrand()%10);
        bool flag=true;
        while(flag)
        {
            for(j=0;j<i;j++)
            {
                if(numbersList[i]==numbersList[j])
                {
                    break;
                }
            }
            if(j<i)
            {
                numbersList[i]=rand()%10;
            }
            if(j==i)
            {
                flag=!flag;
            }
        }
    }
    for(i=0;i<10;i++)
    {
        qDebug()<<numbersList[i];
    }
}

3.生成遞增的隨機數

        就是在隨機數生成後進行排序,Qt提供瞭一個非常好用的排序函數qSort,詳細的用法可參考Qt幫助。

void generateAscendRandomNumber()
{
    int i;
    QList<int> numbersList;
    qsrand(QTime(0,0,0).secsTo(QTime::currentTime()));
    for(i=0;i<10;i++)
    {
        numbersList.append(qrand()%10);
    }
    qSort(numbersList.begin(),numbersList.end());
    for(i=0;i<10;i++)
    {
        qDebug()<<numbersList[i];
    }
}

        輸出結果如下所示,可以看出qSort默認遞增排序,即使數列中包含相同的數。

到此這篇關於Qt生成隨機數的方法的文章就介紹到這瞭,更多相關Qt 隨機數內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!

推薦閱讀: