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
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
use std::borrow::Cow;
use std::convert::TryFrom;
use std::future::Future;
use std::net::IpAddr;
use std::str;
use futures::future::{self, FutureExt, TryFutureExt};
use futures::stream::{self, BoxStream};
use http::uri::{InvalidUri as InvalidUriError, Uri};
use hyper::{
body::{self, Body, Buf},
client::{Builder, Client, HttpConnector},
rt::Executor,
};
use once_cell::sync::{Lazy, OnceCell};
use regex::Regex;
use crate::{
util, AutoResolverContext, Resolution, Resolver, ResolverContext, ResultResolver, ToResolver,
};
pub const HTTP_IPIFY_ORG_RESOLVER: HttpResolverOptions =
HttpResolverOptions::new_static("http://api.ipify.org", ExtractMethod::PlainText);
pub const HTTP_WHATISMYIPADDRESS_COM_RESOLVER: HttpResolverOptions =
HttpResolverOptions::new_static("http://bot.whatismyipaddress.com", ExtractMethod::PlainText);
pub type HttpClient = Client<HttpConnector, Body>;
#[derive(Debug, Clone, Copy)]
pub enum ExtractMethod {
PlainText,
StripDoubleQuotes,
ExtractJsonIpField,
}
#[derive(Debug)]
pub enum HttpResolutionError {
Uri(InvalidUriError),
Client(hyper::Error),
EmptyIpAddr,
InvalidIpAddr,
InvalidUtf8,
}
#[derive(Clone, Debug)]
pub struct HttpResolverOptions<'a> {
uri: Cow<'a, str>,
method: ExtractMethod,
}
impl<'a> HttpResolverOptions<'a> {
pub fn new<U>(uri: U, method: ExtractMethod) -> Self
where
U: Into<Cow<'a, str>>,
{
Self {
uri: uri.into(),
method,
}
}
}
impl HttpResolverOptions<'static> {
pub const fn new_static(uri: &'static str, method: ExtractMethod) -> Self {
Self {
uri: Cow::Borrowed(uri),
method,
}
}
}
impl<'a, C> ToResolver<C> for HttpResolverOptions<'a>
where
C: HttpResolverContext,
{
type Resolver = ResultResolver<HttpResolver, HttpResolutionError>;
fn to_resolver(&self) -> Self::Resolver {
let result = Uri::try_from(self.uri.as_ref())
.map_err(HttpResolutionError::Uri)
.map(|uri| HttpResolver::new(uri, self.method));
ResultResolver::new(result)
}
}
#[derive(Clone, Debug)]
pub struct HttpResolution {
address: IpAddr,
uri: Uri,
method: ExtractMethod,
}
impl HttpResolution {
pub fn uri(&self) -> &Uri {
&self.uri
}
pub fn extract_method(&self) -> ExtractMethod {
self.method
}
}
impl Resolution for HttpResolution {
fn address(&self) -> IpAddr {
self.address
}
}
pub struct HttpResolver {
uri: Uri,
method: ExtractMethod,
}
impl HttpResolver {
pub fn new(uri: Uri, method: ExtractMethod) -> Self {
Self { uri, method }
}
}
impl<C> Resolver<C> for HttpResolver
where
C: HttpResolverContext,
{
type Error = HttpResolutionError;
type Resolution = HttpResolution;
type Stream = BoxStream<'static, Result<Self::Resolution, Self::Error>>;
fn resolve(&mut self, cx: C) -> Self::Stream {
let client = cx.client();
let runtime = cx.runtime();
let uri = self.uri.clone();
let method = self.method;
static JSON_IP_FIELD_REGEX: Lazy<Regex> =
Lazy::new(|| Regex::new(r#"(?i)"ip"\s*:\s*"(.+?)""#).expect("invalid regex"));
let req_fut = client
.get(uri.clone())
.and_then(|res| body::aggregate(res.into_body()))
.map_err(HttpResolutionError::Client)
.map_ok(move |body| {
let body_str =
str::from_utf8(body.bytes()).map_err(|_| HttpResolutionError::InvalidUtf8)?;
let address_str_opt = match method {
ExtractMethod::PlainText => Some(body_str),
ExtractMethod::ExtractJsonIpField => (*JSON_IP_FIELD_REGEX)
.captures(body_str)
.and_then(|caps| caps.get(1))
.map(|cap| cap.as_str()),
ExtractMethod::StripDoubleQuotes => Some(body_str.trim_matches('"')),
};
address_str_opt
.ok_or(HttpResolutionError::EmptyIpAddr)
.and_then(|s| s.parse().map_err(|_| HttpResolutionError::InvalidIpAddr))
.map(|address| HttpResolution {
address,
uri,
method,
})
})
.and_then(future::ready);
let fut = runtime
.spawn(req_fut)
.map(|res| res.expect("failed to execute request future"));
Box::pin(stream::once(fut))
}
}
static DEFAULT_HTTP_CLIENT: OnceCell<HttpClient> = OnceCell::new();
pub trait HttpResolverContext: ResolverContext {
fn client<'a>(&self) -> &'a HttpClient {
let executor = TokioExecutor(self.runtime());
DEFAULT_HTTP_CLIENT.get_or_init(|| Builder::default().executor(executor).build_http())
}
fn runtime<'a>(&self) -> &'a util::TokioRuntime {
util::tokio_runtime()
}
}
impl<T> HttpResolverContext for T where T: AutoResolverContext {}
struct TokioExecutor<'a>(&'a util::TokioRuntime);
impl<'a, F> Executor<F> for TokioExecutor<'a>
where
F: Future<Output = ()> + Send + 'static,
{
fn execute(&self, fut: F) {
self.0.spawn(fut);
}
}