我正在开发一个通过参数获取文件并返回其信息和名称的程序。我收到错误文件描述错误。我的代码看起来像这样:
#include <stdio.h>
#include <stdlib.h>
#include <sys/stat.h>
#include <sys/types.h>
#include <unistd.h>
#include <fcntl.h>
#include <time.h>
int main(int argc, char *argv[]){
if(argc < 2){
printf("Error");
return 1;
}
else
{
int i;
for(i=1;i<argc;i++)
{
int file = 0;
file = open(argv[i], O_RDONLY);
if(file == -1)
{
close(file);
return 1;
}
else
{
struct stat info;
if(fstat(file, &info) < 0)
{
close(file);
return 1;
}
else
{
printf("Status information for %s\n",argv[i]);
printf("Size of file: %d \n", info.st_size);
printf("Number of connections: %d\n", info.st_nlink);
printf("inode: %d\n", info.st_ino);
printf("Last used : %s", ctime(&info.st_atime));
printf("Last change : %s", ctime(&info.st_mtime));
printf("Last status of change : %s", ctime(&info.st_ctime));
printf("ID owner : %d\n", info.st_uid);
printf("ID group : %d\n", info.st_gid);
printf("ID device : %d\n", info.st_dev);
printf("Security : :");
printf((S_ISDIR(info.st_mode)) ? "d" : "-");
printf((info.st_mode & S_IRUSR) ? "r" : "-");
printf((info.st_mode & S_IWUSR) ? "w" : "-");
printf((info.st_mode & S_IXUSR) ? "x" : "-");
printf((info.st_mode & S_IRGRP) ? "r" : "-");
printf((info.st_mode & S_IWGRP) ? "w" : "-");
printf((info.st_mode & S_IXGRP) ? "x" : "-");
printf((info.st_mode & S_IROTH) ? "r" : "-");
printf((info.st_mode & S_IWOTH) ? "w" : "-");
printf((info.st_mode & S_IXOTH) ? "x" : "-");
if(S_ISREG(info.st_mode)){
printf("\nFile is regular\n");
}
else if(S_ISDIR(info.st_mode)){
printf("\nFile is a directory\n");
}
printf("\n===================================\n");
close(file);
}
}
}
}
return 0;
}
当我像这样运行程序时: ./program somefile 我得到了回报 - &gt;错误的文件描述符
答案 0 :(得分:2)
问题在于:
file = open(argv[i], O_RDONLY);
if(file == -1)
{
close(file);
return 1;
}
因为,file==-1
时,它不是要传递给close
的有效文件描述符。
您可以放心,在此分支中调用close
即可,因为如果open
失败,那么 就不会close
首先。
另外,close
也有返回值,open
和close
如果失败则设置errno
:您可以检查并记录所有这些。几乎所有代码最终都是错误检查/处理的事实,是其他语言(如C ++)引入异常的动机之一。
int file = open(argv[i], O_RDONLY);
if(file == -1) {
perror("open failed");
return 1;
}
struct stat info;
if (fstat(file, &info) < 0) {
perror("fstat failed");
if (close(file) < 0) {
perror("close failed");
}
return 1;
}