您的位置:

Linux读文件详解

一、文件读取

在Linux系统中,文件是以字节为单位读取的。用户可以使用open、read、write和close等函数对文件进行操作。

下面是打开文件的代码示例:

#include <stdio.h>
#include <stdlib.h>
#include <fcntl.h>
#include <unistd.h>

int main()
{
    int fd;
    char buf[1024];
    fd = open("test.txt", O_RDONLY);
    if (fd == -1) {
        printf("Failed to open test.txt\n");
        exit(EXIT_FAILURE);
    }
    ssize_t n = read(fd, buf, sizeof(buf));
    close(fd);
    buf[n] = '\0';
    printf("%s", buf);
    return 0;
}

代码解释:

  1. 使用open函数打开文件。
  2. 如果文件打开失败,使用printf函数打印错误信息并使用exit函数退出程序。
  3. 使用read函数读取文件。
  4. 使用close函数关闭文件。
  5. 在buf末尾添加'\0'。
  6. 使用printf函数输出buf。

二、文件定位

Linux提供了lseek函数用于定位文件读写指针。lseek函数的原型如下:

#include <unistd.h>
off_t lseek(int fd, off_t offset, int whence);

其中,fd表示文件描述符,offset表示偏移量,whence表示偏移起始点。whence有三种方式:

  • SEEK_SET表示相对于文件开头的偏移。
  • SEEK_CUR表示相对于当前位置的偏移。
  • SEEK_END表示相对于文件结尾的偏移。

下面是利用lseek函数实现文件复制的代码示例:

#include <stdlib.h>
#include <stdio.h>
#include <fcntl.h>
#include <unistd.h>

#define BUF_SIZE 1024

int main(int argc, char *argv[]) {
    int in_fd, out_fd;
    char buffer[BUF_SIZE];
    ssize_t n_read;

    if (argc != 3) {
        printf("Usage: %s source destination\n", argv[0]);
        exit(EXIT_FAILURE);
    }

    in_fd = open(argv[1], O_RDONLY);
    if (in_fd == -1) {
        printf("Failed to open %s\n", argv[1]);
        exit(EXIT_FAILURE);
    }

    out_fd = open(argv[2], O_WRONLY | O_CREAT | O_TRUNC, S_IRUSR | S_IWUSR | S_IRGRP | S_IROTH);
    if (out_fd == -1) {
        printf("Failed to create %s\n", argv[2]);
        exit(EXIT_FAILURE);
    }

    while ((n_read = read(in_fd, buffer, BUF_SIZE)) > 0) {
        if (write(out_fd, buffer, n_read) != n_read) {
            printf("Failed to write to %s\n", argv[2]);
            exit(EXIT_FAILURE);
        }
    }

    if (n_read == -1) {
        printf("Failed to read from %s\n", argv[1]);
        exit(EXIT_FAILURE);
    }

    if (close(in_fd) == -1) {
        printf("Failed to close %s\n", argv[1]);
        exit(EXIT_FAILURE);
    }

    if (close(out_fd) == -1) {
        printf("Failed to close %s\n", argv[2]);
        exit(EXIT_FAILURE);
    }

    return 0;
}

代码解释:

  1. 使用open函数打开输入输出文件。
  2. 如果文件打开失败,使用printf函数打印错误信息并使用exit函数退出程序。
  3. 使用read函数以BUF_SIZE的大小读取输入文件,并使用write函数将读取到的内容写入输出文件。
  4. 使用close函数关闭输入输出文件。

三、文件权限

Linux系统中,文件有读、写、执行三种权限。

  • 读取权限:使用open函数时需要使用O_RDONLY标志指明。
  • 写入权限:使用open函数时需要使用O_WRONLY或O_RDWR标志指明。
  • 执行权限:使用open函数时需要使用O_EXEC标志指明。

文件权限可以使用chmod函数修改。可以通过命令chmod +x file添加执行权限。

四、文件搜索

在Linux系统中,可以使用find命令搜索文件。使用find命令需要指定搜索的路径和搜索的文件名。例如,以下命令将搜索/home目录下所有以.txt为后缀的文件:

$ find /home -name "*.txt"

除了find命令,Linux还提供了locate和grep命令用于文件搜索。例如,以下命令将搜索包含pattern文本的所有文件:

$ grep -r "pattern" /path/to/search

五、文件压缩

在Linux系统中,可以使用gzip和tar命令对文件进行压缩。gzip命令是将单个文件进行压缩,tar命令则是将多个文件打包并压缩。

使用gzip命令对文件进行压缩的示例:

$ gzip test.txt

使用tar命令对文件进行打包并压缩的示例:

$ tar -czvf archive.tar.gz file1.txt file2.txt

其中,c表示创建归档文件,z表示使用gzip进行压缩,v表示输出详细信息,f表示输出文件名。