1

我正在研究unix system calls. 在我的代码中,我想要open该文件并对该文件执行lseek操作。请查看以下代码。

#include <stdio.h>
#include <fcntl.h>
#include <sys/types.h>
#include <unistd.h>

int main(void)
{

 int fd;


 fd = open("testfile.txt", O_RDONLY);
 if(fd < 0 );
   printf("problem in openning file \n");

 if(lseek(fd,0,SEEK_CUR) == -1)
   printf("cant seek\n");
 else
   printf("seek ok\n");

 exit(0);

} 

我的输出是:

   problem in openning file 
   seek ok

我的问题是:

1)为什么open系统调用给我负文件描述符?(我已经确认 testfile.txt 文件在同一目录中)

2)这里我无法打开文件(因为open()返回负文件描述符),lseek不打开文件如何成功?

4

2 回答 2

6

实际上,您成功打开了文件。

只是if(fd < 0 );错了,你需要删除;

于 2013-09-04T14:39:29.440 回答
2

大多数 API 会告诉你为什么会发生错误,并且对于这样的系统调用open()是通过查看errno(并使用strerror()获取错误的文本版本)来实现的。尝试以下操作(删除您的错误):

#include <stdio.h>
#include <fcntl.h>
#include <sys/types.h>
#include <unistd.h>
#include <errno.h>

int main(void)
{

 int fd;


 fd = open("testfile.txt", O_RDONLY);
 if(fd < 0 ) {   // Error removed here
   printf("problem in opening file: %s\n", strerror(errno));
   return 1;
 }

 if(lseek(fd,0,SEEK_CUR) == -1)   // You probably want SEEK_SET?
   printf("cant seek: %s\n", strerror(errno));
 else
   printf("seek ok\n");

 close(fd);

 return 0;

} 
于 2013-09-04T14:43:15.907 回答