serde_path_to_error/lib.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193
//! [![github]](https://github.com/dtolnay/path-to-error) [![crates-io]](https://crates.io/crates/serde_path_to_error) [![docs-rs]](https://docs.rs/serde_path_to_error)
//!
//! [github]: https://img.shields.io/badge/github-8da0cb?style=for-the-badge&labelColor=555555&logo=github
//! [crates-io]: https://img.shields.io/badge/crates.io-fc8d62?style=for-the-badge&labelColor=555555&logo=rust
//! [docs-rs]: https://img.shields.io/badge/docs.rs-66c2a5?style=for-the-badge&labelColor=555555&logo=docs.rs
//!
//! <br>
//!
//! Find out the path at which a deserialization error occurred. This crate
//! provides a wrapper that works with any existing Serde `Deserializer` and
//! exposes the chain of field names leading to the error.
//!
//! # Example
//!
//! ```
//! # use serde_derive::Deserialize;
//! #
//! use serde::Deserialize;
//! use std::collections::BTreeMap as Map;
//!
//! #[derive(Deserialize)]
//! struct Package {
//! name: String,
//! dependencies: Map<String, Dependency>,
//! }
//!
//! #[derive(Deserialize)]
//! struct Dependency {
//! version: String,
//! }
//!
//! fn main() {
//! let j = r#"{
//! "name": "demo",
//! "dependencies": {
//! "serde": {
//! "version": 1
//! }
//! }
//! }"#;
//!
//! // Some Deserializer.
//! let jd = &mut serde_json::Deserializer::from_str(j);
//!
//! let result: Result<Package, _> = serde_path_to_error::deserialize(jd);
//! match result {
//! Ok(_) => panic!("expected a type error"),
//! Err(err) => {
//! let path = err.path().to_string();
//! assert_eq!(path, "dependencies.serde.version");
//! }
//! }
//! }
//! ```
#![doc(html_root_url = "https://docs.rs/serde_path_to_error/0.1.16")]
#![allow(
clippy::doc_link_with_quotes, // https://github.com/rust-lang/rust-clippy/issues/8961
clippy::iter_not_returning_iterator, // https://github.com/rust-lang/rust-clippy/issues/8285
clippy::missing_errors_doc,
clippy::module_name_repetitions,
clippy::must_use_candidate,
clippy::new_without_default
)]
mod de;
mod path;
mod ser;
mod wrap;
use std::cell::Cell;
use std::error::Error as StdError;
use std::fmt::{self, Display};
pub use crate::de::{deserialize, Deserializer};
pub use crate::path::{Path, Segment, Segments};
pub use crate::ser::{serialize, Serializer};
/// Original deserializer error together with the path at which it occurred.
#[derive(Clone, Debug)]
pub struct Error<E> {
path: Path,
original: E,
}
impl<E> Error<E> {
pub fn new(path: Path, inner: E) -> Self {
Error {
path,
original: inner,
}
}
/// Element path at which this deserialization error occurred.
pub fn path(&self) -> &Path {
&self.path
}
/// The Deserializer's underlying error that occurred.
pub fn into_inner(self) -> E {
self.original
}
/// Reference to the Deserializer's underlying error that occurred.
pub fn inner(&self) -> &E {
&self.original
}
}
impl<E: Display> Display for Error<E> {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
if !self.path.is_only_unknown() {
write!(f, "{}: ", self.path)?;
}
write!(f, "{}", self.original)
}
}
impl<E: StdError> StdError for Error<E> {
fn source(&self) -> Option<&(dyn StdError + 'static)> {
self.original.source()
}
}
/// State for bookkeeping across nested deserializer calls.
///
/// You don't need this if you are using `serde_path_to_error::deserializer`. If
/// you are managing your own `Deserializer`, see the usage example on
/// [`Deserializer`].
pub struct Track {
path: Cell<Option<Path>>,
}
impl Track {
/// Empty state with no error having happened yet.
pub const fn new() -> Self {
Track {
path: Cell::new(None),
}
}
/// Gets path at which the error occurred. Only meaningful after we know
/// that an error has occurred. Returns an empty path otherwise.
pub fn path(self) -> Path {
self.path.into_inner().unwrap_or_else(Path::empty)
}
#[inline]
fn trigger<E>(&self, chain: &Chain, err: E) -> E {
self.trigger_impl(chain);
err
}
fn trigger_impl(&self, chain: &Chain) {
self.path.set(Some(match self.path.take() {
Some(already_set) => already_set,
None => Path::from_chain(chain),
}));
}
}
#[derive(Clone)]
enum Chain<'a> {
Root,
Seq {
parent: &'a Chain<'a>,
index: usize,
},
Map {
parent: &'a Chain<'a>,
key: String,
},
Struct {
parent: &'a Chain<'a>,
key: &'static str,
},
Enum {
parent: &'a Chain<'a>,
variant: String,
},
Some {
parent: &'a Chain<'a>,
},
NewtypeStruct {
parent: &'a Chain<'a>,
},
NewtypeVariant {
parent: &'a Chain<'a>,
},
NonStringKey {
parent: &'a Chain<'a>,
},
}