使用Append(false)写入文件无法正常工作

时间:2019-11-02 01:48:15

标签: rust serde

我正在学习使用Rust编程,并决定构建一个CLI来管理我的个人图书馆。在继续进行之前,我仍在努力进行概念上的快速证明,因此我掌握了需要做的工作。

我正在使用std::fsserde_json将数据保存到名为“ books.json”的文件中。该程序在我第一次运行时运行良好,但是在第二次运行时,它会覆盖数据(而不是覆盖文件)(出于测试目的,它将添加同一本书两次)。

这是我到目前为止编写的代码。通过使用OpenOptions.append(false),在写入文件时是否不应该覆盖文件?

use serde::{Deserialize, Serialize};
use serde_json::Error;
use std::fs;
use std::fs::File;
use std::io::Read;
use std::io::Write;

#[derive(Serialize, Deserialize)]
struct Book {
    title: String,
    author: String,
    isbn: String,
    pub_year: usize,
}

fn main() -> Result<(), serde_json::Error> {
    let mut file = fs::OpenOptions::new()
        .read(true)
        .write(true)
        .append(false)
        .create(true)
        .open("books.json")
        .expect("Unable to open");
    let mut data = String::new();
    file.read_to_string(&mut data);

    let mut bookshelf: Vec<Book> = Vec::new();
    if file.metadata().unwrap().len() != 0 {
        bookshelf = serde_json::from_str(&data)?;
    }

    let book = Book {
        title: "The Institute".to_string(),
        author: "Stephen King".to_string(),
        isbn: "9781982110567".to_string(),
        pub_year: 2019,
    };

    bookshelf.push(book);

    let j: String = serde_json::to_string(&bookshelf)?;

    file.write_all(j.as_bytes()).expect("Unable to write data");

    Ok(())
}

books.json运行两次程序后:

[{"title":"The Institute","author":"Stephen King","isbn":"9781982110567","pub_year":2019}]
[{"title":"The Institute","author":"Stephen King","isbn":"9781982110567","pub_year":2019},
{"title":"The Institute","author":"Stephen King","isbn":"9781982110567","pub_year":2019}]%

1 个答案:

答案 0 :(得分:0)

Rust Discord社区的成员指出,通过使用OpenOptions,当我向文件指针写入文件时,文件指针最终位于文件末尾。他们建议我使用fs :: read和fs :: write,并且有效。然后,我添加了一些代码来处理文件不存在的情况。

main()函数将需要看起来像这样:

fn main() -> std::io::Result<()> {
    let f = File::open("books.json");

    let _ = match f {
        Ok(file) => file,
        Err(error) => match error.kind() {
            ErrorKind::NotFound => match File::create("books.json") {
                Ok(fc) => fc,
                Err(e) => panic!("Problem creating the file: {:?}", e),
            },
        },
    };

    let data = fs::read_to_string("books.json").expect("Unable to read file");

    let mut bookshelf: Vec<Book> = Vec::new();
    if fs::metadata("books.json").unwrap().len() != 0 {
        bookshelf = serde_json::from_str(&data)?;
    }

    let book = Book {
        title: "The Institute".to_string(),
        author: "Stephen King".to_string(),
        isbn: "9781982110567".to_string(),
        pub_year: 2019,
    };

    bookshelf.push(book);

    let json: String = serde_json::to_string(&bookshelf)?;

    fs::write("books.json", &json).expect("Unable to write file");

    println!("{}", &json);

    Ok(())
}