This commit is contained in:
Frank Denis 2018-02-06 13:49:05 +01:00
parent 8bc0d9dbfa
commit 7036af5cab
3 changed files with 41 additions and 37 deletions

View file

@ -1,7 +1,13 @@
[package] [package]
name = "doh-proxy" name = "doh-proxy"
version = "0.1.0" version = "0.1.1"
authors = ["Frank Denis <github@pureftpd.org>"] authors = ["Frank Denis <github@pureftpd.org>"]
description = "A DNS-over-HTTPS (DoH) proxy"
keywords = ["dns","https","doh","proxy"]
license = "MIT"
homepage = "https://github.com/jedisct1/rust-doh"
repository = "https://github.com/jedisct1/rust-doh"
categories = ["asynchronous", "network-programming","command-line-utilities"]
[dependencies] [dependencies]
base64 = "~0.9" base64 = "~0.9"

View file

@ -1,10 +1,10 @@
# doh-proxy # doh-proxy
A DNS-over-HTTP server proxy in Rust. A DNS-over-HTTP server proxy in Rust. Add a webserver and you get DNS-over-HTTPS, which is actually DNS-over-HTTP/2.
## Usage ## Usage
``` ```text
doh-proxy doh-proxy
A DNS-over-HTTP server proxy A DNS-over-HTTP server proxy
@ -19,14 +19,9 @@ OPTIONS:
-l, --listen_address <listen_address> Address to listen to [default: 127.0.0.1:3000] -l, --listen_address <listen_address> Address to listen to [default: 127.0.0.1:3000]
-b, --local_bind_address <local_bind_address> Address to connect from [default: 0.0.0.0:0] -b, --local_bind_address <local_bind_address> Address to connect from [default: 0.0.0.0:0]
-c, --max_clients <max_clients> Maximum number of simultaneous clients [default: 512] -c, --max_clients <max_clients> Maximum number of simultaneous clients [default: 512]
-p, --path <path> URI path [default: /dns-query]
-u, --server_address <server_address> Address to connect to [default: 9.9.9.9:53] -u, --server_address <server_address> Address to connect to [default: 9.9.9.9:53]
-t, --timeout <timeout> Timeout, in seconds [default: 10] -t, --timeout <timeout> Timeout, in seconds [default: 10]
``` ```
## Limitations
Only support `POST` queries. `GET` queries are too noisy in log files, including when they are not yours.
Serves HTTP requests only. DoH is mostly useful to leverage an existing webserver, so just configure your webserver to proxy connections to this. Serves HTTP requests only. DoH is mostly useful to leverage an existing webserver, so just configure your webserver to proxy connections to this.
Path is `/dns-query`.

View file

