rand()从哪里得到它的数字?

时间:2015-07-16 16:05:32

标签: c++ random iostream cout

在处理一个小项目时,我认为我可以生成"随机"文件名包含一些像这样的代码,

std::cout << "image"+rand()%255 << std::endl;

我对我的输出毫无意义。它们似乎是错误消息的随机部分。

例如这段代码:

int main()
{
    while(1){
        std::cout << "image" + rand() % 255 << std::endl;
    }
    return 0;
}

产生类似的乱码:

> ge
>
> n
>
>
> i
>
>
> ring too long
>
> U
>
>
>
>
>
> &
>
> n
> _
> o
>  string position
> e
> lid string position
> i
>
>
>
>
> U
> g
> invalid string position
>
> U
> ing position
>
>
> &
>
>
>
>
> ring position
> !
> n
>
> oo long
>
>
>
>
>
> o
> position

和QtCreator中的一段更复杂的代码(在主循环中使用相同的cout rand endl语句)

>    atform\mainwindow.cpp:210
>0
>I , null image received
>indow.cpp:210
>(QImage)
>dImage(QImage)
>, error: image not read from file!
> updatePlayerUI , null image received
>updatePlayerUI(QImage)
>ow.cpp:210
>dImage(QImage)
>ot chosen
>s not chosen
>og, error: image not read from file!
> was not chosen
>age not read from file!
>r: image not read from file!
>neDataPlatform\mainwindow.cpp:210
>error: image not read from file!

这是什么原因?

2 个答案:

答案 0 :(得分:10)

"image"的类型是const char*,你在这里做指针算法

"image" + rand() % 255

这是(可能)未定义的行为,因为您(可能)在该字符串的已分配内存之外访问。做你想要的事情

std::cout << "image" << (rand() % 255) << std:endl    

或者

std::cout << "image" + std::to_string(rand() % 255) << std:endl

答案 1 :(得分:9)

"image" + rand() % 255

此表达式不符合您的想法。

您认为这意味着&#34;获取表达式rand() % 255的结果,将其转换为字符串,并将其与字符串"image"&#34;连接。

它实际上意味着&#34;将指针指向文字字符串"image"并将该指针递增rand() % 255个字符。&#34;

rand() % 255的结果大于5(越界内存访问)时,这会导致未定义的行为。

在这种特殊情况下,您的编译器在生成的程序中将字符串文字值彼此相邻存储,因此将指针递增到字符串文字将在该内存中移动并捕获随机字符串。

实现这一目标的正确方法是:

std::cout << "image" << (rand() % 255) << std::endl;