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
use trust_dns_resolver::{
    config::ResolverConfig,
    error::ResolveErrorKind,
    lookup::{SrvLookup, TxtLookup},
    IntoName,
};

use crate::error::{Error, Result};

/// An async runtime agnostic DNS resolver.
pub(crate) struct AsyncResolver {
    #[cfg(feature = "tokio-runtime")]
    resolver: trust_dns_resolver::TokioAsyncResolver,

    #[cfg(feature = "async-std-runtime")]
    resolver: async_std_resolver::AsyncStdResolver,
}

impl AsyncResolver {
    pub(crate) async fn new(config: Option<ResolverConfig>) -> Result<Self> {
        #[cfg(feature = "tokio-runtime")]
        let resolver = match config {
            Some(config) => {
                trust_dns_resolver::TokioAsyncResolver::tokio(config, Default::default())
                    .map_err(Error::from_resolve_error)?
            }
            None => trust_dns_resolver::TokioAsyncResolver::tokio_from_system_conf()
                .map_err(Error::from_resolve_error)?,
        };

        #[cfg(feature = "async-std-runtime")]
        let resolver = match config {
            Some(config) => async_std_resolver::resolver(config, Default::default())
                .await
                .map_err(Error::from_resolve_error)?,
            None => async_std_resolver::resolver_from_system_conf()
                .await
                .map_err(Error::from_resolve_error)?,
        };

        Ok(Self { resolver })
    }
}

impl AsyncResolver {
    pub async fn srv_lookup<N: IntoName>(&self, query: N) -> Result<SrvLookup> {
        let lookup = self
            .resolver
            .srv_lookup(query)
            .await
            .map_err(Error::from_resolve_error)?;
        Ok(lookup)
    }

    pub async fn txt_lookup<N: IntoName>(&self, query: N) -> Result<Option<TxtLookup>> {
        let lookup_result = self.resolver.txt_lookup(query).await;
        match lookup_result {
            Ok(lookup) => Ok(Some(lookup)),
            Err(e) => match e.kind() {
                ResolveErrorKind::NoRecordsFound { .. } => Ok(None),
                _ => Err(Error::from_resolve_error(e)),
            },
        }
    }
}