netcfg/
errors.rs

1// Copyright 2020 The Fuchsia Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style license that can be
3// found in the LICENSE file.
4
5use log::error;
6use std::fmt::Display;
7
8#[derive(Debug)]
9pub(super) enum Error {
10    NonFatal(anyhow::Error),
11    Fatal(anyhow::Error),
12}
13
14impl Error {
15    /// Extracts any fatal errors, logging non-fatal errors at ERROR level.
16    #[track_caller]
17    pub(super) fn accept_non_fatal(self) -> Result<(), anyhow::Error> {
18        match self {
19            Self::NonFatal(e) => {
20                accept_error(e);
21                Ok(())
22            }
23            Self::Fatal(e) => Err(e),
24        }
25    }
26}
27
28#[track_caller]
29pub(super) fn accept_error(e: anyhow::Error) {
30    let l = std::panic::Location::caller();
31    error!("{}:{}: {:?}", l.file(), l.line(), e);
32}
33
34/// Extension trait similar to [`anyhow::Context`] used for internal types.
35pub(super) trait ContextExt {
36    /// Wrap the error value with additional context.
37    fn context<C>(self, context: C) -> Self
38    where
39        C: Display + Send + Sync + 'static;
40
41    /// Wrap the error value with additional context that is evaluated
42    /// only once an error does occur.
43    fn with_context<C, F>(self, f: F) -> Self
44    where
45        C: Display + Send + Sync + 'static,
46        F: FnOnce() -> C;
47}
48
49impl ContextExt for Error {
50    fn context<C>(self, context: C) -> Error
51    where
52        C: Display + Send + Sync + 'static,
53    {
54        match self {
55            Error::NonFatal(e) => Error::NonFatal(e.context(context)),
56            Error::Fatal(e) => Error::Fatal(e.context(context)),
57        }
58    }
59
60    fn with_context<C, F>(self, f: F) -> Error
61    where
62        C: Display + Send + Sync + 'static,
63        F: FnOnce() -> C,
64    {
65        self.context(f())
66    }
67}
68
69impl<T, E: ContextExt> ContextExt for Result<T, E> {
70    fn context<C>(self, context: C) -> Result<T, E>
71    where
72        C: Display + Send + Sync + 'static,
73    {
74        self.map_err(|e| e.context(context))
75    }
76
77    fn with_context<C, F>(self, f: F) -> Self
78    where
79        C: Display + Send + Sync + 'static,
80        F: FnOnce() -> C,
81    {
82        self.map_err(|e| e.with_context(f))
83    }
84}