protover.rs 31 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975
  1. // Copyright (c) 2016-2018, The Tor Project, Inc. */
  2. // See LICENSE for licensing information */
  3. use std::collections::hash_map;
  4. use std::collections::HashMap;
  5. use std::ffi::CStr;
  6. use std::fmt;
  7. use std::str;
  8. use std::str::FromStr;
  9. use std::string::String;
  10. use external::c_tor_version_as_new_as;
  11. use errors::ProtoverError;
  12. use protoset::ProtoSet;
  13. use protoset::Version;
  14. /// The first version of Tor that included "proto" entries in its descriptors.
  15. /// Authorities should use this to decide whether to guess proto lines.
  16. ///
  17. /// C_RUST_COUPLED:
  18. /// protover.h `FIRST_TOR_VERSION_TO_ADVERTISE_PROTOCOLS`
  19. const FIRST_TOR_VERSION_TO_ADVERTISE_PROTOCOLS: &'static str = "0.2.9.3-alpha";
  20. /// The maximum number of subprotocol version numbers we will attempt to expand
  21. /// before concluding that someone is trying to DoS us
  22. ///
  23. /// C_RUST_COUPLED: protover.c `MAX_PROTOCOLS_TO_EXPAND`
  24. const MAX_PROTOCOLS_TO_EXPAND: usize = (1 << 16);
  25. /// The maximum size an `UnknownProtocol`'s name may be.
  26. pub(crate) const MAX_PROTOCOL_NAME_LENGTH: usize = 100;
  27. /// Known subprotocols in Tor. Indicates which subprotocol a relay supports.
  28. ///
  29. /// C_RUST_COUPLED: protover.h `protocol_type_t`
  30. #[derive(Clone, Hash, Eq, PartialEq, Debug)]
  31. pub enum Protocol {
  32. Cons,
  33. Desc,
  34. DirCache,
  35. HSDir,
  36. HSIntro,
  37. HSRend,
  38. Link,
  39. LinkAuth,
  40. Microdesc,
  41. Relay,
  42. Padding,
  43. }
  44. impl fmt::Display for Protocol {
  45. fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
  46. write!(f, "{:?}", self)
  47. }
  48. }
  49. /// Translates a string representation of a protocol into a Proto type.
  50. /// Error if the string is an unrecognized protocol name.
  51. ///
  52. /// C_RUST_COUPLED: protover.c `PROTOCOL_NAMES`
  53. impl FromStr for Protocol {
  54. type Err = ProtoverError;
  55. fn from_str(s: &str) -> Result<Self, Self::Err> {
  56. match s {
  57. "Cons" => Ok(Protocol::Cons),
  58. "Desc" => Ok(Protocol::Desc),
  59. "DirCache" => Ok(Protocol::DirCache),
  60. "HSDir" => Ok(Protocol::HSDir),
  61. "HSIntro" => Ok(Protocol::HSIntro),
  62. "HSRend" => Ok(Protocol::HSRend),
  63. "Link" => Ok(Protocol::Link),
  64. "LinkAuth" => Ok(Protocol::LinkAuth),
  65. "Microdesc" => Ok(Protocol::Microdesc),
  66. "Relay" => Ok(Protocol::Relay),
  67. "Padding" => Ok(Protocol::Padding),
  68. _ => Err(ProtoverError::UnknownProtocol),
  69. }
  70. }
  71. }
  72. /// A protocol string which is not one of the `Protocols` we currently know
  73. /// about.
  74. #[derive(Clone, Debug, Hash, Eq, PartialEq)]
  75. pub struct UnknownProtocol(String);
  76. impl fmt::Display for UnknownProtocol {
  77. fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
  78. write!(f, "{}", self.0)
  79. }
  80. }
  81. fn is_valid_proto(s: &str) -> bool {
  82. s.chars().all(|c| c.is_ascii_alphanumeric() || c == '-')
  83. }
  84. impl FromStr for UnknownProtocol {
  85. type Err = ProtoverError;
  86. fn from_str(s: &str) -> Result<Self, Self::Err> {
  87. if !is_valid_proto(s) {
  88. Err(ProtoverError::InvalidProtocol)
  89. } else if s.len() <= MAX_PROTOCOL_NAME_LENGTH {
  90. Ok(UnknownProtocol(s.to_string()))
  91. } else {
  92. Err(ProtoverError::ExceedsNameLimit)
  93. }
  94. }
  95. }
  96. impl UnknownProtocol {
  97. /// Create an `UnknownProtocol`, ignoring whether or not it
  98. /// exceeds MAX_PROTOCOL_NAME_LENGTH.
  99. fn from_str_any_len(s: &str) -> Result<Self, ProtoverError> {
  100. if !is_valid_proto(s) {
  101. return Err(ProtoverError::InvalidProtocol);
  102. }
  103. Ok(UnknownProtocol(s.to_string()))
  104. }
  105. }
  106. impl From<Protocol> for UnknownProtocol {
  107. fn from(p: Protocol) -> UnknownProtocol {
  108. UnknownProtocol(p.to_string())
  109. }
  110. }
  111. #[cfg(feature = "test_linking_hack")]
  112. fn have_linkauth_v1() -> bool {
  113. true
  114. }
  115. #[cfg(not(feature = "test_linking_hack"))]
  116. fn have_linkauth_v1() -> bool {
  117. use external::c_tor_is_using_nss;
  118. !c_tor_is_using_nss()
  119. }
  120. /// Get a CStr representation of current supported protocols, for
  121. /// passing to C, or for converting to a `&str` for Rust.
  122. ///
  123. /// # Returns
  124. ///
  125. /// An `&'static CStr` whose value is the existing protocols supported by tor.
  126. /// Returned data is in the format as follows:
  127. ///
  128. /// "HSDir=1-1 LinkAuth=1"
  129. ///
  130. /// # Note
  131. ///
  132. /// Rust code can use the `&'static CStr` as a normal `&'a str` by
  133. /// calling `protover::get_supported_protocols`.
  134. ///
  135. // C_RUST_COUPLED: protover.c `protover_get_supported_protocols`
  136. pub(crate) fn get_supported_protocols_cstr() -> &'static CStr {
  137. if !have_linkauth_v1() {
  138. cstr!(
  139. "Cons=1-2 \
  140. Desc=1-2 \
  141. DirCache=1-2 \
  142. HSDir=1-2 \
  143. HSIntro=3-4 \
  144. HSRend=1-2 \
  145. Link=1-5 \
  146. LinkAuth=3 \
  147. Microdesc=1-2 \
  148. Relay=1-2 \
  149. Padding=1"
  150. )
  151. } else {
  152. cstr!(
  153. "Cons=1-2 \
  154. Desc=1-2 \
  155. DirCache=1-2 \
  156. HSDir=1-2 \
  157. HSIntro=3-4 \
  158. HSRend=1-2 \
  159. Link=1-5 \
  160. LinkAuth=1,3 \
  161. Microdesc=1-2 \
  162. Relay=1-2 \
  163. Padding=1"
  164. )
  165. }
  166. }
  167. /// A map of protocol names to the versions of them which are supported.
  168. #[derive(Clone, Debug, PartialEq, Eq)]
  169. pub struct ProtoEntry(HashMap<Protocol, ProtoSet>);
  170. impl Default for ProtoEntry {
  171. fn default() -> ProtoEntry {
  172. ProtoEntry(HashMap::new())
  173. }
  174. }
  175. impl ProtoEntry {
  176. /// Get an iterator over the `Protocol`s and their `ProtoSet`s in this `ProtoEntry`.
  177. pub fn iter(&self) -> hash_map::Iter<Protocol, ProtoSet> {
  178. self.0.iter()
  179. }
  180. /// Translate the supported tor versions from a string into a
  181. /// ProtoEntry, which is useful when looking up a specific
  182. /// subprotocol.
  183. pub fn supported() -> Result<Self, ProtoverError> {
  184. let supported_cstr: &'static CStr = get_supported_protocols_cstr();
  185. let supported: &str = supported_cstr.to_str().unwrap_or("");
  186. supported.parse()
  187. }
  188. pub fn len(&self) -> usize {
  189. self.0.len()
  190. }
  191. pub fn get(&self, protocol: &Protocol) -> Option<&ProtoSet> {
  192. self.0.get(protocol)
  193. }
  194. pub fn insert(&mut self, key: Protocol, value: ProtoSet) {
  195. self.0.insert(key, value);
  196. }
  197. pub fn remove(&mut self, key: &Protocol) -> Option<ProtoSet> {
  198. self.0.remove(key)
  199. }
  200. pub fn is_empty(&self) -> bool {
  201. self.0.is_empty()
  202. }
  203. }
  204. impl FromStr for ProtoEntry {
  205. type Err = ProtoverError;
  206. /// Parse a string of subprotocol types and their version numbers.
  207. ///
  208. /// # Inputs
  209. ///
  210. /// * A `protocol_entry` string, comprised of a keywords, an "=" sign, and
  211. /// one or more version numbers, each separated by a space. For example,
  212. /// `"Cons=3-4 HSDir=1"`.
  213. ///
  214. /// # Returns
  215. ///
  216. /// A `Result` whose `Ok` value is a `ProtoEntry`.
  217. /// Otherwise, the `Err` value of this `Result` is a `ProtoverError`.
  218. fn from_str(protocol_entry: &str) -> Result<ProtoEntry, ProtoverError> {
  219. let mut proto_entry: ProtoEntry = ProtoEntry::default();
  220. let entries = protocol_entry.split(' ');
  221. for entry in entries {
  222. let mut parts = entry.splitn(2, '=');
  223. let proto = match parts.next() {
  224. Some(n) => n,
  225. None => return Err(ProtoverError::Unparseable),
  226. };
  227. let vers = match parts.next() {
  228. Some(n) => n,
  229. None => return Err(ProtoverError::Unparseable),
  230. };
  231. let versions: ProtoSet = vers.parse()?;
  232. let proto_name: Protocol = proto.parse()?;
  233. proto_entry.insert(proto_name, versions);
  234. if proto_entry.len() > MAX_PROTOCOLS_TO_EXPAND {
  235. return Err(ProtoverError::ExceedsMax);
  236. }
  237. }
  238. Ok(proto_entry)
  239. }
  240. }
  241. /// Generate an implementation of `ToString` for either a `ProtoEntry` or an
  242. /// `UnvalidatedProtoEntry`.
  243. macro_rules! impl_to_string_for_proto_entry {
  244. ($t:ty) => {
  245. impl ToString for $t {
  246. fn to_string(&self) -> String {
  247. let mut parts: Vec<String> = Vec::new();
  248. for (protocol, versions) in self.iter() {
  249. parts.push(format!("{}={}", protocol.to_string(), versions.to_string()));
  250. }
  251. parts.sort_unstable();
  252. parts.join(" ")
  253. }
  254. }
  255. };
  256. }
  257. impl_to_string_for_proto_entry!(ProtoEntry);
  258. impl_to_string_for_proto_entry!(UnvalidatedProtoEntry);
  259. /// A `ProtoEntry`, but whose `Protocols` can be any `UnknownProtocol`, not just
  260. /// the supported ones enumerated in `Protocols`. The protocol versions are
  261. /// validated, however.
  262. #[derive(Clone, Debug, PartialEq, Eq)]
  263. pub struct UnvalidatedProtoEntry(HashMap<UnknownProtocol, ProtoSet>);
  264. impl Default for UnvalidatedProtoEntry {
  265. fn default() -> UnvalidatedProtoEntry {
  266. UnvalidatedProtoEntry(HashMap::new())
  267. }
  268. }
  269. impl UnvalidatedProtoEntry {
  270. /// Get an iterator over the `Protocol`s and their `ProtoSet`s in this `ProtoEntry`.
  271. pub fn iter(&self) -> hash_map::Iter<UnknownProtocol, ProtoSet> {
  272. self.0.iter()
  273. }
  274. pub fn get(&self, protocol: &UnknownProtocol) -> Option<&ProtoSet> {
  275. self.0.get(protocol)
  276. }
  277. pub fn insert(&mut self, key: UnknownProtocol, value: ProtoSet) {
  278. self.0.insert(key, value);
  279. }
  280. pub fn remove(&mut self, key: &UnknownProtocol) -> Option<ProtoSet> {
  281. self.0.remove(key)
  282. }
  283. pub fn is_empty(&self) -> bool {
  284. self.0.is_empty()
  285. }
  286. pub fn len(&self) -> usize {
  287. let mut total: usize = 0;
  288. for (_, versions) in self.iter() {
  289. total += versions.len();
  290. }
  291. total
  292. }
  293. /// Determine if we support every protocol a client supports, and if not,
  294. /// determine which protocols we do not have support for.
  295. ///
  296. /// # Returns
  297. ///
  298. /// Optionally, return parameters which the client supports but which we do not.
  299. ///
  300. /// # Examples
  301. /// ```
  302. /// use protover::UnvalidatedProtoEntry;
  303. ///
  304. /// let protocols: UnvalidatedProtoEntry = "LinkAuth=1 Microdesc=1-2 Relay=2".parse().unwrap();
  305. /// let unsupported: Option<UnvalidatedProtoEntry> = protocols.all_supported();
  306. /// assert_eq!(true, unsupported.is_none());
  307. ///
  308. /// let protocols: UnvalidatedProtoEntry = "Link=1-2 Wombat=9".parse().unwrap();
  309. /// let unsupported: Option<UnvalidatedProtoEntry> = protocols.all_supported();
  310. /// assert_eq!(true, unsupported.is_some());
  311. /// assert_eq!("Wombat=9", &unsupported.unwrap().to_string());
  312. /// ```
  313. pub fn all_supported(&self) -> Option<UnvalidatedProtoEntry> {
  314. let mut unsupported: UnvalidatedProtoEntry = UnvalidatedProtoEntry::default();
  315. let supported: ProtoEntry = match ProtoEntry::supported() {
  316. Ok(x) => x,
  317. Err(_) => return None,
  318. };
  319. for (protocol, versions) in self.iter() {
  320. let is_supported: Result<Protocol, ProtoverError> = protocol.0.parse();
  321. let supported_protocol: Protocol;
  322. // If the protocol wasn't even in the enum, then we definitely don't
  323. // know about it and don't support any of its versions.
  324. if is_supported.is_err() {
  325. if !versions.is_empty() {
  326. unsupported.insert(protocol.clone(), versions.clone());
  327. }
  328. continue;
  329. } else {
  330. supported_protocol = is_supported.unwrap();
  331. }
  332. let maybe_supported_versions: Option<&ProtoSet> = supported.get(&supported_protocol);
  333. let supported_versions: &ProtoSet;
  334. // If the protocol wasn't in the map, then we don't know about it
  335. // and don't support any of its versions. Add its versions to the
  336. // map (if it has versions).
  337. if maybe_supported_versions.is_none() {
  338. if !versions.is_empty() {
  339. unsupported.insert(protocol.clone(), versions.clone());
  340. }
  341. continue;
  342. } else {
  343. supported_versions = maybe_supported_versions.unwrap();
  344. }
  345. let unsupported_versions = versions.and_not_in(supported_versions);
  346. if !unsupported_versions.is_empty() {
  347. unsupported.insert(protocol.clone(), unsupported_versions);
  348. }
  349. }
  350. if unsupported.is_empty() {
  351. return None;
  352. }
  353. Some(unsupported)
  354. }
  355. /// Determine if we have support for some protocol and version.
  356. ///
  357. /// # Inputs
  358. ///
  359. /// * `proto`, an `UnknownProtocol` to test support for
  360. /// * `vers`, a `Version` which we will go on to determine whether the
  361. /// specified protocol supports.
  362. ///
  363. /// # Return
  364. ///
  365. /// Returns `true` iff this `UnvalidatedProtoEntry` includes support for the
  366. /// indicated protocol and version, and `false` otherwise.
  367. ///
  368. /// # Examples
  369. ///
  370. /// ```
  371. /// # use std::str::FromStr;
  372. /// use protover::*;
  373. /// # use protover::errors::ProtoverError;
  374. ///
  375. /// # fn do_test () -> Result<UnvalidatedProtoEntry, ProtoverError> {
  376. /// let proto: UnvalidatedProtoEntry = "Link=3-4 Cons=1 Doggo=3-5".parse()?;
  377. /// assert_eq!(true, proto.supports_protocol(&Protocol::Cons.into(), &1));
  378. /// assert_eq!(false, proto.supports_protocol(&Protocol::Cons.into(), &5));
  379. /// assert_eq!(true, proto.supports_protocol(&UnknownProtocol::from_str("Doggo")?, &4));
  380. /// # Ok(proto)
  381. /// # } fn main () { do_test(); }
  382. /// ```
  383. pub fn supports_protocol(&self, proto: &UnknownProtocol, vers: &Version) -> bool {
  384. let supported_versions: &ProtoSet = match self.get(proto) {
  385. Some(n) => n,
  386. None => return false,
  387. };
  388. supported_versions.contains(&vers)
  389. }
  390. /// As `UnvalidatedProtoEntry::supports_protocol()`, but also returns `true`
  391. /// if any later version of the protocol is supported.
  392. ///
  393. /// # Examples
  394. /// ```
  395. /// use protover::*;
  396. /// # use protover::errors::ProtoverError;
  397. ///
  398. /// # fn do_test () -> Result<UnvalidatedProtoEntry, ProtoverError> {
  399. /// let proto: UnvalidatedProtoEntry = "Link=3-4 Cons=5".parse()?;
  400. ///
  401. /// assert_eq!(true, proto.supports_protocol_or_later(&Protocol::Cons.into(), &5));
  402. /// assert_eq!(true, proto.supports_protocol_or_later(&Protocol::Cons.into(), &4));
  403. /// assert_eq!(false, proto.supports_protocol_or_later(&Protocol::Cons.into(), &6));
  404. /// # Ok(proto)
  405. /// # } fn main () { do_test(); }
  406. /// ```
  407. pub fn supports_protocol_or_later(&self, proto: &UnknownProtocol, vers: &Version) -> bool {
  408. let supported_versions: &ProtoSet = match self.get(&proto) {
  409. Some(n) => n,
  410. None => return false,
  411. };
  412. supported_versions.iter().any(|v| v.1 >= *vers)
  413. }
  414. /// Split a string containing (potentially) several protocols and their
  415. /// versions into a `Vec` of tuples of string in `(protocol, versions)`
  416. /// form.
  417. ///
  418. /// # Inputs
  419. ///
  420. /// A &str in the form `"Link=3-4 Cons=5"`.
  421. ///
  422. /// # Returns
  423. ///
  424. /// A `Result` whose `Ok` variant is a `Vec<(&str, &str)>` of `(protocol,
  425. /// versions)`, or whose `Err` variant is a `ProtoverError`.
  426. ///
  427. /// # Errors
  428. ///
  429. /// This will error with a `ProtoverError::Unparseable` if any of the
  430. /// following are true:
  431. ///
  432. /// * If a protocol name is an empty string, e.g. `"Cons=1,3 =3-5"`.
  433. /// * If an entry has no equals sign, e.g. `"Cons=1,3 Desc"`.
  434. /// * If there is leading or trailing whitespace, e.g. `" Cons=1,3 Link=3"`.
  435. /// * If there is any other extra whitespice, e.g. `"Cons=1,3 Link=3"`.
  436. fn parse_protocol_and_version_str<'a>(
  437. protocol_string: &'a str,
  438. ) -> Result<Vec<(&'a str, &'a str)>, ProtoverError> {
  439. let mut protovers: Vec<(&str, &str)> = Vec::new();
  440. for subproto in protocol_string.split(' ') {
  441. let mut parts = subproto.splitn(2, '=');
  442. let name = match parts.next() {
  443. Some("") => return Err(ProtoverError::Unparseable),
  444. Some(n) => n,
  445. None => return Err(ProtoverError::Unparseable),
  446. };
  447. let vers = match parts.next() {
  448. Some(n) => n,
  449. None => return Err(ProtoverError::Unparseable),
  450. };
  451. protovers.push((name, vers));
  452. }
  453. Ok(protovers)
  454. }
  455. }
  456. impl FromStr for UnvalidatedProtoEntry {
  457. type Err = ProtoverError;
  458. /// Parses a protocol list without validating the protocol names.
  459. ///
  460. /// # Inputs
  461. ///
  462. /// * `protocol_string`, a string comprised of keys and values, both which are
  463. /// strings. The keys are the protocol names while values are a string
  464. /// representation of the supported versions.
  465. ///
  466. /// The input is _not_ expected to be a subset of the Protocol types
  467. ///
  468. /// # Returns
  469. ///
  470. /// A `Result` whose `Ok` value is an `UnvalidatedProtoEntry`.
  471. ///
  472. /// The returned `Result`'s `Err` value is an `ProtoverError`.
  473. ///
  474. /// # Errors
  475. ///
  476. /// This function will error if:
  477. ///
  478. /// * The protocol string does not follow the "protocol_name=version_list"
  479. /// expected format, or
  480. /// * If the version string is malformed. See `impl FromStr for ProtoSet`.
  481. fn from_str(protocol_string: &str) -> Result<UnvalidatedProtoEntry, ProtoverError> {
  482. let mut parsed: UnvalidatedProtoEntry = UnvalidatedProtoEntry::default();
  483. let parts: Vec<(&str, &str)> =
  484. UnvalidatedProtoEntry::parse_protocol_and_version_str(protocol_string)?;
  485. for &(name, vers) in parts.iter() {
  486. let versions = ProtoSet::from_str(vers)?;
  487. let protocol = UnknownProtocol::from_str(name)?;
  488. parsed.insert(protocol, versions);
  489. }
  490. Ok(parsed)
  491. }
  492. }
  493. impl UnvalidatedProtoEntry {
  494. /// Create an `UnknownProtocol`, ignoring whether or not it
  495. /// exceeds MAX_PROTOCOL_NAME_LENGTH.
  496. pub(crate) fn from_str_any_len(
  497. protocol_string: &str,
  498. ) -> Result<UnvalidatedProtoEntry, ProtoverError> {
  499. let mut parsed: UnvalidatedProtoEntry = UnvalidatedProtoEntry::default();
  500. let parts: Vec<(&str, &str)> =
  501. UnvalidatedProtoEntry::parse_protocol_and_version_str(protocol_string)?;
  502. for &(name, vers) in parts.iter() {
  503. let versions = ProtoSet::from_str(vers)?;
  504. let protocol = UnknownProtocol::from_str_any_len(name)?;
  505. parsed.insert(protocol, versions);
  506. }
  507. Ok(parsed)
  508. }
  509. }
  510. /// Pretend a `ProtoEntry` is actually an `UnvalidatedProtoEntry`.
  511. impl From<ProtoEntry> for UnvalidatedProtoEntry {
  512. fn from(proto_entry: ProtoEntry) -> UnvalidatedProtoEntry {
  513. let mut unvalidated: UnvalidatedProtoEntry = UnvalidatedProtoEntry::default();
  514. for (protocol, versions) in proto_entry.iter() {
  515. unvalidated.insert(UnknownProtocol::from(protocol.clone()), versions.clone());
  516. }
  517. unvalidated
  518. }
  519. }
  520. /// A mapping of protocols to a count of how many times each of their `Version`s
  521. /// were voted for or supported.
  522. ///
  523. /// # Warning
  524. ///
  525. /// The "protocols" are *not* guaranteed to be known/supported `Protocol`s, in
  526. /// order to allow new subprotocols to be introduced even if Directory
  527. /// Authorities don't yet know of them.
  528. pub struct ProtoverVote(HashMap<UnknownProtocol, HashMap<Version, usize>>);
  529. impl Default for ProtoverVote {
  530. fn default() -> ProtoverVote {
  531. ProtoverVote(HashMap::new())
  532. }
  533. }
  534. impl IntoIterator for ProtoverVote {
  535. type Item = (UnknownProtocol, HashMap<Version, usize>);
  536. type IntoIter = hash_map::IntoIter<UnknownProtocol, HashMap<Version, usize>>;
  537. fn into_iter(self) -> Self::IntoIter {
  538. self.0.into_iter()
  539. }
  540. }
  541. impl ProtoverVote {
  542. pub fn entry(
  543. &mut self,
  544. key: UnknownProtocol,
  545. ) -> hash_map::Entry<UnknownProtocol, HashMap<Version, usize>> {
  546. self.0.entry(key)
  547. }
  548. /// Protocol voting implementation.
  549. ///
  550. /// Given a slice of `UnvalidatedProtoEntry`s and a vote `threshold`, return
  551. /// a new `UnvalidatedProtoEntry` encoding all of the protocols that are
  552. /// listed by at least `threshold` of the inputs.
  553. ///
  554. /// # Examples
  555. ///
  556. /// ```
  557. /// use protover::ProtoverVote;
  558. /// use protover::UnvalidatedProtoEntry;
  559. ///
  560. /// let protos: &[UnvalidatedProtoEntry] = &["Link=3-4".parse().unwrap(),
  561. /// "Link=3".parse().unwrap()];
  562. /// let vote = ProtoverVote::compute(protos, &2);
  563. /// assert_eq!("Link=3", vote.to_string());
  564. /// ```
  565. // C_RUST_COUPLED: protover.c protover_compute_vote
  566. pub fn compute(
  567. proto_entries: &[UnvalidatedProtoEntry],
  568. threshold: &usize,
  569. ) -> UnvalidatedProtoEntry {
  570. let mut all_count: ProtoverVote = ProtoverVote::default();
  571. let mut final_output: UnvalidatedProtoEntry = UnvalidatedProtoEntry::default();
  572. if proto_entries.is_empty() {
  573. return final_output;
  574. }
  575. // parse and collect all of the protos and their versions and collect them
  576. for vote in proto_entries {
  577. // C_RUST_DIFFERS: This doesn't actually differ, bu this check on
  578. // the total is here to make it match. Because the C version calls
  579. // expand_protocol_list() which checks if there would be too many
  580. // subprotocols *or* individual version numbers, i.e. more than
  581. // MAX_PROTOCOLS_TO_EXPAND, and does this *per vote*, we need to
  582. // match it's behaviour and ensure we're not allowing more than it
  583. // would.
  584. if vote.len() > MAX_PROTOCOLS_TO_EXPAND {
  585. continue;
  586. }
  587. for (protocol, versions) in vote.iter() {
  588. let supported_vers: &mut HashMap<Version, usize> =
  589. all_count.entry(protocol.clone()).or_insert(HashMap::new());
  590. for version in versions.clone().expand() {
  591. let counter: &mut usize = supported_vers.entry(version).or_insert(0);
  592. *counter += 1;
  593. }
  594. }
  595. }
  596. for (protocol, mut versions) in all_count {
  597. // Go through and remove versions that are less than the threshold
  598. versions.retain(|_, count| *count as usize >= *threshold);
  599. if versions.len() > 0 {
  600. let voted_versions: Vec<Version> = versions.keys().cloned().collect();
  601. let voted_protoset: ProtoSet = ProtoSet::from(voted_versions);
  602. final_output.insert(protocol, voted_protoset);
  603. }
  604. }
  605. final_output
  606. }
  607. }
  608. /// Returns a boolean indicating whether the given protocol and version is
  609. /// supported in any of the existing Tor protocols
  610. ///
  611. /// # Examples
  612. /// ```
  613. /// use protover::is_supported_here;
  614. /// use protover::Protocol;
  615. ///
  616. /// let is_supported = is_supported_here(&Protocol::Link, &10);
  617. /// assert_eq!(false, is_supported);
  618. ///
  619. /// let is_supported = is_supported_here(&Protocol::Link, &1);
  620. /// assert_eq!(true, is_supported);
  621. /// ```
  622. pub fn is_supported_here(proto: &Protocol, vers: &Version) -> bool {
  623. let currently_supported: ProtoEntry = match ProtoEntry::supported() {
  624. Ok(result) => result,
  625. Err(_) => return false,
  626. };
  627. let supported_versions = match currently_supported.get(proto) {
  628. Some(n) => n,
  629. None => return false,
  630. };
  631. supported_versions.contains(vers)
  632. }
  633. /// Since older versions of Tor cannot infer their own subprotocols,
  634. /// determine which subprotocols are supported by older Tor versions.
  635. ///
  636. /// # Inputs
  637. ///
  638. /// * `version`, a string comprised of "[0-9a-z.-]"
  639. ///
  640. /// # Returns
  641. ///
  642. /// A `&'static CStr` encoding a list of protocol names and supported
  643. /// versions. The string takes the following format:
  644. ///
  645. /// "HSDir=1-1 LinkAuth=1"
  646. ///
  647. /// This function returns the protocols that are supported by the version input,
  648. /// only for tor versions older than `FIRST_TOR_VERSION_TO_ADVERTISE_PROTOCOLS`
  649. /// (but not older than 0.2.4.19). For newer tors (or older than 0.2.4.19), it
  650. /// returns an empty string.
  651. ///
  652. /// # Note
  653. ///
  654. /// This function is meant to be called for/within FFI code. If you'd
  655. /// like to use this code in Rust, please see `compute_for_old_tor()`.
  656. //
  657. // C_RUST_COUPLED: src/rust/protover.c `compute_for_old_tor`
  658. pub(crate) fn compute_for_old_tor_cstr(version: &str) -> &'static CStr {
  659. let empty: &'static CStr = cstr!("");
  660. if c_tor_version_as_new_as(version, FIRST_TOR_VERSION_TO_ADVERTISE_PROTOCOLS) {
  661. return empty;
  662. }
  663. if c_tor_version_as_new_as(version, "0.2.9.1-alpha") {
  664. return cstr!(
  665. "Cons=1-2 Desc=1-2 DirCache=1 HSDir=1 HSIntro=3 HSRend=1-2 \
  666. Link=1-4 LinkAuth=1 Microdesc=1-2 Relay=1-2"
  667. );
  668. }
  669. if c_tor_version_as_new_as(version, "0.2.7.5") {
  670. return cstr!(
  671. "Cons=1-2 Desc=1-2 DirCache=1 HSDir=1 HSIntro=3 HSRend=1 \
  672. Link=1-4 LinkAuth=1 Microdesc=1-2 Relay=1-2"
  673. );
  674. }
  675. if c_tor_version_as_new_as(version, "0.2.4.19") {
  676. return cstr!(
  677. "Cons=1 Desc=1 DirCache=1 HSDir=1 HSIntro=3 HSRend=1 \
  678. Link=1-4 LinkAuth=1 Microdesc=1 Relay=1-2"
  679. );
  680. }
  681. empty
  682. }
  683. /// Since older versions of Tor cannot infer their own subprotocols,
  684. /// determine which subprotocols are supported by older Tor versions.
  685. ///
  686. /// # Inputs
  687. ///
  688. /// * `version`, a string comprised of "[0-9a-z.-]"
  689. ///
  690. /// # Returns
  691. ///
  692. /// A `Result` whose `Ok` value is an `&'static str` encoding a list of protocol
  693. /// names and supported versions. The string takes the following format:
  694. ///
  695. /// "HSDir=1-1 LinkAuth=1"
  696. ///
  697. /// This function returns the protocols that are supported by the version input,
  698. /// only for tor versions older than `FIRST_TOR_VERSION_TO_ADVERTISE_PROTOCOLS`.
  699. /// (but not older than 0.2.4.19). For newer tors (or older than 0.2.4.19), its
  700. /// `Ok` `Result` contains an empty string.
  701. ///
  702. /// Otherwise, its `Err` contains a `ProtoverError::Unparseable` if the
  703. /// `version` string was invalid utf-8.
  704. ///
  705. /// # Note
  706. ///
  707. /// This function is meant to be called for/within non-FFI Rust code.
  708. //
  709. // C_RUST_COUPLED: src/rust/protover.c `compute_for_old_tor`
  710. pub fn compute_for_old_tor(version: &str) -> Result<&'static str, ProtoverError> {
  711. // .to_str() fails with a Utf8Error if it couldn't validate the
  712. // utf-8, so convert that here into an Unparseable ProtoverError.
  713. compute_for_old_tor_cstr(version)
  714. .to_str()
  715. .or(Err(ProtoverError::Unparseable))
  716. }
  717. #[cfg(test)]
  718. mod test {
  719. use std::str::FromStr;
  720. use std::string::ToString;
  721. use super::*;
  722. macro_rules! parse_proto {
  723. ($e:expr) => {{
  724. let proto: Result<UnknownProtocol, _> = $e.parse();
  725. let proto2 = UnknownProtocol::from_str_any_len($e);
  726. assert_eq!(proto, proto2);
  727. proto
  728. }};
  729. }
  730. #[test]
  731. fn test_protocol_from_str() {
  732. assert!(parse_proto!("Cons").is_ok());
  733. assert!(parse_proto!("123").is_ok());
  734. assert!(parse_proto!("1-2-3").is_ok());
  735. let err = Err(ProtoverError::InvalidProtocol);
  736. assert_eq!(err, parse_proto!("a_b_c"));
  737. assert_eq!(err, parse_proto!("a b"));
  738. assert_eq!(err, parse_proto!("a,"));
  739. assert_eq!(err, parse_proto!("b."));
  740. assert_eq!(err, parse_proto!("é"));
  741. }
  742. macro_rules! assert_protoentry_is_parseable {
  743. ($e:expr) => {
  744. let protoentry: Result<ProtoEntry, ProtoverError> = $e.parse();
  745. assert!(protoentry.is_ok(), format!("{:?}", protoentry.err()));
  746. };
  747. }
  748. macro_rules! assert_protoentry_is_unparseable {
  749. ($e:expr) => {
  750. let protoentry: Result<ProtoEntry, ProtoverError> = $e.parse();
  751. assert!(protoentry.is_err());
  752. };
  753. }
  754. #[test]
  755. fn test_protoentry_from_str_multiple_protocols_multiple_versions() {
  756. assert_protoentry_is_parseable!("Cons=3-4 Link=1,3-5");
  757. }
  758. #[test]
  759. fn test_protoentry_from_str_empty() {
  760. assert_protoentry_is_unparseable!("");
  761. }
  762. #[test]
  763. fn test_protoentry_from_str_single_protocol_single_version() {
  764. assert_protoentry_is_parseable!("HSDir=1");
  765. }
  766. #[test]
  767. fn test_protoentry_from_str_unknown_protocol() {
  768. assert_protoentry_is_unparseable!("Ducks=5-7,8");
  769. }
  770. #[test]
  771. fn test_protoentry_from_str_allowed_number_of_versions() {
  772. assert_protoentry_is_parseable!("Desc=1-4294967294");
  773. }
  774. #[test]
  775. fn test_protoentry_from_str_too_many_versions() {
  776. assert_protoentry_is_unparseable!("Desc=1-4294967295");
  777. }
  778. #[test]
  779. fn test_protoentry_from_str_() {
  780. assert_protoentry_is_unparseable!("");
  781. }
  782. #[test]
  783. fn test_protoentry_all_supported_single_protocol_single_version() {
  784. let protocol: UnvalidatedProtoEntry = "Cons=1".parse().unwrap();
  785. let unsupported: Option<UnvalidatedProtoEntry> = protocol.all_supported();
  786. assert_eq!(true, unsupported.is_none());
  787. }
  788. #[test]
  789. fn test_protoentry_all_supported_multiple_protocol_multiple_versions() {
  790. let protocols: UnvalidatedProtoEntry = "Link=3-4 Desc=2".parse().unwrap();
  791. let unsupported: Option<UnvalidatedProtoEntry> = protocols.all_supported();
  792. assert_eq!(true, unsupported.is_none());
  793. }
  794. #[test]
  795. fn test_protoentry_all_supported_three_values() {
  796. let protocols: UnvalidatedProtoEntry = "LinkAuth=1 Microdesc=1-2 Relay=2".parse().unwrap();
  797. let unsupported: Option<UnvalidatedProtoEntry> = protocols.all_supported();
  798. assert_eq!(true, unsupported.is_none());
  799. }
  800. #[test]
  801. fn test_protoentry_all_supported_unknown_protocol() {
  802. let protocols: UnvalidatedProtoEntry = "Wombat=9".parse().unwrap();
  803. let unsupported: Option<UnvalidatedProtoEntry> = protocols.all_supported();
  804. assert_eq!(true, unsupported.is_some());
  805. assert_eq!("Wombat=9", &unsupported.unwrap().to_string());
  806. }
  807. #[test]
  808. fn test_protoentry_all_supported_unsupported_high_version() {
  809. let protocols: UnvalidatedProtoEntry = "HSDir=12-100".parse().unwrap();
  810. let unsupported: Option<UnvalidatedProtoEntry> = protocols.all_supported();
  811. assert_eq!(true, unsupported.is_some());
  812. assert_eq!("HSDir=12-100", &unsupported.unwrap().to_string());
  813. }
  814. #[test]
  815. fn test_protoentry_all_supported_unsupported_low_version() {
  816. let protocols: UnvalidatedProtoEntry = "HSIntro=2-3".parse().unwrap();
  817. let unsupported: Option<UnvalidatedProtoEntry> = protocols.all_supported();
  818. assert_eq!(true, unsupported.is_some());
  819. assert_eq!("HSIntro=2", &unsupported.unwrap().to_string());
  820. }
  821. #[test]
  822. fn test_contract_protocol_list() {
  823. let mut versions = "";
  824. assert_eq!(
  825. String::from(versions),
  826. ProtoSet::from_str(&versions).unwrap().to_string()
  827. );
  828. versions = "1";
  829. assert_eq!(
  830. String::from(versions),
  831. ProtoSet::from_str(&versions).unwrap().to_string()
  832. );
  833. versions = "1-2";
  834. assert_eq!(
  835. String::from(versions),
  836. ProtoSet::from_str(&versions).unwrap().to_string()
  837. );
  838. versions = "1,3";
  839. assert_eq!(
  840. String::from(versions),
  841. ProtoSet::from_str(&versions).unwrap().to_string()
  842. );
  843. versions = "1-4";
  844. assert_eq!(
  845. String::from(versions),
  846. ProtoSet::from_str(&versions).unwrap().to_string()
  847. );
  848. versions = "1,3,5-7";
  849. assert_eq!(
  850. String::from(versions),
  851. ProtoSet::from_str(&versions).unwrap().to_string()
  852. );
  853. versions = "1-3,500";
  854. assert_eq!(
  855. String::from(versions),
  856. ProtoSet::from_str(&versions).unwrap().to_string()
  857. );
  858. }
  859. }