-
Notifications
You must be signed in to change notification settings - Fork 801
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Implement eyre
feature
#1893
Merged
Merged
Implement eyre
feature
#1893
Changes from all commits
Commits
Show all changes
11 commits
Select commit
Hold shift + click to select a range
ad64767
Implement `eyre` feature
mejrs 96175d4
Punctuation
mejrs 59b5a4c
Add `eyre` entry in changelog
mejrs 2967220
Add `eyre` feature entry to guide
mejrs 56ee92f
Merge branch 'main' into eyre
mejrs 5685a96
Set eyre upper bound and move comment back
mejrs fff764c
Merge branch 'eyre' of https://github.com/mejrs/pyo3 into eyre
mejrs 61c0041
Add eyre feature to docs.rs metadata
mejrs fb5e264
Merge branch 'PyO3:main' into eyre
mejrs ff69449
Finish up review suggestions
mejrs d999a67
Update CHANGELOG.md
mejrs File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,151 @@ | ||
#![cfg(feature = "eyre")] | ||
#![cfg_attr(docsrs, doc(cfg(feature = "eyre")))] | ||
//! A conversion from [eyre]’s [`Report`] type to [`PyErr`]. | ||
//! | ||
//! Use of an error handling library like [eyre] is common in application code and when you just | ||
//! want error handling to be easy. If you are writing a library or you need more control over your | ||
//! errors you might want to design your own error type instead. | ||
//! | ||
//! This implementation always creates a Python [`RuntimeError`]. You might find that you need to | ||
//! map the error from your Rust code into another Python exception. See [`PyErr::new`] for more | ||
//! information about that. | ||
//! | ||
//! For information about error handling in general, see the [Error handling] chapter of the Rust | ||
//! book. | ||
//! | ||
//! # Setup | ||
//! | ||
//! To use this feature, add this to your **`Cargo.toml`**: | ||
//! | ||
//! ```toml | ||
//! [dependencies] | ||
//! ## change * to the version you want to use, ideally the latest. | ||
//! eyre = "*" | ||
// workaround for `extended_key_value_attributes`: https://github.com/rust-lang/rust/issues/82768#issuecomment-803935643 | ||
#![cfg_attr(docsrs, cfg_attr(docsrs, doc = concat!("pyo3 = { version = \"", env!("CARGO_PKG_VERSION"), "\", features = [\"eyre\"] }")))] | ||
#![cfg_attr(not(docsrs), doc = "pyo3 = { version = \"*\", features = [\"eyre\"] }")] | ||
//! ``` | ||
//! | ||
//! Note that you must use compatible versions of eyre and PyO3. | ||
//! The required eyre version may vary based on the version of PyO3. | ||
//! | ||
//! # Example: Propagating a `PyErr` into [`eyre::Report`] | ||
//! | ||
//! ```rust | ||
//! use pyo3::prelude::*; | ||
//! use pyo3::wrap_pyfunction; | ||
//! use std::path::PathBuf; | ||
//! | ||
//! // A wrapper around a Rust function. | ||
//! // The pyfunction macro performs the conversion to a PyErr | ||
//! #[pyfunction] | ||
//! fn py_open(filename: PathBuf) -> eyre::Result<Vec<u8>> { | ||
//! let data = std::fs::read(filename)?; | ||
//! Ok(data) | ||
//! } | ||
//! | ||
//! fn main() { | ||
//! let error = Python::with_gil(|py| -> PyResult<Vec<u8>> { | ||
//! let fun = wrap_pyfunction!(py_open, py)?; | ||
//! let text = fun.call1(("foo.txt",))?.extract::<Vec<u8>>()?; | ||
//! Ok(text) | ||
//! }).unwrap_err(); | ||
//! | ||
//! println!("{}", error); | ||
//! } | ||
//! ``` | ||
//! | ||
//! # Example: Using `eyre` in general | ||
//! | ||
//! Note that you don't need this feature to convert a [`PyErr`] into an [`eyre::Report`], because | ||
//! it can already convert anything that implements [`Error`](std::error::Error): | ||
//! | ||
//! ```rust | ||
//! use pyo3::prelude::*; | ||
//! use pyo3::types::PyBytes; | ||
//! | ||
//! // An example function that must handle multiple error types. | ||
//! // | ||
//! // To do this you usually need to design your own error type or use | ||
//! // `Box<dyn Error>`. `eyre` is a convenient alternative for this. | ||
//! pub fn decompress(bytes: &[u8]) -> eyre::Result<String> { | ||
//! // An arbitrary example of a Python api you | ||
//! // could call inside an application... | ||
//! // This might return a `PyErr`. | ||
//! let res = Python::with_gil(|py| { | ||
//! let zlib = PyModule::import(py, "zlib")?; | ||
//! let decompress = zlib.getattr("decompress")?; | ||
//! let bytes = PyBytes::new(py, bytes); | ||
//! let value = decompress.call1((bytes,))?; | ||
//! value.extract::<Vec<u8>>() | ||
//! })?; | ||
//! | ||
//! // This might be a `FromUtf8Error`. | ||
//! let text = String::from_utf8(res)?; | ||
//! | ||
//! Ok(text) | ||
//! } | ||
//! | ||
//! fn main() -> eyre::Result<()> { | ||
//! let bytes: &[u8] = b"x\x9c\x8b\xcc/U(\xce\xc8/\xcdIQ((\xcaOJL\xca\xa9T\ | ||
//! (-NU(\xc9HU\xc8\xc9LJ\xcbI,IUH.\x02\x91\x99y\xc5%\ | ||
//! \xa9\x89)z\x00\xf2\x15\x12\xfe"; | ||
//! let text = decompress(bytes)?; | ||
//! | ||
//! println!("The text is \"{}\"", text); | ||
//! # assert_eq!(text, "You should probably use the libflate crate instead."); | ||
//! Ok(()) | ||
//! } | ||
//! ``` | ||
//! | ||
//! [eyre]: https://docs.rs/eyre/ "A library for easy idiomatic error handling and reporting in Rust applications." | ||
//! [`RuntimeError`]: https://docs.python.org/3/library/exceptions.html#RuntimeError "Built-in Exceptions — Python documentation" | ||
//! [Error handling]: https://doc.rust-lang.org/book/ch09-02-recoverable-errors-with-result.html "Recoverable Errors with Result - The Rust Programming Language" | ||
|
||
use crate::exceptions::PyRuntimeError; | ||
use crate::PyErr; | ||
use eyre::Report; | ||
|
||
/// Converts [`eyre::Report`] to a [`PyErr`] containing a [`PyRuntimeError`]. | ||
/// | ||
/// If you want to raise a different Python exception you will have to do so manually. See | ||
/// [`PyErr::new`] for more information about that. | ||
impl From<eyre::Report> for PyErr { | ||
fn from(error: Report) -> Self { | ||
PyRuntimeError::new_err(format!("{:?}", error)) | ||
} | ||
} | ||
|
||
#[cfg(test)] | ||
mod tests { | ||
use pyo3::prelude::*; | ||
use pyo3::types::IntoPyDict; | ||
|
||
use eyre::{bail, Result, WrapErr}; | ||
|
||
fn f() -> Result<()> { | ||
use std::io; | ||
bail!(io::Error::new(io::ErrorKind::PermissionDenied, "oh no!")); | ||
} | ||
|
||
fn g() -> Result<()> { | ||
f().wrap_err("f failed") | ||
} | ||
|
||
fn h() -> Result<()> { | ||
g().wrap_err("g failed") | ||
} | ||
|
||
#[test] | ||
fn test_pyo3_exception_contents() { | ||
let err = h().unwrap_err(); | ||
let expected_contents = format!("{:?}", err); | ||
let pyerr = PyErr::from(err); | ||
|
||
Python::with_gil(|py| { | ||
let locals = [("err", pyerr)].into_py_dict(py); | ||
let pyerr = py.run("raise err", None, Some(locals)).unwrap_err(); | ||
assert_eq!(pyerr.pvalue(py).to_string(), expected_contents); | ||
}) | ||
} | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
😂