我正在试图修改文件的大小。我在和msys2一起工作。我的代码如下:

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

void dummy_file(){
    FILE *f = fopen("file.txt", "w");
    if (f == NULL)
    {
        printf("Error opening file!\n");
        exit(1);
    }

    /* print some text */
    const char *text = "Write this to the file";
    fprintf(f, "Some text: %s\n", text);

    /* print integers and floats */
    int i = 1;
    float py = 3.1415927;
    fprintf(f, "Integer: %d, float: %f\n", i, py);

    /* printing single chatacters */
    char c = 'A';
    fprintf(f, "A character: %c\n", c);
    fclose(f);
}

void print_size(){
    FILE *f = fopen("file.txt", "r");
    long sz = 0;
    if (f == NULL)
    {
        printf("Error opening file!\n");
        exit(1);
    }
    fseek(f, 0L, SEEK_END);
    sz = ftell(f);
    printf("%ld\n",sz);
    fclose(f);
}

void truncate_file(){
    FILE *f = fopen("file.txt", "w");
    if (f == NULL)
    {
        printf("Error opening file!\n");
        exit(1);
    }
    ftruncate(fileno(f), 40);
    fclose(f);
}

int main()
{
    printf("Begin\n");
    dummy_file();
    print_size();
    // truncate_file();
    print_size();
    printf("End\n");
    return 0;
}

输出如下:
开始
八十
四十
终点
文件已更改为40字节,但内容中有大量空值。
我做错什么了?在维护文件内容的同时,是否可以截断文件?

最佳答案

打开fopen模式的文件时,会将文件截断为零长度。之后,当您运行w时,它将用ftruncate填充文件以达到您指定的大小。
\0手册页,
将文件截断为零长度或创建用于写入的文本文件。
流位于文件的开头。
你可以用fopen模式打开它,如果它存在,它不会截断文件,也允许写入。

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

void dummy_file(){
    FILE *f = fopen("file.txt", "w");
    if (f == NULL)
    {
        printf("Error opening file!\n");
        exit(1);
    }

    /* print some text */
    const char *text = "Write this to the file";
    fprintf(f, "Some text: %s\n", text);

    /* print integers and floats */
    int i = 1;
    float py = 3.1415927;
    fprintf(f, "Integer: %d, float: %f\n", i, py);

    /* printing single chatacters */
    char c = 'A';
    fprintf(f, "A character: %c\n", c);
    fclose(f);
}

void print_size(){
    FILE *f = fopen("file.txt", "r");
    long sz = 0;
    if (f == NULL)
    {
        printf("Error opening file!\n");
        exit(1);
    }
    fseek(f, 0L, SEEK_END);
    sz = ftell(f);
    printf("%ld\n",sz);
    fclose(f);
}

void truncate_file(){
    FILE *f = fopen("file.txt", "r+");
    if (f == NULL)
    {
        printf("Error opening file!\n");
        exit(1);
    }
    ftruncate(fileno(f), 40);
    fclose(f);
}

int main()
{
    printf("Begin\n");
    dummy_file();
    print_size();
    truncate_file();
    print_size();
    printf("End\n");
    return 0;
}

只是在扩展代码时要考虑的一个注意事项:如果不执行某些步骤,则混合文件描述符和STD I/O流会导致未定义的行为(请参阅AA>指向更多信息的this answer)。

09-25 20:23