RustのCLI作成チュートリアルやっている中のメモ書き
Command Line Applications in Rustを自分で実装してみている中で疑問に感じた事について、記事化するほどのものでもない内容を置いておく。
/// Search for a pattern in a file and display the lines that contain it.
#[derive(Parser)]
struct Cli {
/// The pattern to look for
pattern: String,
/// The path to the file to read
#[clap(parse(from_os_str))]
path: std::path::PathBuf,
}
この #[clap(parse(from_os_str))]
アトリビュートが分からなかったが、これはマクロらしい。
そしてここは、初めのうちはcrateが提供しているマクロをドキュメントを見ながら書けるくらいで良い。
......って弊社のrustaceanが言ってたし、公式ドキュメントにも頻繁に書くことはないってあったので信じる。
必要な時が来たら学ぶ。
dyn
もよく何なのかわからなくなる
dyn Trait 機能は、トレイトオブジェクトを使うための新しい構文です。
trait Trait {}
impl Trait for i32 {}
// old
// いままで
fn function1() -> Box<Trait> {
}
// new
// これから
fn function2() -> Box<dyn Trait> {
}
Box
もよく忘れるのでメモ
The Rust Book によると
最も素直なスマートポインタはボックスであり、その型はBox<T>と記述されます。 ボックスにより、スタックではなくヒープにデータを格納することができます。
・コンパイル時にはサイズを知ることができない型があり、正確なサイズを要求する文脈でその型の値を使用する時
・多くのデータがあり、その所有権を移したいが、その際にデータがコピーされないようにしたい時
・値を所有する必要があり、特定の型であることではなく、特定のトレイトを実装する型であることのみ気にかけている時
1.4. Nicer error reporting を実装中に以下エラーとなった。
error[E0277]: `PathBuf` doesn't implement `std::fmt::Display`
--> src/main.rs:17:84
|
17 | File::open(&args.path).with_context(|| format!("could not read file `{}`", &args.path));
| ^^^^^^^^^^ `PathBuf` cannot be formatted with the default formatter
|
= help: the trait `std::fmt::Display` is not implemented for `PathBuf`
= note: in format strings you may be able to use `{:?}` (or {:#?} for pretty-print) instead
= note: this error originates in the macro `$crate::__export::format_args` (in Nightly builds, run with -Z macro-backtrace for more info)
これは 1.3. First implementation で実装したpathの型が trait std::fmt::Display
を実装していないから。
note: in format strings you may be able to use
{:?} (or {:#?} for pretty-print) instead
とあるからそれで一旦用事が足る。
これは該当の型が fmt::Debug
をderiveしているから。
名前がDebugなので、ログレベルdebugのものを使っているような気持ち悪さがあるが、
ログレベルとは無関係そうに見える。
Printing to the terminal is surprisingly slow! If you call things like println! in a loop, it can easily become a bottleneck in an otherwise fast program.
知らなかったので要注意。
対策パターン1
#![allow(unused)]
fn main() {
use std::io::{self, Write};
let stdout = io::stdout(); // get the global stdout entity
let mut handle = io::BufWriter::new(stdout); // optional: wrap that handle in a buffer
writeln!(handle, "foo: {}", 42); // add `?` if you care about errors here
}
対策パターン2
#![allow(unused)]
fn main() {
use std::io::{self, Write};
let stdout = io::stdout(); // get the global stdout entity
let mut handle = stdout.lock(); // acquire a lock on it
writeln!(handle, "foo: {}", 42); // add `?` if you care about errors here
}
上記を自前の実装に組み込む時しょーもない間違いをしたので懺悔メモ。
error[E0277]: the `?` operator can only be used in a function that returns `Result` or `Option` (or another type that implements `FromResidual`)
--> src/main.rs:27:38
|
15 | / fn main() {
16 | | let args = Cli::parse();
17 | | let content = File::open(&args.path)
18 | | .with_context(|| format!("could not read file `{}`", &args.path.as_path().display()));
... |
27 | | writeln!(handle, "{}", l)?;
| | ^ cannot use the `?` operator in a function that returns `()`
28 | | }
29 | | }
30 | | }
| |_- this function should return `Result` or `Option` to accept `?`
|
= help: the trait `FromResidual<Result<Infallible, std::io::Error>>` is not implemented for `()`
このエラーが出た時、最終行のエラー文を writeln!
マクロがResultを返さない、と読んでしまったのだが、実際にはmain関数がResultを返さない事が問題。
先頭行に も the ?
operator can only be used in a function that returns Result
or Option
とある。
大事な事を理解していなかった。
cargo new hoge
で指定する名前は実装するパッケージの名前であり、最初のバイナリクレートの名前であり、最初のライブラリクレートの名前である。
これを cli_in_rust_tutorial
というGithubで確認するための名前にしてしまうと、
lib.rs
に定義した関数を cli_in_rust_tutorial::find_matches()
と呼ばねばならなくなる。
尚、Cargo.tomlを修正すれば後からでもパッケージ名を修正可能。
[package]
name = "grrs"
結果的に mod
による読み込みについて理解するきっかけになったので助かった。