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
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
//! Parameter and config validation and filtering.
//!
//! # Overview
//!
//! The core validation functionality is encapsulated in the [`Validate`] trait.
//!
//! # Examples
//!
//! ## Validation
//!
//! ```
//! use secrecy::{ExposeSecret, SecretString};
//! use smart_config::validation;
//! # use smart_config::{testing, DescribeConfig, DeserializeConfig, ErrorWithOrigin};
//!
//! #[derive(DescribeConfig, DeserializeConfig)]
//! #[config(validate(
//!     Self::validate_secret_key,
//!     "secret key must have expected length"
//! ))]
//! struct ValidatedConfig {
//!     secret_key: SecretString,
//!     /// Reference key length. If specified, the secret key length
//!     /// will be checked against it.
//!     #[config(validate(..=100))]
//!     // ^ Validates that the value is in the range. Note that validations
//!     // handle `Option`s intelligently; if the value isn't specified
//!     // (i.e., is `None`), it will pass validation.
//!     secret_key_len: Option<usize>,
//!     #[config(validate(not_empty, "must not be empty"))]
//!     app_name: String,
//! }
//!
//! // We have to use `&String` rather than more idiomatic `&str` in order to
//! // exactly match the validated type.
//! fn not_empty(s: &String) -> bool {
//!     !s.is_empty()
//! }
//!
//! impl ValidatedConfig {
//!     fn validate_secret_key(&self) -> Result<(), ErrorWithOrigin> {
//!         if let Some(expected_len) = self.secret_key_len {
//!             let actual_len = self.secret_key.expose_secret().len();
//!             if expected_len != actual_len {
//!                 return Err(ErrorWithOrigin::custom(format!(
//!                     "unexpected `secret_key` length ({actual_len}); \
//!                      expected {expected_len}"
//!                 )));
//!             }
//!         }
//!         Ok(())
//!     }
//! }
//! ```
//!
//! ## Filtering
//!
//! Filtering reuses the `Validate` trait, but rather than failing, converts a value to `None`.
//!
//! ```
//! use smart_config::validation;
//! # use smart_config::{testing, DescribeConfig, DeserializeConfig, ErrorWithOrigin};
//!
//! #[derive(DescribeConfig, DeserializeConfig)]
//! struct FilteringConfig {
//!     /// Will convert `url: ''` to `None`.
//!     #[config(deserialize_if(validation::NotEmpty))]
//!     url: Option<String>,
//!     /// Will convert either of `env: ''` or `env: 'unset'` to `None`.
//!     #[config(deserialize_if(valid_env, "not empty or 'unset'"))]
//!     env: Option<String>,
//! }
//!
//! fn valid_env(s: &String) -> bool {
//!     !s.is_empty() && s != "unset"
//! }
//!
//! // Base case: no filtering.
//! let env = smart_config::Environment::from_iter("", [
//!     ("URL", "https://example.com"),
//!     ("ENV", "prod"),
//! ]);
//! let config: FilteringConfig = testing::test_complete(env)?;
//! assert_eq!(config.url.unwrap(), "https://example.com");
//! assert_eq!(config.env.unwrap(), "prod");
//!
//! // Filtering applied to both params.
//! let env = smart_config::Environment::from_iter("", [
//!     ("URL", ""),
//!     ("ENV", "unset"),
//! ]);
//! let config: FilteringConfig = testing::test_complete(env)?;
//! assert_eq!(config.url, None);
//! assert_eq!(config.env, None);
//! # anyhow::Ok(())
//! ```

use std::{
    collections::{BTreeMap, BTreeSet, HashMap, HashSet},
    fmt, ops,
    sync::Arc,
};

use serde::de;

use crate::ErrorWithOrigin;

#[doc(hidden)] // only used in proc macros
pub mod _private;

/// Generic post-validation for a configuration parameter or a config.
///
/// # Implementations
///
/// Validations are implemented for the following types:
///
/// - [`NotEmpty`]. Validates that a string or a collection, such as `Vec`, is not empty.
/// - [`Range`](ops::Range), [`RangeInclusive`](ops::RangeInclusive) etc. Validates whether the type is within the provided bounds.
pub trait Validate<T: ?Sized>: 'static + Send + Sync {
    /// Describes this validation.
    ///
    /// # Errors
    ///
    /// Should propagate formatting errors.
    fn describe(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result;

    /// Validates a parameter / config.
    ///
    /// # Errors
    ///
    /// Should return an error if validation fails.
    fn validate(&self, target: &T) -> Result<(), ErrorWithOrigin>;
}

impl<T: 'static + ?Sized> fmt::Debug for dyn Validate<T> {
    fn fmt(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result {
        formatter
            .debug_tuple("Validate")
            .field(&self.to_string())
            .finish()
    }
}

impl<T: 'static + ?Sized> fmt::Display for dyn Validate<T> {
    fn fmt(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result {
        self.describe(formatter)
    }
}

/// Delegates via a reference. Useful for defining validation constants as `&'static dyn Validate<_>`.
impl<T: ?Sized, V: Validate<T> + ?Sized> Validate<T> for &'static V {
    fn describe(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result {
        (**self).describe(formatter)
    }

    fn validate(&self, target: &T) -> Result<(), ErrorWithOrigin> {
        (**self).validate(target)
    }
}

macro_rules! impl_validate_for_range {
    ($range:path) => {
        impl<T> Validate<T> for $range
        where
            T: 'static + Send + Sync + PartialOrd + fmt::Debug,
        {
            fn describe(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result {
                write!(formatter, "must be in range {self:?}")
            }

            fn validate(&self, target: &T) -> Result<(), ErrorWithOrigin> {
                if !self.contains(target) {
                    let err = de::Error::invalid_value(
                        de::Unexpected::Other(&format!("{target:?}")),
                        &format!("value in range {self:?}").as_str(),
                    );
                    return Err(ErrorWithOrigin::json(err, Arc::default()));
                }
                Ok(())
            }
        }
    };
}

impl_validate_for_range!(ops::Range<T>);
impl_validate_for_range!(ops::RangeInclusive<T>);
impl_validate_for_range!(ops::RangeTo<T>);
impl_validate_for_range!(ops::RangeToInclusive<T>);
impl_validate_for_range!(ops::RangeFrom<T>);

/// Validates that a string or a data collection (e.g., [`Vec`]) is not empty.
#[derive(Debug)]
pub struct NotEmpty;

macro_rules! impl_not_empty_validation {
    ($ty:ident$(<$($arg:ident),+>)?) => {
        impl$(<$($arg,)+>)? Validate<$ty$(<$($arg,)+>)?> for NotEmpty {
            fn describe(&self, formatter: &mut fmt::Formatter<'_>) -> fmt::Result {
                formatter.write_str("must not be empty")
            }

            fn validate(&self, target: &$ty$(<$($arg,)+>)?) -> Result<(), ErrorWithOrigin> {
                if target.is_empty() {
                    return Err(de::Error::custom("value is empty"));
                }
                Ok(())
            }
        }
    };
}

impl_not_empty_validation!(String);
impl_not_empty_validation!(Vec<T>);
impl_not_empty_validation!(HashMap<K, V, S>);
impl_not_empty_validation!(BTreeMap<K, V>);
impl_not_empty_validation!(HashSet<K, S>);
impl_not_empty_validation!(BTreeSet<K>);