linux文件编程(一)

 文件访问1)系统调用:依赖操作系统。

                2)c库访问:通用的标准接口

 

1)系统调用

创建:

#include <fcntl.h>

int creat(const char *filename, node_t mode)

int open(const char *pathname, int oflag)

int open(const char *pathname, int oflag, mode_t mode) /**flag使用了O_CREATE/

注意:

(1)creat调用创建文件默认以只读方式打开文件,如果要写文件需要先close 再用open打开。

读文件:

int read(int fd, const void *buf, size_t length)

 

close函数

#include <unistd.h>

int close(int filedes);

 

write 函数

int write(int filedes, const void *buf, size_t nbytes);

read函数

int read(int fileds, void *buf, size_t nbytes);

注意:

有多种可使实际读到的字节数少于要读的字节数

*读普通文件时,在读到要求字节之前已到达了文件尾端。(此时返回的问读到的字节数,下载再读文件返回0(文件尾端))

*从终端设备读,通常一次最多读一行

*从网络读时,网路偶中的缓冲机构可能造成返回值小于要读的字节数

*某一信号造成中断,而已经读了部分数据。

*从管道活FIFO读时,管道包含的字节少于所需的数量。

lseek函数

#include <unistd.h>

off_t lseek(int filedes, off_t offset, int whence);

whence可选 SEEK_SET, SEEK_SUR, SEEK_END

注意:

字符设备,不能设置偏移量。可以使用 斜面代码测试是否可以设置偏移量

off_t currpos;

currpos = lseek(fd, 0, SEEK_CUR);

 

 

 

 

实例:拷贝文件

#include <fcntl.h>

#include <unistd.h>

#include <stdio.h>

#include <errno.h>

#include <sys/types.h>

#include <sys/stat.h>

/*cope file*/

#define BUFFER_SIZE 1024

 

int main(int argc, char **argv)

{

int from_fd;

int to_fd;

char buffer[BUFFER_SIZE];

char *ptr;

int bytes_read;

int bytes_write;

if (argc !=3)

{

sprintf(stderr, "Usage: %s fromfile tofile\n", argv[0]);

exit(0);

}

printf("11111\r\n");

/*open from file*/

from_fd= open(argv[1], O_RDONLY);

if (-1 == from_fd)

{

sprintf(stderr, "Open %s Error:%s\n", argv[1], strerror(errno));

exit(1);

}

/*create target file*/

to_fd = open(argv[2], O_WRONLY|O_CREAT, S_IRUSR|S_IWUSR);

if (-1 == to_fd)

{

sprintf(stderr, "Open %s Error:%s\n", argv[2], strerror(errno));

exit(1);

}

/*process*/

while (bytes_read = read(from_fd, buffer, BUFFER_SIZE))

{

if ((-1 == bytes_read) && (errno != EINTR))

break;

else if (0 < bytes_read)

{

ptr = buffer;

while(bytes_write = write(to_fd, ptr, bytes_read))

{

if ((-1 == bytes_write) && (errno != EINTR))

break;

else if (bytes_write == bytes_read)

break;

else if (bytes_write > 0)

{

ptr += bytes_write;

bytes_read -= bytes_write;

}

}

}

}

close(from_fd);

close(to_fd);

exit(0);

}

 

 

 

 

你可能感兴趣的:(linux,职场,文件,休闲)