1
//! Analyze a list of link specifiers as a `OwnedChanTarget`.
2
//!
3
//! This functionality is used in the onion service subsystem, and for relays.
4
//! The onion service subsystem uses this to decode a description of a relay as
5
//! provided in a HsDesc or an INTRODUCE2 message; relays use this to handle
6
//! EXTEND2 messages and figure out where to send a circuit.
7

            
8
use std::net::SocketAddr;
9

            
10
use crate::{EncodedLinkSpec, LinkSpec, OwnedChanTargetBuilder, RelayIdType};
11
use itertools::Itertools as _;
12

            
13
/// A rule for how strictly to parse a list of LinkSpecifiers when converting it into
14
/// an [`OwnedChanTarget`](crate::OwnedChanTarget).
15
//
16
// For now, there is only one level of strictness, but it is all but certain
17
// that we will add more in the future.
18
#[derive(Debug, Clone, Copy)]
19
#[non_exhaustive]
20
pub enum Strictness {
21
    /// Enforce the standard rules described in `tor-spec`:
22
    ///
23
    /// Namely:
24
    ///   * There must be exactly one Ed25519 identity.
25
    ///   * There must be exactly one RSA identity.
26
    ///   * There must be at least one IPv4 ORPort.
27
    Standard,
28
}
29

            
30
impl OwnedChanTargetBuilder {
31
    /// Construct an [`OwnedChanTargetBuilder`] from a list of [`LinkSpec`],
32
    /// validating it according to a given level of [`Strictness`].
33
    ///
34
    // TODO: replace Itertools::exactly_one() with a stdlib equivalent when there is one.
35
    //
36
    // See issue #48919 <https://github.com/rust-lang/rust/issues/48919>
37
    #[allow(unstable_name_collisions)]
38
193
    pub fn from_linkspecs(
39
193
        strictness: Strictness,
40
193
        linkspecs: &[LinkSpec],
41
193
    ) -> Result<Self, ChanTargetDecodeError> {
42
        // We ignore the strictness for now, since there is only one variant.
43
193
        let _ = strictness;
44

            
45
        // There must be exactly one Ed25519 identity.
46
193
        let ed_id = linkspecs
47
193
            .iter()
48
710
            .filter_map(|ls| match ls {
49
193
                LinkSpec::Ed25519Id(ed) => Some(ed),
50
506
                _ => None,
51
699
            })
52
193
            .exactly_one()
53
195
            .map_err(|mut e| match e.next() {
54
2
                Some(_) => ChanTargetDecodeError::DuplicatedId(RelayIdType::Ed25519),
55
2
                None => ChanTargetDecodeError::MissingId(RelayIdType::Ed25519),
56
6
            })?;
57

            
58
        // There must be exactly one RSA identity.
59
189
        let rsa_id = linkspecs
60
189
            .iter()
61
698
            .filter_map(|ls| match ls {
62
189
                LinkSpec::RsaId(rsa) => Some(rsa),
63
500
                _ => None,
64
689
            })
65
189
            .exactly_one()
66
191
            .map_err(|mut e| match e.next() {
67
2
                Some(_) => ChanTargetDecodeError::DuplicatedId(RelayIdType::Rsa),
68
2
                None => ChanTargetDecodeError::MissingId(RelayIdType::Rsa),
69
6
            })?;
70

            
71
185
        let addrs: Vec<SocketAddr> = linkspecs
72
185
            .iter()
73
684
            .filter_map(|ls| match ls {
74
307
                LinkSpec::OrPort(addr, port) => Some(SocketAddr::new(*addr, *port)),
75
370
                _ => None,
76
677
            })
77
185
            .collect();
78
        // There must be at least one IPv4 ORPort.
79
194
        if !addrs.iter().any(|addr| addr.is_ipv4()) {
80
2
            return Err(ChanTargetDecodeError::MissingAddr);
81
183
        }
82
183
        let mut builder = OwnedChanTargetBuilder::default();
83

            
84
183
        builder
85
183
            .ed_identity(*ed_id)
86
183
            .rsa_identity(*rsa_id)
87
183
            .addrs(addrs);
88
183
        Ok(builder)
89
193
    }
90

            
91
    /// As `from_linkspecs`, but take a list of encoded linkspecs and fail if
92
    /// any are known to be ill-formed.
93
177
    pub fn from_encoded_linkspecs(
94
177
        strictness: Strictness,
95
177
        linkspecs: &[EncodedLinkSpec],
96
177
    ) -> Result<Self, ChanTargetDecodeError> {
97
        // Decode the link specifiers and use them to find out what we can about
98
        // this relay.
99
177
        let linkspecs_decoded = linkspecs
100
177
            .iter()
101
652
            .map(|ls| ls.parse())
102
177
            .collect::<Result<Vec<_>, _>>()
103
177
            .map_err(ChanTargetDecodeError::MisformedLinkSpec)?;
104
177
        Self::from_linkspecs(strictness, &linkspecs_decoded)
105
177
    }
106
}
107

            
108
/// An error that occurred while constructing a `ChanTarget` from a set of link
109
/// specifiers.
110
#[derive(Clone, Debug, thiserror::Error)]
111
#[non_exhaustive]
112
pub enum ChanTargetDecodeError {
113
    /// A required identity key was missing.
114
    #[error("Missing a required {0} identity key")]
115
    MissingId(RelayIdType),
116
    /// A required identity key was included more than once.
117
    #[error("Duplicated a {0} identity key")]
118
    DuplicatedId(RelayIdType),
119
    /// A required address type was missing.
120
    #[error("Missing a required address type")]
121
    MissingAddr,
122
    /// Couldn't parse a provided linkspec of recognized type.
123
    #[error("Mis-formatted link specifier")]
124
    MisformedLinkSpec(#[source] tor_bytes::Error),
125
}
126

            
127
#[cfg(test)]
128
mod test {
129
    // @@ begin test lint list maintained by maint/add_warning @@
130
    #![allow(clippy::bool_assert_comparison)]
131
    #![allow(clippy::clone_on_copy)]
132
    #![allow(clippy::dbg_macro)]
133
    #![allow(clippy::mixed_attributes_style)]
134
    #![allow(clippy::print_stderr)]
135
    #![allow(clippy::print_stdout)]
136
    #![allow(clippy::single_char_pattern)]
137
    #![allow(clippy::unwrap_used)]
138
    #![allow(clippy::unchecked_time_subtraction)]
139
    #![allow(clippy::useless_vec)]
140
    #![allow(clippy::needless_pass_by_value)]
141
    //! <!-- @@ end test lint list maintained by maint/add_warning @@ -->
142

            
143
    use crate::OwnedChanTarget;
144

            
145
    use super::*;
146
    #[test]
147
    fn decode_ok() {
148
        let ct = OwnedChanTarget::builder()
149
            .addrs(vec![
150
                "[::1]:99".parse().unwrap(),
151
                "127.0.0.1:11".parse().unwrap(),
152
            ])
153
            .ed_identity([42; 32].into())
154
            .rsa_identity([45; 20].into())
155
            .build()
156
            .unwrap();
157

            
158
        let ls = vec![
159
            LinkSpec::OrPort("::1".parse().unwrap(), 99),
160
            LinkSpec::OrPort("127.0.0.1".parse().unwrap(), 11),
161
            LinkSpec::Ed25519Id([42; 32].into()),
162
            LinkSpec::RsaId([45; 20].into()),
163
        ];
164
        let ct2 = OwnedChanTargetBuilder::from_linkspecs(Strictness::Standard, &ls)
165
            .unwrap()
166
            .build()
167
            .unwrap();
168
        assert_eq!(format!("{:?}", &ct), format!("{:?}", ct2));
169
    }
170

            
171
    #[test]
172
    fn decode_errs() {
173
        use ChanTargetDecodeError as E;
174
        use RelayIdType as ID;
175

            
176
        let ipv4 = LinkSpec::OrPort("127.0.0.1".parse().unwrap(), 11);
177
        let ipv6 = LinkSpec::OrPort("::1".parse().unwrap(), 99);
178
        let ed = LinkSpec::Ed25519Id([42; 32].into());
179
        let rsa = LinkSpec::RsaId([45; 20].into());
180
        let err_from = |lst: &[&LinkSpec]| {
181
            OwnedChanTargetBuilder::from_linkspecs(
182
                Strictness::Standard,
183
                &lst.iter().map(|ls| (*ls).clone()).collect::<Vec<_>>()[..],
184
            )
185
            .err()
186
        };
187

            
188
        assert!(err_from(&[&ipv4, &ipv6, &ed, &rsa]).is_none());
189
        assert!(err_from(&[&ipv4, &ed, &rsa]).is_none());
190
        assert!(matches!(
191
            err_from(&[&ipv4, &ed, &ed, &rsa]),
192
            Some(E::DuplicatedId(ID::Ed25519))
193
        ));
194
        assert!(matches!(
195
            err_from(&[&ipv4, &ed, &rsa, &rsa]),
196
            Some(E::DuplicatedId(ID::Rsa))
197
        ));
198
        assert!(matches!(
199
            err_from(&[&ipv4, &rsa]),
200
            Some(E::MissingId(ID::Ed25519))
201
        ));
202
        assert!(matches!(
203
            err_from(&[&ipv4, &ed]),
204
            Some(E::MissingId(ID::Rsa))
205
        ));
206
        assert!(matches!(
207
            err_from(&[&ipv6, &ed, &rsa]),
208
            Some(E::MissingAddr)
209
        ));
210
    }
211
}