如果我在 CI 中有一个 char 数组,则在循环中使用它:
char arr [100];
while (1) {
fill arr from some source
store arr in some where
}
现在,通过这种方法,我释放了所有后续数组,我只维护一个指向最后一个数组的指针。我怎样才能保持这种状态?
请不要向我建议使用字符串:)
使用备用数组存储以前的字符串:
char arr [100];
char* arrOfStrings[100];
int i = 0;
while (1) {
//fill arr
arrOfStrings[i] = malloc(strlen(arr)+1);
strncpy(arrOfStrings[i], arr, strlen(arr));
i++;
}
用于strcpy()
制作副本。
char arr[100];
while(1) {
/* fill arr */
char *str = malloc(strlen(arr) + 1);
strcpy(str, arr);
/* store str in some where */
}
我会使用链表,因为您不知道要存储的行数:
char arr[100];
struct listOfLines
{
char *line;
struct listOfLines *next;
};
struct listOfLines *myListOfLines = NULL;
struct listOfLines *tempLine = NULL;
while(1)
{
/* Fill array from some source */
myListOfLines = tempLine;
tempLine = malloc(sizeof(struct listOfLines));
tempLine->line = strdup(arr);
tempLine->next = NULL;
}