4
0

connect.rs 1.4 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546
  1. //! Creating DNS transports based on the user’s input arguments.
  2. use dns_transport::*;
  3. use crate::resolve::Nameserver;
  4. /// A **transport type** creates a `Transport` that determines which protocols
  5. /// should be used to send and receive DNS wire data over the network.
  6. #[derive(PartialEq, Debug, Copy, Clone)]
  7. pub enum TransportType {
  8. /// Send packets over UDP or TCP.
  9. /// UDP is used by default. If the request packet would be too large, send
  10. /// a TCP packet instead; if a UDP _response_ packet is truncated, try
  11. /// again with TCP.
  12. Automatic,
  13. /// Send packets over UDP only.
  14. /// If the request packet is too large or the response packet is
  15. /// truncated, fail with an error.
  16. UDP,
  17. /// Send packets over TCP only.
  18. TCP,
  19. /// Send encrypted DNS-over-TLS packets.
  20. TLS,
  21. /// Send encrypted DNS-over-HTTPS packets.
  22. HTTPS,
  23. }
  24. impl TransportType {
  25. /// Creates a boxed `Transport` depending on the transport type.
  26. pub fn make_transport(self, ns: Nameserver) -> Box<dyn Transport> {
  27. match self {
  28. Self::Automatic => Box::new(AutoTransport::new(ns)),
  29. Self::UDP => Box::new(UdpTransport::new(ns)),
  30. Self::TCP => Box::new(TcpTransport::new(ns)),
  31. Self::TLS => Box::new(TlsTransport::new(ns)),
  32. Self::HTTPS => Box::new(HttpsTransport::new(ns)),
  33. }
  34. }
  35. }