我有类似的问题,像这个家伙(coava)张贴。
(Append Random Text without Repetition for File (C))
摘要:基本上我正在尝试创建文件,在其中附加随机单词并将文件存储到目录中
我已尝试过给出的解决方案,但它对我不起作用,也许是因为在我的情况下我也将这些文件存储在目录中。
所以我的代码(编辑:这是我的代码片段)看起来像这样:
char *room[4];
room[0] = "okay";
room[1] = "sure";
room[2] = "fine";
room[3] = "noo";
int pid = getpid();
char dirname[30]
sprintf(dirname,"rooms.%d",(int)getpid());
mkdir(dirname,0777);
int bufSize=128;
char *current = malloc(bufSize);
int nroom = sizeof(room) - 1;
int count;
for (count=0;count<3;count++) {
int ipick = rand()%nroom;
int *pick = room[ipick];
room[nroom] = room [--nroom];
snprintf(currentFile,bufSize,"file-%d.txt",count);
FILE *f = fopen(currentFile,"w")
fprintf(f, "YOUR ROOM: %s\n",pick);
fclose(f);
}
然后我得到一个seg.fault,我试图修改
snprintf(currentFile,bufSize,"file-%d.txt",count);
到
snprintf(currentFile,bufSize,"file-%d.txt",dirname,count);
它没有给出seg.fault,但它只是在目录外打印,并且每个文件的内部添加有时我有随机值,如
“连接主机:@blablabla”或一些垃圾符号。
我的 for 循环中有什么问题吗?或者它在其他地方?
答案 0 :(得分:2)
此代码有效:
#include <stdio.h>
#include <stdlib.h>
#include <sys/stat.h>
#include <unistd.h>
int main(void)
{
char *room[4] = { "okay", "sure", "fine", "noo" };
int pid = getpid();
char dirname[30];
sprintf(dirname, "rooms.%d", pid);
if (mkdir(dirname, 0777) != 0)
{
fprintf(stderr, "Oops: did not create directory %s\n", dirname);
exit(1);
}
int bufSize = 128;
char *current = malloc(bufSize);
int nroom = 4; // sizeof(room) - 1;
for (int count = 0; count < 3; count++)
{
int ipick = rand() % nroom;
char *pick = room[ipick];
room[ipick] = room[--nroom];
snprintf(current, bufSize, "%s/file-%d.txt", dirname, count);
FILE *f = fopen(current, "w");
if (f != 0)
{
fprintf(f, "YOUR ROOM: %s\n", pick);
fclose(f);
}
}
return 0;
}
有很多小修正。一个更大的代码是在使用单词列表时随机排列的代码。另一个是为nroom
设置的值。我把生活简化为常数4;您可以使用sizeof(room) / sizeof(room[0])
代替它,它会随着数组的增长而增长。我使用了数组初始化器而不是赋值 - 并且可能从数组大小中省略了4
(它会根据初始化程序中的值的数量自动调整大小)。
每次运行时都会产生相同的结果(具有相同内容的同一组文件)。在循环之前将#include <time.h>
添加到标题和srand(time(0));
以在不同的运行中获得不同的结果。这是一种非常简单的播种随机数发生器的方法。 getpid()
代替time(0)
也有一些优点。