protover.rs 30 KB

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