如何仅在存在的情况下打开具有追加模式的文件

时间:2015-03-15 23:14:51

标签: c++ c fopen

函数fopen("file-name",a);将返回指向文件末尾的指针。如果文件存在则打开,否则创建新文件 是否可以使用追加模式并仅在文件已存在时打开文件? (否则返回NULL指针)。



提前致谢

2 个答案:

答案 0 :(得分:3)

为避免竞争条件,应在一次系统调用中完成打开和检查。在POSIX中,这可以使用open来完成,因为如果未提供标记O_CREAT,它将不会创建文件。

int fd;
FILE *fp = NULL;
fd = open ("file-name", O_APPEND);
if (fd >= 0) {
  /* successfully opened the file, now get a FILE datastructure */
  fp = fdopen (fd, "a")
}

open也可能因其他原因而失败。如果您不想忽略所有这些内容,则必须检查errno

int fd;
FILE *fp = NULL;
do {
  fd = open ("file-name", O_APPEND);
  /* retry if open was interrupted by a signal */
} while (fd < 0 && errno == EINTR); 
if (fd >= 0) {
  /* successfully opened the file, now get a FILE datastructure */
  fp = fdopen (fd, "a")
} else if (errno != ENOENT) { /* ignore if the file does not exist */
  perror ("open file-name");  /* report any other error */
  exit (EXIT_FAILURE)
}

答案 1 :(得分:0)

首先检查文件是否已存在。一个简单的代码可能是这样的:

int exists(const char *fname)
{
    FILE *file;
    if ((file = fopen(fname, "r")))
    {
        fclose(file);
        return 1;
    }
    return 0;
}

如果文件不存在,它将返回0 ...

并像这样使用它:

if(exists("somefile")){file=fopen("somefile","a");}