我认为这个问题仅仅是缺少内存分配的问题。
(也许跳到最底层,阅读最后的问题以获取一些简单的建议)
我正在编写此程序,该程序读取用户输入的文件。如果文件“包括”其他文件,则也会读取它们。为了检查另一个文件是否包含一个文件,我解析了字符串的第一个单词。为此,我编写了一个函数,该函数返回已解析的单词,并传入一个将其设置为下一个单词的第一个字母的指针。例如考虑字符串:
“ include foo”注意文件只能包含另外1个文件
firstWord ==包含,chPtr == f
我的算法解析firstWord以测试是否包含'include'的字符串相等性,然后解析第二个单词以测试文件的有效性,并查看文件是否已被读取。
现在,我的问题是正在读取许多文件,并且chPtr被覆盖。因此,当我将指针返回到下一个单词时。下一个单词有时会包含上一个文件的最后几个字符。考虑名为testfile-1和伪造的示例文件:
让chPtr最初等于testfile-1,现在考虑解析“ include bogus”:
提取firstWord将==包含,并且chPtr将被覆盖以指向伪造的b。因此,chPtr将等于'\ 0'l e-1。l e-1是testfile-1的最后几个字符,因为每次调用我的函数时chPtr都指向相同的内存地址。这对我来说是个问题,因为当我解析假的时候,chPtr会指向l。这是我的函数的代码:
char* extract_word(char** chPtr, char* line, char parseChar)
//POST: word is returned as the first n characters read until parseChar occurs in line
// FCTVAL == a ptr to the next word in line
{
int i = 0;
while(line[i] != parseChar && line[i] != '\0')
{
i++;
}
char* temp = Malloc(i + 1); //I have a malloc wrapper to check validity
for(int j = 0; j < i; j++)
{
temp[j] = line[j];
}
temp[i+1] = '\0';
*chPtr = (line + i + 1);
char* word = Strdup(temp); //I have a wrapper for strdup too
return word;
那么,我的问题诊断正确吗?如果是这样,我是否可以复制chPtr?另外,如何制作chPtr的深层副本?
非常感谢!
最佳答案
如果我理解正确,则您想扫描一个文件,遇到“ include”指令时,您要扫描在“ include”指令中指定的文件,依此类推,以无限方式进行包括在内的任何级别的读取,即读取一个可能包括其他文件,而这些文件又可能包括其他文件.....
如果是这样的话(如果我错了,请纠正),这是一个经典的递归问题。递归的优点是所有变量都在堆栈上创建,并且在堆栈展开时自然被释放。
以下代码将执行此操作,而无需malloc或free或复制任何内容:
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <unistd.h>
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#define INCLUDE "include"
#define INCOFFSET 7
static void
process_record (char *name, char *buf)
{
// process record here
printf ("%s:%s\n", name, buf);
}
// change this to detect your particular include
static int
isinclude (char *buf)
{
//printf ("%s:Record %s INCLUDE=%s INCOFFSET=%d\n", __func__, buf, INCLUDE,
// INCOFFSET);
if (!strncmp (buf, INCLUDE, INCOFFSET))
{
//printf ("%s:Record == include", __func__);
return 1;
}
return 0;
}
static int
read_file (char *name)
{
//printf ("%s:File %s\n", __func__, name);
FILE *fd = fopen (name, "r");
if (!fd)
{
printf ("%s:Cannot open %s\n", __func__, name);
return -1;
}
char buf[1024];
ssize_t n;
while (fgets (buf, sizeof (buf), fd))
{
size_t n = strcspn (buf, "\n");
buf[n] = '\0';
//printf ("%s:Buf %s\n", __func__, buf);
if (isinclude (buf))
{
read_file (buf + (INCOFFSET + 1));
}
else
{
process_record (name, buf);
}
}
fclose (fd);
return 0;
}
int
main (int argc, char *argv[])
{
int ret = read_file (argv[1]);
if (ret < 0)
{
exit (EXIT_FAILURE);
}
exit (EXIT_SUCCESS);
}