parsers.rs 24 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765
  1. #![cfg_attr(
  2. not(all(feature = "proto-ipv6", feature = "proto-ipv4")),
  3. allow(dead_code)
  4. )]
  5. use core::result;
  6. use core::str::FromStr;
  7. #[cfg(feature = "medium-ethernet")]
  8. use crate::wire::EthernetAddress;
  9. use crate::wire::{IpAddress, IpCidr, IpEndpoint};
  10. #[cfg(feature = "proto-ipv4")]
  11. use crate::wire::{Ipv4Address, Ipv4Cidr};
  12. #[cfg(feature = "proto-ipv6")]
  13. use crate::wire::{Ipv6Address, Ipv6Cidr};
  14. type Result<T> = result::Result<T, ()>;
  15. struct Parser<'a> {
  16. data: &'a [u8],
  17. pos: usize,
  18. }
  19. impl<'a> Parser<'a> {
  20. fn new(data: &'a str) -> Parser<'a> {
  21. Parser {
  22. data: data.as_bytes(),
  23. pos: 0,
  24. }
  25. }
  26. fn lookahead_char(&self, ch: u8) -> bool {
  27. if self.pos < self.data.len() {
  28. self.data[self.pos] == ch
  29. } else {
  30. false
  31. }
  32. }
  33. fn advance(&mut self) -> Result<u8> {
  34. match self.data.get(self.pos) {
  35. Some(&chr) => {
  36. self.pos += 1;
  37. Ok(chr)
  38. }
  39. None => Err(()),
  40. }
  41. }
  42. fn try_do<F, T>(&mut self, f: F) -> Option<T>
  43. where
  44. F: FnOnce(&mut Parser<'a>) -> Result<T>,
  45. {
  46. let pos = self.pos;
  47. match f(self) {
  48. Ok(res) => Some(res),
  49. Err(()) => {
  50. self.pos = pos;
  51. None
  52. }
  53. }
  54. }
  55. fn accept_eof(&mut self) -> Result<()> {
  56. if self.data.len() == self.pos {
  57. Ok(())
  58. } else {
  59. Err(())
  60. }
  61. }
  62. fn until_eof<F, T>(&mut self, f: F) -> Result<T>
  63. where
  64. F: FnOnce(&mut Parser<'a>) -> Result<T>,
  65. {
  66. let res = f(self)?;
  67. self.accept_eof()?;
  68. Ok(res)
  69. }
  70. fn accept_char(&mut self, chr: u8) -> Result<()> {
  71. if self.advance()? == chr {
  72. Ok(())
  73. } else {
  74. Err(())
  75. }
  76. }
  77. fn accept_str(&mut self, string: &[u8]) -> Result<()> {
  78. for byte in string.iter() {
  79. self.accept_char(*byte)?;
  80. }
  81. Ok(())
  82. }
  83. fn accept_digit(&mut self, hex: bool) -> Result<u8> {
  84. let digit = self.advance()?;
  85. if digit.is_ascii_digit() {
  86. Ok(digit - b'0')
  87. } else if hex && (b'a'..=b'f').contains(&digit) {
  88. Ok(digit - b'a' + 10)
  89. } else if hex && (b'A'..=b'F').contains(&digit) {
  90. Ok(digit - b'A' + 10)
  91. } else {
  92. Err(())
  93. }
  94. }
  95. fn accept_number(&mut self, max_digits: usize, max_value: u32, hex: bool) -> Result<u32> {
  96. let mut value = self.accept_digit(hex)? as u32;
  97. for _ in 1..max_digits {
  98. match self.try_do(|p| p.accept_digit(hex)) {
  99. Some(digit) => {
  100. value *= if hex { 16 } else { 10 };
  101. value += digit as u32;
  102. }
  103. None => break,
  104. }
  105. }
  106. if value < max_value {
  107. Ok(value)
  108. } else {
  109. Err(())
  110. }
  111. }
  112. #[cfg(feature = "medium-ethernet")]
  113. fn accept_mac_joined_with(&mut self, separator: u8) -> Result<EthernetAddress> {
  114. let mut octets = [0u8; 6];
  115. for (n, octet) in octets.iter_mut().enumerate() {
  116. *octet = self.accept_number(2, 0x100, true)? as u8;
  117. if n != 5 {
  118. self.accept_char(separator)?;
  119. }
  120. }
  121. Ok(EthernetAddress(octets))
  122. }
  123. #[cfg(feature = "medium-ethernet")]
  124. fn accept_mac(&mut self) -> Result<EthernetAddress> {
  125. if let Some(mac) = self.try_do(|p| p.accept_mac_joined_with(b'-')) {
  126. return Ok(mac);
  127. }
  128. if let Some(mac) = self.try_do(|p| p.accept_mac_joined_with(b':')) {
  129. return Ok(mac);
  130. }
  131. Err(())
  132. }
  133. #[cfg(feature = "proto-ipv6")]
  134. fn accept_ipv4_mapped_ipv6_part(&mut self, parts: &mut [u16], idx: &mut usize) -> Result<()> {
  135. let octets = self.accept_ipv4_octets()?;
  136. parts[*idx] = ((octets[0] as u16) << 8) | (octets[1] as u16);
  137. *idx += 1;
  138. parts[*idx] = ((octets[2] as u16) << 8) | (octets[3] as u16);
  139. *idx += 1;
  140. Ok(())
  141. }
  142. #[cfg(feature = "proto-ipv6")]
  143. fn accept_ipv6_part(
  144. &mut self,
  145. (head, tail): (&mut [u16; 8], &mut [u16; 6]),
  146. (head_idx, tail_idx): (&mut usize, &mut usize),
  147. mut use_tail: bool,
  148. ) -> Result<()> {
  149. let double_colon = match self.try_do(|p| p.accept_str(b"::")) {
  150. Some(_) if !use_tail && *head_idx < 7 => {
  151. // Found a double colon. Start filling out the
  152. // tail and set the double colon flag in case
  153. // this is the last character we can parse.
  154. use_tail = true;
  155. true
  156. }
  157. Some(_) => {
  158. // This is a bad address. Only one double colon is
  159. // allowed and an address is only 128 bits.
  160. return Err(());
  161. }
  162. None => {
  163. if *head_idx != 0 || use_tail && *tail_idx != 0 {
  164. // If this is not the first number or the position following
  165. // a double colon, we expect there to be a single colon.
  166. self.accept_char(b':')?;
  167. }
  168. false
  169. }
  170. };
  171. match self.try_do(|p| p.accept_number(4, 0x10000, true)) {
  172. Some(part) if !use_tail && *head_idx < 8 => {
  173. // Valid u16 to be added to the address
  174. head[*head_idx] = part as u16;
  175. *head_idx += 1;
  176. if *head_idx == 6 && head[0..*head_idx] == [0, 0, 0, 0, 0, 0xffff] {
  177. self.try_do(|p| {
  178. p.accept_char(b':')?;
  179. p.accept_ipv4_mapped_ipv6_part(head, head_idx)
  180. });
  181. }
  182. Ok(())
  183. }
  184. Some(part) if *tail_idx < 6 => {
  185. // Valid u16 to be added to the address
  186. tail[*tail_idx] = part as u16;
  187. *tail_idx += 1;
  188. if *tail_idx == 1 && tail[0] == 0xffff && head[0..8] == [0, 0, 0, 0, 0, 0, 0, 0] {
  189. self.try_do(|p| {
  190. p.accept_char(b':')?;
  191. p.accept_ipv4_mapped_ipv6_part(tail, tail_idx)
  192. });
  193. }
  194. Ok(())
  195. }
  196. Some(_) => {
  197. // Tail or head section is too long
  198. Err(())
  199. }
  200. None if double_colon => {
  201. // The address ends with "::". E.g. 1234:: or ::
  202. Ok(())
  203. }
  204. None => {
  205. // Invalid address
  206. Err(())
  207. }
  208. }?;
  209. if *head_idx + *tail_idx > 8 {
  210. // The head and tail indexes add up to a bad address length.
  211. Err(())
  212. } else if !self.lookahead_char(b':') {
  213. if *head_idx < 8 && !use_tail {
  214. // There was no double colon found, and the head is too short
  215. return Err(());
  216. }
  217. Ok(())
  218. } else {
  219. // Continue recursing
  220. self.accept_ipv6_part((head, tail), (head_idx, tail_idx), use_tail)
  221. }
  222. }
  223. #[cfg(feature = "proto-ipv6")]
  224. fn accept_ipv6(&mut self) -> Result<Ipv6Address> {
  225. // IPv6 addresses may contain a "::" to indicate a series of
  226. // 16 bit sections that evaluate to 0. E.g.
  227. //
  228. // fe80:0000:0000:0000:0000:0000:0000:0001
  229. //
  230. // May be written as
  231. //
  232. // fe80::1
  233. //
  234. // As a result, we need to find the first section of colon
  235. // delimited u16's before a possible "::", then the
  236. // possible second section after the "::", and finally
  237. // combine the second optional section to the end of the
  238. // final address.
  239. //
  240. // See https://tools.ietf.org/html/rfc4291#section-2.2
  241. // for details.
  242. let (mut addr, mut tail) = ([0u16; 8], [0u16; 6]);
  243. let (mut head_idx, mut tail_idx) = (0, 0);
  244. self.accept_ipv6_part(
  245. (&mut addr, &mut tail),
  246. (&mut head_idx, &mut tail_idx),
  247. false,
  248. )?;
  249. // We need to copy the tail portion (the portion following the "::") to the
  250. // end of the address.
  251. addr[8 - tail_idx..].copy_from_slice(&tail[..tail_idx]);
  252. Ok(Ipv6Address::from_parts(&addr))
  253. }
  254. fn accept_ipv4_octets(&mut self) -> Result<[u8; 4]> {
  255. let mut octets = [0u8; 4];
  256. for (n, octet) in octets.iter_mut().enumerate() {
  257. *octet = self.accept_number(3, 0x100, false)? as u8;
  258. if n != 3 {
  259. self.accept_char(b'.')?;
  260. }
  261. }
  262. Ok(octets)
  263. }
  264. #[cfg(feature = "proto-ipv4")]
  265. fn accept_ipv4(&mut self) -> Result<Ipv4Address> {
  266. let octets = self.accept_ipv4_octets()?;
  267. Ok(Ipv4Address(octets))
  268. }
  269. fn accept_ip(&mut self) -> Result<IpAddress> {
  270. #[cfg(feature = "proto-ipv4")]
  271. #[allow(clippy::single_match)]
  272. match self.try_do(|p| p.accept_ipv4()) {
  273. Some(ipv4) => return Ok(IpAddress::Ipv4(ipv4)),
  274. None => (),
  275. }
  276. #[cfg(feature = "proto-ipv6")]
  277. #[allow(clippy::single_match)]
  278. match self.try_do(|p| p.accept_ipv6()) {
  279. Some(ipv6) => return Ok(IpAddress::Ipv6(ipv6)),
  280. None => (),
  281. }
  282. Err(())
  283. }
  284. #[cfg(feature = "proto-ipv4")]
  285. fn accept_ipv4_endpoint(&mut self) -> Result<IpEndpoint> {
  286. let ip = self.accept_ipv4()?;
  287. let port = if self.accept_eof().is_ok() {
  288. 0
  289. } else {
  290. self.accept_char(b':')?;
  291. self.accept_number(5, 65535, false)?
  292. };
  293. Ok(IpEndpoint {
  294. addr: IpAddress::Ipv4(ip),
  295. port: port as u16,
  296. })
  297. }
  298. #[cfg(feature = "proto-ipv6")]
  299. fn accept_ipv6_endpoint(&mut self) -> Result<IpEndpoint> {
  300. if self.lookahead_char(b'[') {
  301. self.accept_char(b'[')?;
  302. let ip = self.accept_ipv6()?;
  303. self.accept_char(b']')?;
  304. self.accept_char(b':')?;
  305. let port = self.accept_number(5, 65535, false)?;
  306. Ok(IpEndpoint {
  307. addr: IpAddress::Ipv6(ip),
  308. port: port as u16,
  309. })
  310. } else {
  311. let ip = self.accept_ipv6()?;
  312. Ok(IpEndpoint {
  313. addr: IpAddress::Ipv6(ip),
  314. port: 0,
  315. })
  316. }
  317. }
  318. fn accept_ip_endpoint(&mut self) -> Result<IpEndpoint> {
  319. #[cfg(feature = "proto-ipv4")]
  320. #[allow(clippy::single_match)]
  321. match self.try_do(|p| p.accept_ipv4_endpoint()) {
  322. Some(ipv4) => return Ok(ipv4),
  323. None => (),
  324. }
  325. #[cfg(feature = "proto-ipv6")]
  326. #[allow(clippy::single_match)]
  327. match self.try_do(|p| p.accept_ipv6_endpoint()) {
  328. Some(ipv6) => return Ok(ipv6),
  329. None => (),
  330. }
  331. Err(())
  332. }
  333. }
  334. #[cfg(feature = "medium-ethernet")]
  335. impl FromStr for EthernetAddress {
  336. type Err = ();
  337. /// Parse a string representation of an Ethernet address.
  338. fn from_str(s: &str) -> Result<EthernetAddress> {
  339. Parser::new(s).until_eof(|p| p.accept_mac())
  340. }
  341. }
  342. #[cfg(feature = "proto-ipv4")]
  343. impl FromStr for Ipv4Address {
  344. type Err = ();
  345. /// Parse a string representation of an IPv4 address.
  346. fn from_str(s: &str) -> Result<Ipv4Address> {
  347. Parser::new(s).until_eof(|p| p.accept_ipv4())
  348. }
  349. }
  350. #[cfg(feature = "proto-ipv6")]
  351. impl FromStr for Ipv6Address {
  352. type Err = ();
  353. /// Parse a string representation of an IPv6 address.
  354. fn from_str(s: &str) -> Result<Ipv6Address> {
  355. Parser::new(s).until_eof(|p| p.accept_ipv6())
  356. }
  357. }
  358. impl FromStr for IpAddress {
  359. type Err = ();
  360. /// Parse a string representation of an IP address.
  361. fn from_str(s: &str) -> Result<IpAddress> {
  362. Parser::new(s).until_eof(|p| p.accept_ip())
  363. }
  364. }
  365. #[cfg(feature = "proto-ipv4")]
  366. impl FromStr for Ipv4Cidr {
  367. type Err = ();
  368. /// Parse a string representation of an IPv4 CIDR.
  369. fn from_str(s: &str) -> Result<Ipv4Cidr> {
  370. Parser::new(s).until_eof(|p| {
  371. let ip = p.accept_ipv4()?;
  372. p.accept_char(b'/')?;
  373. let prefix_len = p.accept_number(2, 33, false)? as u8;
  374. Ok(Ipv4Cidr::new(ip, prefix_len))
  375. })
  376. }
  377. }
  378. #[cfg(feature = "proto-ipv6")]
  379. impl FromStr for Ipv6Cidr {
  380. type Err = ();
  381. /// Parse a string representation of an IPv6 CIDR.
  382. fn from_str(s: &str) -> Result<Ipv6Cidr> {
  383. // https://tools.ietf.org/html/rfc4291#section-2.3
  384. Parser::new(s).until_eof(|p| {
  385. let ip = p.accept_ipv6()?;
  386. p.accept_char(b'/')?;
  387. let prefix_len = p.accept_number(3, 129, false)? as u8;
  388. Ok(Ipv6Cidr::new(ip, prefix_len))
  389. })
  390. }
  391. }
  392. impl FromStr for IpCidr {
  393. type Err = ();
  394. /// Parse a string representation of an IP CIDR.
  395. fn from_str(s: &str) -> Result<IpCidr> {
  396. #[cfg(feature = "proto-ipv4")]
  397. #[allow(clippy::single_match)]
  398. match Ipv4Cidr::from_str(s) {
  399. Ok(cidr) => return Ok(IpCidr::Ipv4(cidr)),
  400. Err(_) => (),
  401. }
  402. #[cfg(feature = "proto-ipv6")]
  403. #[allow(clippy::single_match)]
  404. match Ipv6Cidr::from_str(s) {
  405. Ok(cidr) => return Ok(IpCidr::Ipv6(cidr)),
  406. Err(_) => (),
  407. }
  408. Err(())
  409. }
  410. }
  411. impl FromStr for IpEndpoint {
  412. type Err = ();
  413. fn from_str(s: &str) -> Result<IpEndpoint> {
  414. Parser::new(s).until_eof(|p| p.accept_ip_endpoint())
  415. }
  416. }
  417. #[cfg(test)]
  418. mod test {
  419. use super::*;
  420. macro_rules! check_cidr_test_array {
  421. ($tests:expr, $from_str:path, $variant:path) => {
  422. for &(s, cidr) in &$tests {
  423. assert_eq!($from_str(s), cidr);
  424. assert_eq!(IpCidr::from_str(s), cidr.map($variant));
  425. if let Ok(cidr) = cidr {
  426. assert_eq!($from_str(&format!("{}", cidr)), Ok(cidr));
  427. assert_eq!(IpCidr::from_str(&format!("{}", cidr)), Ok($variant(cidr)));
  428. }
  429. }
  430. };
  431. }
  432. #[test]
  433. #[cfg(all(feature = "proto-ipv4", feature = "medium-ethernet"))]
  434. fn test_mac() {
  435. assert_eq!(EthernetAddress::from_str(""), Err(()));
  436. assert_eq!(
  437. EthernetAddress::from_str("02:00:00:00:00:00"),
  438. Ok(EthernetAddress([0x02, 0x00, 0x00, 0x00, 0x00, 0x00]))
  439. );
  440. assert_eq!(
  441. EthernetAddress::from_str("01:23:45:67:89:ab"),
  442. Ok(EthernetAddress([0x01, 0x23, 0x45, 0x67, 0x89, 0xab]))
  443. );
  444. assert_eq!(
  445. EthernetAddress::from_str("cd:ef:10:00:00:00"),
  446. Ok(EthernetAddress([0xcd, 0xef, 0x10, 0x00, 0x00, 0x00]))
  447. );
  448. assert_eq!(
  449. EthernetAddress::from_str("00:00:00:ab:cd:ef"),
  450. Ok(EthernetAddress([0x00, 0x00, 0x00, 0xab, 0xcd, 0xef]))
  451. );
  452. assert_eq!(
  453. EthernetAddress::from_str("00-00-00-ab-cd-ef"),
  454. Ok(EthernetAddress([0x00, 0x00, 0x00, 0xab, 0xcd, 0xef]))
  455. );
  456. assert_eq!(
  457. EthernetAddress::from_str("AB-CD-EF-00-00-00"),
  458. Ok(EthernetAddress([0xab, 0xcd, 0xef, 0x00, 0x00, 0x00]))
  459. );
  460. assert_eq!(EthernetAddress::from_str("100:00:00:00:00:00"), Err(()));
  461. assert_eq!(EthernetAddress::from_str("002:00:00:00:00:00"), Err(()));
  462. assert_eq!(EthernetAddress::from_str("02:00:00:00:00:000"), Err(()));
  463. assert_eq!(EthernetAddress::from_str("02:00:00:00:00:0x"), Err(()));
  464. }
  465. #[test]
  466. #[cfg(feature = "proto-ipv4")]
  467. fn test_ipv4() {
  468. assert_eq!(Ipv4Address::from_str(""), Err(()));
  469. assert_eq!(
  470. Ipv4Address::from_str("1.2.3.4"),
  471. Ok(Ipv4Address([1, 2, 3, 4]))
  472. );
  473. assert_eq!(
  474. Ipv4Address::from_str("001.2.3.4"),
  475. Ok(Ipv4Address([1, 2, 3, 4]))
  476. );
  477. assert_eq!(Ipv4Address::from_str("0001.2.3.4"), Err(()));
  478. assert_eq!(Ipv4Address::from_str("999.2.3.4"), Err(()));
  479. assert_eq!(Ipv4Address::from_str("1.2.3.4.5"), Err(()));
  480. assert_eq!(Ipv4Address::from_str("1.2.3"), Err(()));
  481. assert_eq!(Ipv4Address::from_str("1.2.3."), Err(()));
  482. assert_eq!(Ipv4Address::from_str("1.2.3.4."), Err(()));
  483. }
  484. #[test]
  485. #[cfg(feature = "proto-ipv6")]
  486. fn test_ipv6() {
  487. // Obviously not valid
  488. assert_eq!(Ipv6Address::from_str(""), Err(()));
  489. assert_eq!(
  490. Ipv6Address::from_str("fe80:0:0:0:0:0:0:1"),
  491. Ok(Ipv6Address::new(0xfe80, 0, 0, 0, 0, 0, 0, 1))
  492. );
  493. assert_eq!(Ipv6Address::from_str("::1"), Ok(Ipv6Address::LOOPBACK));
  494. assert_eq!(Ipv6Address::from_str("::"), Ok(Ipv6Address::UNSPECIFIED));
  495. assert_eq!(
  496. Ipv6Address::from_str("fe80::1"),
  497. Ok(Ipv6Address::new(0xfe80, 0, 0, 0, 0, 0, 0, 1))
  498. );
  499. assert_eq!(
  500. Ipv6Address::from_str("1234:5678::"),
  501. Ok(Ipv6Address::new(0x1234, 0x5678, 0, 0, 0, 0, 0, 0))
  502. );
  503. assert_eq!(
  504. Ipv6Address::from_str("1234:5678::8765:4321"),
  505. Ok(Ipv6Address::new(0x1234, 0x5678, 0, 0, 0, 0, 0x8765, 0x4321))
  506. );
  507. // Two double colons in address
  508. assert_eq!(Ipv6Address::from_str("1234:5678::1::1"), Err(()));
  509. assert_eq!(
  510. Ipv6Address::from_str("4444:333:22:1::4"),
  511. Ok(Ipv6Address::new(0x4444, 0x0333, 0x0022, 0x0001, 0, 0, 0, 4))
  512. );
  513. assert_eq!(
  514. Ipv6Address::from_str("1:1:1:1:1:1::"),
  515. Ok(Ipv6Address::new(1, 1, 1, 1, 1, 1, 0, 0))
  516. );
  517. assert_eq!(
  518. Ipv6Address::from_str("::1:1:1:1:1:1"),
  519. Ok(Ipv6Address::new(0, 0, 1, 1, 1, 1, 1, 1))
  520. );
  521. assert_eq!(Ipv6Address::from_str("::1:1:1:1:1:1:1"), Err(()));
  522. // Double colon appears too late indicating an address that is too long
  523. assert_eq!(Ipv6Address::from_str("1:1:1:1:1:1:1::"), Err(()));
  524. // Section after double colon is too long for a valid address
  525. assert_eq!(Ipv6Address::from_str("::1:1:1:1:1:1:1"), Err(()));
  526. // Obviously too long
  527. assert_eq!(Ipv6Address::from_str("1:1:1:1:1:1:1:1:1"), Err(()));
  528. // Address is too short
  529. assert_eq!(Ipv6Address::from_str("1:1:1:1:1:1:1"), Err(()));
  530. // Long number
  531. assert_eq!(Ipv6Address::from_str("::000001"), Err(()));
  532. // IPv4-Mapped address
  533. assert_eq!(
  534. Ipv6Address::from_str("::ffff:192.168.1.1"),
  535. Ok(Ipv6Address([
  536. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0xff, 0xff, 192, 168, 1, 1
  537. ]))
  538. );
  539. assert_eq!(
  540. Ipv6Address::from_str("0:0:0:0:0:ffff:192.168.1.1"),
  541. Ok(Ipv6Address([
  542. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0xff, 0xff, 192, 168, 1, 1
  543. ]))
  544. );
  545. assert_eq!(
  546. Ipv6Address::from_str("0::ffff:192.168.1.1"),
  547. Ok(Ipv6Address([
  548. 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0xff, 0xff, 192, 168, 1, 1
  549. ]))
  550. );
  551. // Only ffff is allowed in position 6 when IPv4 mapped
  552. assert_eq!(Ipv6Address::from_str("0:0:0:0:0:eeee:192.168.1.1"), Err(()));
  553. // Positions 1-5 must be 0 when IPv4 mapped
  554. assert_eq!(Ipv6Address::from_str("0:0:0:0:1:ffff:192.168.1.1"), Err(()));
  555. assert_eq!(Ipv6Address::from_str("1::ffff:192.168.1.1"), Err(()));
  556. // Out of range ipv4 octet
  557. assert_eq!(Ipv6Address::from_str("0:0:0:0:0:ffff:256.168.1.1"), Err(()));
  558. // Invalid hex in ipv4 octet
  559. assert_eq!(Ipv6Address::from_str("0:0:0:0:0:ffff:c0.168.1.1"), Err(()));
  560. }
  561. #[test]
  562. #[cfg(feature = "proto-ipv4")]
  563. fn test_ip_ipv4() {
  564. assert_eq!(IpAddress::from_str(""), Err(()));
  565. assert_eq!(
  566. IpAddress::from_str("1.2.3.4"),
  567. Ok(IpAddress::Ipv4(Ipv4Address([1, 2, 3, 4])))
  568. );
  569. assert_eq!(IpAddress::from_str("x"), Err(()));
  570. }
  571. #[test]
  572. #[cfg(feature = "proto-ipv6")]
  573. fn test_ip_ipv6() {
  574. assert_eq!(IpAddress::from_str(""), Err(()));
  575. assert_eq!(
  576. IpAddress::from_str("fe80::1"),
  577. Ok(IpAddress::Ipv6(Ipv6Address::new(
  578. 0xfe80, 0, 0, 0, 0, 0, 0, 1
  579. )))
  580. );
  581. assert_eq!(IpAddress::from_str("x"), Err(()));
  582. }
  583. #[test]
  584. #[cfg(feature = "proto-ipv4")]
  585. fn test_cidr_ipv4() {
  586. let tests = [
  587. (
  588. "127.0.0.1/8",
  589. Ok(Ipv4Cidr::new(Ipv4Address([127, 0, 0, 1]), 8u8)),
  590. ),
  591. (
  592. "192.168.1.1/24",
  593. Ok(Ipv4Cidr::new(Ipv4Address([192, 168, 1, 1]), 24u8)),
  594. ),
  595. (
  596. "8.8.8.8/32",
  597. Ok(Ipv4Cidr::new(Ipv4Address([8, 8, 8, 8]), 32u8)),
  598. ),
  599. (
  600. "8.8.8.8/0",
  601. Ok(Ipv4Cidr::new(Ipv4Address([8, 8, 8, 8]), 0u8)),
  602. ),
  603. ("", Err(())),
  604. ("1", Err(())),
  605. ("127.0.0.1", Err(())),
  606. ("127.0.0.1/", Err(())),
  607. ("127.0.0.1/33", Err(())),
  608. ("127.0.0.1/111", Err(())),
  609. ("/32", Err(())),
  610. ];
  611. check_cidr_test_array!(tests, Ipv4Cidr::from_str, IpCidr::Ipv4);
  612. }
  613. #[test]
  614. #[cfg(feature = "proto-ipv6")]
  615. fn test_cidr_ipv6() {
  616. let tests = [
  617. (
  618. "fe80::1/64",
  619. Ok(Ipv6Cidr::new(
  620. Ipv6Address::new(0xfe80, 0, 0, 0, 0, 0, 0, 1),
  621. 64u8,
  622. )),
  623. ),
  624. (
  625. "fe80::/64",
  626. Ok(Ipv6Cidr::new(
  627. Ipv6Address::new(0xfe80, 0, 0, 0, 0, 0, 0, 0),
  628. 64u8,
  629. )),
  630. ),
  631. ("::1/128", Ok(Ipv6Cidr::new(Ipv6Address::LOOPBACK, 128u8))),
  632. ("::/128", Ok(Ipv6Cidr::new(Ipv6Address::UNSPECIFIED, 128u8))),
  633. (
  634. "fe80:0:0:0:0:0:0:1/64",
  635. Ok(Ipv6Cidr::new(
  636. Ipv6Address::new(0xfe80, 0, 0, 0, 0, 0, 0, 1),
  637. 64u8,
  638. )),
  639. ),
  640. ("fe80:0:0:0:0:0:0:1|64", Err(())),
  641. ("fe80::|64", Err(())),
  642. ("fe80::1::/64", Err(())),
  643. ];
  644. check_cidr_test_array!(tests, Ipv6Cidr::from_str, IpCidr::Ipv6);
  645. }
  646. #[test]
  647. #[cfg(feature = "proto-ipv4")]
  648. fn test_endpoint_ipv4() {
  649. assert_eq!(IpEndpoint::from_str(""), Err(()));
  650. assert_eq!(IpEndpoint::from_str("x"), Err(()));
  651. assert_eq!(
  652. IpEndpoint::from_str("127.0.0.1"),
  653. Ok(IpEndpoint {
  654. addr: IpAddress::v4(127, 0, 0, 1),
  655. port: 0
  656. })
  657. );
  658. assert_eq!(
  659. IpEndpoint::from_str("127.0.0.1:12345"),
  660. Ok(IpEndpoint {
  661. addr: IpAddress::v4(127, 0, 0, 1),
  662. port: 12345
  663. })
  664. );
  665. }
  666. #[test]
  667. #[cfg(feature = "proto-ipv6")]
  668. fn test_endpoint_ipv6() {
  669. assert_eq!(IpEndpoint::from_str(""), Err(()));
  670. assert_eq!(IpEndpoint::from_str("x"), Err(()));
  671. assert_eq!(
  672. IpEndpoint::from_str("fe80::1"),
  673. Ok(IpEndpoint {
  674. addr: IpAddress::v6(0xfe80, 0, 0, 0, 0, 0, 0, 1),
  675. port: 0
  676. })
  677. );
  678. assert_eq!(
  679. IpEndpoint::from_str("[fe80::1]:12345"),
  680. Ok(IpEndpoint {
  681. addr: IpAddress::v6(0xfe80, 0, 0, 0, 0, 0, 0, 1),
  682. port: 12345
  683. })
  684. );
  685. assert_eq!(
  686. IpEndpoint::from_str("[::]:12345"),
  687. Ok(IpEndpoint {
  688. addr: IpAddress::v6(0, 0, 0, 0, 0, 0, 0, 0),
  689. port: 12345
  690. })
  691. );
  692. }
  693. }