একটি File পড়া
এখন আমরা file_path
argument-এ specified file টি read করার functionality যোগ করব। প্রথমে আমাদের test করার জন্য একটি sample file-এর প্রয়োজন: আমরা অল্প কিছু text, multiple line এবং কিছু repeated word সহ একটি file ব্যবহার করব। Listing 12-3-এ Emily Dickinson-এর একটি কবিতা আছে যা এই কাজের জন্য উপযুক্ত! আপনার project-এর root level-এ poem.txt নামে একটি file create করুন, এবং “I’m Nobody! Who are you?” কবিতাটি লিখুন।
I'm nobody! Who are you?
Are you nobody, too?
Then there's a pair of us - don't tell!
They'd banish us, you know.
How dreary to be somebody!
How public, like a frog
To tell your name the livelong day
To an admiring bog!
Text টি create করা হয়ে গেলে, src/main.rs edit করুন এবং file read করার জন্য code যোগ করুন, যেমনটি Listing 12-4-এ দেখানো হয়েছে।
use std::env;
use std::fs;
fn main() {
// --snip--
let args: Vec<String> = env::args().collect();
let query = &args[1];
let file_path = &args[2];
println!("Searching for {query}");
println!("In file {file_path}");
let contents = fs::read_to_string(file_path)
.expect("Should have been able to read the file");
println!("With text:\n{contents}");
}
প্রথমে আমরা use
statement-এর মাধ্যমে standard library-এর একটি relevant অংশ import করি: file handle করার জন্য আমাদের std::fs
-এর প্রয়োজন।
main
-এ, নতুন statement fs::read_to_string
, file_path
নেয়, সেই file টি open করে, এবং file-এর contents সহ std::io::Result<String>
type-এর একটি value return করে।
এরপরে, আমরা আবার একটি temporary println!
statement যোগ করি যা file read করার পরে contents
-এর value print করে, যাতে আমরা check করতে পারি যে প্রোগ্রামটি এখনও পর্যন্ত ঠিকঠাক কাজ করছে।
আসুন আমরা এই code-টি প্রথম command line argument হিসেবে যেকোনো string (কারণ আমরা এখনও searching অংশটি implement করিনি) এবং দ্বিতীয় argument হিসেবে poem.txt file দিয়ে run করি:
$ cargo run -- the poem.txt
Compiling minigrep v0.1.0 (file:///projects/minigrep)
Finished `dev` profile [unoptimized + debuginfo] target(s) in 0.0s
Running `target/debug/minigrep the poem.txt`
Searching for the
In file poem.txt
With text:
I'm nobody! Who are you?
Are you nobody, too?
Then there's a pair of us - don't tell!
They'd banish us, you know.
How dreary to be somebody!
How public, like a frog
To tell your name the livelong day
To an admiring bog!
দারুণ! Code file-এর contents read করে print করেছে। কিন্তু code-টিতে কিছু সমস্যা রয়েছে। বর্তমানে, main
function-টির multiple responsibility রয়েছে: সাধারণত, function-গুলো clear এবং maintain করা সহজ হয় যদি প্রতিটি function শুধুমাত্র একটি idea-র জন্য responsible হয়। আরেকটি সমস্যা হল আমরা error গুলোকে যতটা ভালোভাবে handle করা সম্ভব ততটা করছি না। প্রোগ্রামটি এখনও ছোট, তাই এই ত্রুটিগুলো বড় কোনো সমস্যা নয়, কিন্তু প্রোগ্রামটি যত বড় হবে, এগুলোকে পরিষ্কারভাবে ঠিক করা তত কঠিন হবে। প্রোগ্রাম develop করার সময় শুরুতেই refactor করা একটি ভালো অভ্যাস, কারণ অল্প পরিমাণ code refactor করা অনেক সহজ। আমরা এরপরে সেটাই করব।