我想使用下面的代码生成长度为100的随机字符串文本,然后验证我是否打印了变量文本的长度,但有时小于100.如何解决这个问题?
#include <math.h>
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#include <time.h>
int main() {
int i, LEN = 100;
srandom(time(NULL));
unsigned char text[LEN];
memset(text, 1, LEN);
for (i = 0; i < LEN; i++) {
text[i] = (unsigned char) rand() & 0xfff;
}
printf("plain-text:");
printf("strlen(text)=%zd\n", strlen(text));
}
答案 0 :(得分:4)
也许随机字符0
被添加到字符串中,然后它被strlen
视为字符串的结尾。
您可以将随机字符生成为(rand() % 255) + 1
以避免零。
最后你必须对字符串进行零终止。
LEN = 101; // 100 + 1
....
for (i = 0; i < LEN - 1; i++) {
text[i] = (unsigned char) (rand() % 255 + 1);
}
text[LEN-1] = 0;
答案 1 :(得分:2)
我想使用下面的代码生成长度为100的随机字符串文本,然后验证我是否打印了变量文本的长度,但有时小于100.如何解决这个问题?
首先,如果要生成长度为100的字符串,则需要声明一个大小为101的数组。
int i, LEN = 101;
srandom(time(NULL));
unsigned char text[LEN];
当您将来自调用的字符分配给rand
时,请确保它不是0
,这通常是字符串的空终止符。
for (i = 0; i < LEN - 1; /* Don't increment i here */) {
c = (unsigned char) rand() & 0xfff;
if ( c != '\0' )
{
text[i] = c;
// Increment i only for this case.
++i
}
}
并且不要忘记null终止字符串。
text[LEN-1] = '\0';