RS.CLIPPY.FALLIBLE_IMPL_FROM
Warn on impls of `From<..>` that contain `panic!()` or `unwrap()`
This checker is a Clippy lint created by The Rust Project Contributors. The documentation shown here is a copy of the original documentation for: fallible_impl_from. Copyright ©2025 The Rust Team. All rights reserved.
What it does
Checks for impls of From<..> that contain panic!() or unwrap()
Why is this bad?
TryFrom should be used if there's a possibility of failure.
Example
struct Foo(i32);
impl From<String> for Foo {
fn from(s: String) -> Self {
Foo(s.parse().unwrap())
}
}
Use instead:
struct Foo(i32);
impl TryFrom<String> for Foo {
type Error = ();
fn try_from(s: String) -> Result<Self, Self::Error> {
if let Ok(parsed) = s.parse() {
Ok(Foo(parsed))
} else {
Err(())
}
}
}