@ -33,6 +33,7 @@ const MAX_CLIENTS: u32 = 512;
const MAX_DNS_QUESTION_LEN: usize = 512; const MAX_DNS_QUESTION_LEN: usize = 512;
const MAX_DNS_RESPONSE_LEN: usize = 4096; const MAX_DNS_RESPONSE_LEN: usize = 4096;
const MIN_DNS_PACKET_LEN: usize = 17; const MIN_DNS_PACKET_LEN: usize = 17;
const PATH: &str = "/dns-query";
const SERVER_ADDRESS: &str = "9.9.9.9:53"; const SERVER_ADDRESS: &str = "9.9.9.9:53";
const TIMEOUT_SEC: u64 = 10; const TIMEOUT_SEC: u64 = 10;
const MAX_TTL: u32 = 86400 * 7; const MAX_TTL: u32 = 86400 * 7;
@ -45,6 +46,7 @@ struct DoH {
listen_address: SocketAddr, listen_address: SocketAddr,
local_bind_address: SocketAddr, local_bind_address: SocketAddr,
server_address: SocketAddr, server_address: SocketAddr,
path: String,
max_clients: u32, max_clients: u32,
timeout: Duration, timeout: Duration,
} }
@ -58,18 +60,12 @@ impl Service for DoH {
fn call(&self, req: Request) -> Self::Future { fn call(&self, req: Request) -> Self::Future {
let mut response = Response::new(); let mut response = Response::new();
match (req.method(), req.path()) { match (req.method(), req.path()) {
(&Method::Post, "/dns-query") => { (&Method::Post, path) => {
let fut = self.body_read(req.body(), self.handle.clone()) if path != self.path {
.map(|(body, ttl)| { response.set_status(StatusCode::NotFound);
let body_len = body.len(); return Box::new(future::ok(response));
response.set_body(body); }
response let fut = self.read_body_and_proxy(req.body(), self.handle.clone());
.with_header(ContentLength(body_len as u64))
.with_header(ContentType(
"application/dns-udpwireformat".parse().unwrap(),
))
.with_header(CacheControl(vec![CacheDirective::MaxAge(ttl)]))
});
return Box::new(fut.map_err(|_| hyper::Error::Incomplete)); return Box::new(fut.map_err(|_| hyper::Error::Incomplete));
} }
(&Method::Get, "/dns-query") => { (&Method::Get, "/dns-query") => {
@ -98,21 +94,9 @@ impl Service for DoH {
return Box::new(future::ok(response)); return Box::new(future::ok(response));
} }
}; };
let fut = Self::proxy(question, self.handle.clone()).map(|(body, ttl)| { let fut = Self::proxy(question, self.handle.clone());
let body_len = body.len();
response.set_body(body);
response
.with_header(ContentLength(body_len as u64))
.with_header(ContentType(
"application/dns-udpwireformat".parse().unwrap(),
))
.with_header(CacheControl(vec![CacheDirective::MaxAge(ttl)]))
});
return Box::new(fut.map_err(|_| hyper::Error::Incomplete)); return Box::new(fut.map_err(|_| hyper::Error::Incomplete));
} }
(&Method::Post, _) => {
response.set_status(StatusCode::NotFound);
}
_ => { _ => {
response.set_status(StatusCode::NotAcceptable); response.set_status(StatusCode::NotAcceptable);
} }
@ -123,7 +107,7 @@ impl Service for DoH {
impl DoH { impl DoH {
#[async] #[async]
fn proxy(query: Vec<u8>, handle: Handle) -> Result<(Vec<u8>, u32), ()> { fn proxy(query: Vec<u8>, handle: Handle) -> Result<Response, ()> {
let local_addr = LOCAL_BIND_ADDRESS.parse().unwrap(); let local_addr = LOCAL_BIND_ADDRESS.parse().unwrap();
let socket = UdpSocket::bind(&local_addr, &handle).unwrap(); let socket = UdpSocket::bind(&local_addr, &handle).unwrap();
let remote_addr = SERVER_ADDRESS.parse().unwrap(); let remote_addr = SERVER_ADDRESS.parse().unwrap();
@ -136,11 +120,21 @@ impl DoH {
} }
packet.truncate(len); packet.truncate(len);
let min_ttl = dns::min_ttl(&packet, MIN_TTL, MAX_TTL, ERR_TTL).map_err(|_| {})?; let min_ttl = dns::min_ttl(&packet, MIN_TTL, MAX_TTL, ERR_TTL).map_err(|_| {})?;
Ok((packet, min_ttl)) Ok((packet, min_ttl)).map(|(body, ttl)| {
let body_len = body.len();
let mut response = Response::new();
response.set_body(body);
response
.with_header(ContentLength(body_len as u64))
.with_header(ContentType(
"application/dns-udpwireformat".parse().unwrap(),
))
.with_header(CacheControl(vec![CacheDirective::MaxAge(ttl)]))
})
} }
#[async] #[async]
fn body_read(&self, body: Body, handle: Handle) -> Result<(Vec<u8>, u32), ()> { fn read_body_and_proxy(&self, body: Body, handle: Handle) -> Result<Response, ()> {
let query = await!( let query = await!(
body.concat2() body.concat2()
.map_err(|_err| ()) .map_err(|_err| ())
@ -162,6 +156,7 @@ fn main() {
listen_address: LISTEN_ADDRESS.parse().unwrap(), listen_address: LISTEN_ADDRESS.parse().unwrap(),
local_bind_address: LOCAL_BIND_ADDRESS.parse().unwrap(), local_bind_address: LOCAL_BIND_ADDRESS.parse().unwrap(),
server_address: SERVER_ADDRESS.parse().unwrap(), server_address: SERVER_ADDRESS.parse().unwrap(),
path: PATH.to_string(),
max_clients: MAX_CLIENTS, max_clients: MAX_CLIENTS,
timeout: Duration::from_secs(TIMEOUT_SEC), timeout: Duration::from_secs(TIMEOUT_SEC),
}; };
@ -229,6 +224,14 @@ fn parse_opts(doh: &mut DoH) {
.default_value(LOCAL_BIND_ADDRESS) .default_value(LOCAL_BIND_ADDRESS)
.help("Address to connect from"), .help("Address to connect from"),
) )
.arg(
Arg::with_name("path")
.short("p")
.long("path")
.takes_value(true)
.default_value(PATH)
.help("URI path"),
)
.arg( .arg(
Arg::with_name("max_clients") Arg::with_name("max_clients")
.short("c") .short("c")