文件描述符
Linux系统中对文件进行操作的系统调用函数有 open(), close(), read(), write() 等等........关于这些函数需要的头文件和用法可以用
>man 函数名
去查询。
当open一个现存文件或新建文件时,系统(内核)会返回一个文件描述符,文件描述符用来指定已打开的文件。这个文件描述符相当于这个已打开文件的标号,文件描述符是非负整数,是文件的标识,操作这个文件描述符相当于操作这个描述符所指定的文件。
每个进程都有三个默认打开的文件描述符,即标准输入、标准输出、标准错误输出设备文件被打开,对应的文件描述符 0、1、2。
#define STDIN_FILENO 0 //标准输入的文件描述符
#define STDOUT_FILENO 1 //标准输出的文件描述符
#define STDERR_FILENO 2 //标准错误的文件描述符
当打开其他文件时,系统会返回文件描述符表中最小可用的文件描述符,并将此文件描述符记录在表中。Linux 中一个进程最多只能打开有限个文件,故当文件不再使用时应及时调用 close() 函数关闭文件。 可用下面的命令查看可打开的文件个数:
>ulimit -n
代码
#include<stdio.h>
#include<string.h>
#include<sys/types.h>
#include<sys/stat.h>
#include<fcntl.h>
#include<unistd.h>
int main()
{
int read_file, write_file, len;
read_file = open("./main.c", O_RDONLY);
/*open返回文件描述符,是一个非负数*/
if(read_file < 0)
{
perror("open read file");
return -1;
}
write_file = open("./main.new", O_WRONLY|O_CREAT,0755);
if(write_file < 0)
{
perror("open write file");
return -1;
}
char buf[1024];
do
{
/*清空缓冲区*/
memset(buf,0,sizeof(buf));
/*read返回读到的数据长度*/
len = read(read_file,buf,sizeof(buf));
write(write_file,buf,len);
} while (len > 0);
/*关闭文件*/
close(read_file);
close(write_file);
return 0;
}
保存编译执行:
[lingyun@manjaro study]$ gcc study.c
[lingyun@manjaro study]$ ls
a.out include main main.c res src study.c
[lingyun@manjaro study]$ ./a.out
[lingyun@manjaro study]$ ls
a.out include main main.c main.new res src study.c
[lingyun@manjaro study]$ cat main.new
#include <stdio.h>
int main()
{
int a[] = {31,41,59,26,41,58};
for(int i = 0; i < sizeof(a)/sizeof(int); i++)
.................
可见执行完后生成了新的文件 main.new 。