1
 2
 3
 4
 5
 6
 7
 8
 9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
use std::fmt::{Display, Error, Formatter};

use crate::authority::Authority;
use crate::ip::IPAddress;

/// Represents an IP address with an associated port.
#[derive(Copy, Clone, Eq, PartialEq, Ord, PartialOrd, Hash, Debug)]
pub struct SocketAddress {
    ip: IPAddress,
    port: u16,
}

impl SocketAddress {

    /// Creates a new SocketAddress.
    ///
    /// ```
    /// use address::socket::SocketAddress;
    /// use address::ip::IPv4Address;
    ///
    /// let socket: SocketAddress = SocketAddress::new(IPv4Address::LOCALHOST.ip(), 80);
    /// assert_eq!(socket.ip(), IPv4Address::LOCALHOST.ip());
    /// assert_eq!(socket.port(), 80);
    /// ```
    pub fn new(ip: IPAddress, port: u16) -> SocketAddress {
        SocketAddress{ ip, port }
    }
}

impl SocketAddress {

    /// Gets the IP address.
    pub fn ip(&self) -> IPAddress {
        self.ip
    }

    /// Gets the port.
    pub fn port(&self) -> u16 {
        self.port
    }

    /// Gets the authority.
    pub fn authority(&self) -> Authority {
        Authority::Address(*self)
    }
}

impl Display for SocketAddress {

    /// ```
    /// use address::socket::SocketAddress;
    /// use address::ip::{IPv4Address, IPv6Address};
    ///
    /// let socket: SocketAddress = SocketAddress::new(IPv4Address::LOCALHOST.ip(), 80);
    /// assert_eq!(socket.to_string(), "127.0.0.1:80");
    ///
    /// let socket: SocketAddress = SocketAddress::new(IPv6Address::LOCALHOST.ip(), 443);
    /// assert_eq!(socket.to_string(), "[::1]:443");
    /// ```
    fn fmt(&self, f: &mut Formatter<'_>) -> Result<(), Error> {
        match self.ip {
            IPAddress::V4(ip) => write!(f, "{}:{}", ip, self.port),
            IPAddress::V6(ip) => write!(f, "[{}]:{}", ip, self.port),
        }
    }
}