有比简单地打开文件更好的方法吗?
int exists(const char *fname)
{
FILE *file;
if ((file = fopen(fname, "r")))
{
fclose(file);
return 1;
}
return 0;
}
有比简单地打开文件更好的方法吗?
int exists(const char *fname)
{
FILE *file;
if ((file = fopen(fname, "r")))
{
fclose(file);
return 1;
}
return 0;
}
当前回答
您可以使用realpath()函数。
resolved_file = realpath(file_path, NULL);
if (!resolved_keyfile) {
/*File dosn't exists*/
perror(keyfile);
return -1;
}
其他回答
您可以使用realpath()函数。
resolved_file = realpath(file_path, NULL);
if (!resolved_keyfile) {
/*File dosn't exists*/
perror(keyfile);
return -1;
}
我认为在unistd.h中找到的access()函数对于Linux来说是一个很好的选择(你也可以使用stat)。
你可以这样使用它:
#include <stdio.h>
#include <stdlib.h>
#include<unistd.h>
void fileCheck(const char *fileName);
int main (void) {
char *fileName = "/etc/sudoers";
fileCheck(fileName);
return 0;
}
void fileCheck(const char *fileName){
if(!access(fileName, F_OK )){
printf("The File %s\t was Found\n",fileName);
}else{
printf("The File %s\t not Found\n",fileName);
}
if(!access(fileName, R_OK )){
printf("The File %s\t can be read\n",fileName);
}else{
printf("The File %s\t cannot be read\n",fileName);
}
if(!access( fileName, W_OK )){
printf("The File %s\t it can be Edited\n",fileName);
}else{
printf("The File %s\t it cannot be Edited\n",fileName);
}
if(!access( fileName, X_OK )){
printf("The File %s\t is an Executable\n",fileName);
}else{
printf("The File %s\t is not an Executable\n",fileName);
}
}
你会得到以下输出:
The File /etc/sudoers was Found
The File /etc/sudoers cannot be read
The File /etc/sudoers it cannot be Edited
The File /etc/sudoers is not an Executable
FILE *file;
if((file = fopen("sample.txt","r"))!=NULL)
{
// file exists
fclose(file);
}
else
{
//File not found, no memory leak since 'file' == NULL
//fclose(file) would cause an error
}
通常,当您想要检查一个文件是否存在时,这是因为如果它不存在,您想要创建该文件。如果您不想创建该文件,Graeme Perrow的答案很好,但如果您想创建该文件,那么它很容易受到竞态条件的影响:在您检查它是否存在和您实际打开它并写入它之间,另一个进程可能会创建该文件。(别笑…如果创建的文件是一个符号链接,这可能会有不好的安全隐患!)
如果你想检查文件是否存在,并在它不存在时自动创建文件,这样就没有竞态条件,然后使用这个:
#include <fcntl.h>
#include <errno.h>
fd = open(pathname, O_CREAT | O_WRONLY | O_EXCL, S_IRUSR | S_IWUSR);
if (fd < 0) {
/* failure */
if (errno == EEXIST) {
/* the file already existed */
...
}
} else {
/* now you can use the file */
}
从Visual c++的帮助来看,我倾向于使用
/* ACCESS.C: This example uses _access to check the
* file named "ACCESS.C" to see if it exists and if
* writing is allowed.
*/
#include <io.h>
#include <stdio.h>
#include <stdlib.h>
void main( void )
{
/* Check for existence */
if( (_access( "ACCESS.C", 0 )) != -1 )
{
printf( "File ACCESS.C exists\n" );
/* Check for write permission */
if( (_access( "ACCESS.C", 2 )) != -1 )
printf( "File ACCESS.C has write permission\n" );
}
}
同样值得注意的是_access的模式值(const char *path,int模式):
00:只存在 02:写权限 04:读权限 06:读写权限
因为在文件存在但无法按要求打开的情况下,fopen可能会失败。
编辑:看看Mecki的帖子就知道了。Stat()看起来确实是一种更整洁的方式。何鸿燊的嗡嗡声。