Rust:
עובדים עם CSV
איך לעשות:
ראסט, עם התמקדותו בביטחון וביצועים, מציע ספריות (crates) מעולות לעבודה עם קבצי CSV, כאשר csv
היא הפופולרית ביותר. תצטרך גם את serde
לשריאליזציה ודה-שריאליזציה של נתונים.
ראשית, הוסף את התלותיות ל-Cargo.toml
שלך:
[dependencies]
csv = "1.1"
serde = { version = "1.0", features = ["derive"] }
קריאת CSV
כדי לקרוא קובץ CSV, הגדר מבנה שמייצג את הנתונים שלך ונגזר Deserialize
מ-serde
:
use serde::Deserialize;
use std::error::Error;
use std::fs::File;
use std::io;
use std::process;
#[derive(Debug, Deserialize)]
struct Record {
city: String,
state: String,
population: u64,
}
fn read_from_csv(file_path: &str) -> Result<(), Box<dyn Error>> {
let file = File::open(file_path)?;
let mut rdr = csv::Reader::from_reader(file);
for result in rdr.deserialize() {
let record: Record = result?;
println!("{:?}", record);
}
Ok(())
}
fn main() {
if let Err(err) = read_from_csv("cities.csv") {
println!("error running example: {}", err);
process::exit(1);
}
}
דוגמת פלט עבור CSV עם מידע על ערים עשויה להיראות כך:
Record { city: "Seattle", state: "WA", population: 744955 }
Record { city: "New York", state: "NY", population: 8336817 }
כתיבה ל-CSV
כדי לכתוב לקובץ CSV, הגדר מבנה ונגזר Serialize
:
use serde::Serialize;
use std::error::Error;
use std::fs::File;
#[derive(Serialize)]
struct Record {
city: String,
state: String,
population: u64,
}
fn write_to_csv(file_path: &str, records: Vec<Record>) -> Result<(), Box<dyn Error>> {
let file = File::create(file_path)?;
let mut wtr = csv::Writer::from_writer(file);
for record in records {
wtr.serialize(&record)?;
}
wtr.flush()?;
Ok(())
}
fn main() -> Result<(), Box<dyn Error>> {
let records = vec![
Record {
city: "Los Angeles".into(),
state: "CA".into(),
population: 3979563,
},
Record {
city: "Chicago".into(),
state: "IL".into(),
population: 2695598,
},
];
write_to_csv("output.csv", records)?;
Ok(())
}
זה ייצור את output.csv
עם הנתונים:
city,state,population
Los Angeles,CA,3979563
Chicago,IL,2695598
בזכות מערכת הטיפוסים החזקה של ראסט וחבילות ה-ecosystem האמינות, העבודה עם נתוני CSV הופכת ליעילה ופשוטה, מבטיחה ביטחון וביצועים במשימות עיבוד הנתונים שלך.