1. 读取文件
以读写、追加的形式读取文件并返回byte vector
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23
| use std::fs::OpenOptions; use std::io::prelude::*; use std::path::Path;
fn read_my_file(path: &Path) -> std::io::Result<Vec<u8>> { let mut f = OpenOptions::new().read(true).write(true).append(true).open(path)?; let mut vec:Vec<u8> = Vec::new(); f.read_to_end(&mut vec)?; Ok(vec) }
fn main() { let path = Path::new("hello.txt"); let display = path.display();
match read_my_file(path) { Ok(s) => println!("file data is: {:?}", s), Err(why) => println!("{} contains:\n{}", display, why), }
}
|
2. 创建文件
只写方式打开文件,如果文件存在清空,不存在创建。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25
| static LOREM_IPSUM: &'static str = "Hello World";
use std::io::prelude::*; use std::fs::File; use std::path::Path;
fn main() { let path = Path::new("lorem_ipsum.txt"); let display = path.display();
let mut file = match File::create(&path) { Err(why) => panic!("couldn't create {}: {:?}", display, why), Ok(file) => file, };
match file.write_all(LOREM_IPSUM.as_bytes()) { Err(why) => { panic!("couldn't write to {}: {:?}", display, why) }, Ok(_) => println!("successfully wrote to {}", display), } }
|