Split dockerflow in own module
This commit is contained in:
Родитель
22c58fa854
Коммит
90b8fb3f56
|
@ -0,0 +1,147 @@
|
|||
use actix_web::{http, HttpRequest, HttpResponse};
|
||||
use chrono::{DateTime, Utc};
|
||||
use futures::Future;
|
||||
use maxminddb::{self, geoip2, MaxMindDBError};
|
||||
use serde::Serializer;
|
||||
use serde_derive::Serialize;
|
||||
use std::{net::IpAddr, path::PathBuf};
|
||||
|
||||
use crate::errors::ClassifyError;
|
||||
|
||||
pub struct State {
|
||||
pub geoip: actix::Addr<GeoIpActor>,
|
||||
}
|
||||
|
||||
pub struct GeoIpActor {
|
||||
reader: maxminddb::OwnedReader<'static>,
|
||||
}
|
||||
|
||||
impl GeoIpActor {
|
||||
pub fn from_path<P: Into<PathBuf>>(path: P) -> Result<Self, Box<dyn std::error::Error>> {
|
||||
let path = path.into();
|
||||
let reader = maxminddb::Reader::open(path)?;
|
||||
Ok(Self { reader })
|
||||
}
|
||||
}
|
||||
|
||||
impl<'a> actix::Actor for GeoIpActor {
|
||||
type Context = actix::SyncContext<Self>;
|
||||
}
|
||||
|
||||
impl actix::Handler<CountryForIp> for GeoIpActor {
|
||||
type Result = Result<Option<geoip2::Country>, ClassifyError>;
|
||||
|
||||
fn handle(&mut self, msg: CountryForIp, _: &mut Self::Context) -> Self::Result {
|
||||
self.reader
|
||||
.lookup(msg.ip)
|
||||
.or_else(|err| match err {
|
||||
MaxMindDBError::AddressNotFoundError(_) => Ok(None),
|
||||
_ => Err(err),
|
||||
})
|
||||
.map_err(|err| err.into())
|
||||
}
|
||||
}
|
||||
|
||||
struct CountryForIp {
|
||||
ip: IpAddr,
|
||||
}
|
||||
|
||||
impl actix::Message for CountryForIp {
|
||||
type Result = Result<Option<geoip2::Country>, ClassifyError>;
|
||||
}
|
||||
|
||||
#[derive(Serialize)]
|
||||
struct ClientClassification {
|
||||
request_time: DateTime<Utc>,
|
||||
|
||||
#[serde(serialize_with = "country_iso_code")]
|
||||
country: Option<geoip2::Country>,
|
||||
}
|
||||
|
||||
fn country_iso_code<S: Serializer>(
|
||||
country_info: &Option<geoip2::Country>,
|
||||
serializer: S,
|
||||
) -> Result<S::Ok, S::Error> {
|
||||
let iso_code: Option<String> = country_info
|
||||
.clone()
|
||||
.and_then(|country_info| country_info.country)
|
||||
.and_then(|country| country.iso_code);
|
||||
|
||||
match iso_code {
|
||||
Some(code) => serializer.serialize_str(&code),
|
||||
None => serializer.serialize_none(),
|
||||
}
|
||||
}
|
||||
|
||||
impl Default for ClientClassification {
|
||||
fn default() -> Self {
|
||||
Self {
|
||||
request_time: Utc::now(),
|
||||
country: None,
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/// Determine the IP address of the client making a request, based on network
|
||||
/// information and headers.
|
||||
fn get_client_ip<S>(request: &HttpRequest<S>) -> Result<IpAddr, ClassifyError> {
|
||||
// Actix has a method to do this, but it returns a string, and doesn't strip
|
||||
// off ports if present, so it is difficult to use.
|
||||
|
||||
if let Some(x_forwarded_for) = request.headers().get("X-Forwarded-For") {
|
||||
let ips: Vec<_> = x_forwarded_for
|
||||
.to_str()?
|
||||
.split(',')
|
||||
.map(|ip| ip.trim())
|
||||
.collect();
|
||||
if ips.len() == 1 {
|
||||
return Ok(ips[0].parse()?);
|
||||
} else if ips.len() > 1 {
|
||||
// the last item is probably a google load balancer, strip that off, use the second-to-last item.
|
||||
return Ok(ips[ips.len() - 2].parse()?);
|
||||
}
|
||||
// 0 items is an empty header, and weird. fall back to peer address detection
|
||||
}
|
||||
|
||||
// No headers were present, so use the peer address directly
|
||||
if let Some(peer_addr) = request.peer_addr() {
|
||||
return Ok(peer_addr.ip());
|
||||
}
|
||||
|
||||
Err(ClassifyError::new("Could not determine IP"))
|
||||
}
|
||||
|
||||
pub fn index(
|
||||
req: &HttpRequest<State>,
|
||||
) -> Box<dyn Future<Item = HttpResponse, Error = ClassifyError>> {
|
||||
// TODO this is the sort of thing that the try operator (`?`) is supposed to
|
||||
// be for. Is it possible to use the try operator with `Box<dyn Future<_>>`?
|
||||
let ip = match get_client_ip(req) {
|
||||
Ok(v) => v,
|
||||
Err(err) => {
|
||||
return Box::new(futures::future::err(err));
|
||||
}
|
||||
};
|
||||
|
||||
Box::new(
|
||||
req.state()
|
||||
.geoip
|
||||
.send(CountryForIp { ip })
|
||||
.and_then(move |country| {
|
||||
let mut classification = ClientClassification::default();
|
||||
match country {
|
||||
Ok(country) => {
|
||||
classification.country = country.clone();
|
||||
Ok(HttpResponse::Ok()
|
||||
.header(
|
||||
http::header::CACHE_CONTROL,
|
||||
"max-age=0, no-cache, no-store, must-revalidate",
|
||||
)
|
||||
.json(classification))
|
||||
}
|
||||
Err(err) => Ok(HttpResponse::InternalServerError().body(format!("{}", err))),
|
||||
}
|
||||
})
|
||||
.map_err(|err| ClassifyError::from_source("Future failure", err)),
|
||||
)
|
||||
}
|
|
@ -0,0 +1,39 @@
|
|||
use actix_web::{HttpRequest, HttpResponse};
|
||||
use serde_derive::Serialize;
|
||||
use std::fs::File;
|
||||
use std::io::Read;
|
||||
|
||||
use crate::api::State;
|
||||
|
||||
#[derive(Serialize)]
|
||||
struct HeartbeatResponse {
|
||||
geoip: bool,
|
||||
}
|
||||
|
||||
impl Default for HeartbeatResponse {
|
||||
fn default() -> Self {
|
||||
Self { geoip: false }
|
||||
}
|
||||
}
|
||||
|
||||
pub fn heartbeat(_req: &HttpRequest<State>) -> HttpResponse {
|
||||
let mut res = HeartbeatResponse::default();
|
||||
|
||||
// Test GeoIP was loaded.
|
||||
res.geoip = true;
|
||||
|
||||
HttpResponse::Ok().json(res)
|
||||
}
|
||||
|
||||
pub fn lbheartbeat(_req: &HttpRequest<State>) -> HttpResponse {
|
||||
HttpResponse::Ok().body("")
|
||||
}
|
||||
|
||||
pub fn version(_req: &HttpRequest<State>) -> HttpResponse {
|
||||
let mut file = File::open("./version.json").unwrap();
|
||||
let mut data = String::new();
|
||||
file.read_to_string(&mut data).unwrap();
|
||||
HttpResponse::Ok()
|
||||
.content_type("application/json")
|
||||
.body(data)
|
||||
}
|
187
src/main.rs
187
src/main.rs
|
@ -4,23 +4,18 @@
|
|||
|
||||
#![deny(missing_docs)]
|
||||
|
||||
use actix_web::{http, App, HttpRequest, HttpResponse};
|
||||
use chrono::{DateTime, Utc};
|
||||
use futures::Future;
|
||||
use actix_web::App;
|
||||
use listenfd::ListenFd;
|
||||
use maxminddb::{self, geoip2, MaxMindDBError};
|
||||
use serde::Serializer;
|
||||
use serde_derive::Serialize;
|
||||
use std::{env, net::IpAddr, path::PathBuf, process};
|
||||
use maxminddb;
|
||||
use std::{env, process};
|
||||
|
||||
use crate::errors::ClassifyError;
|
||||
use crate::api::{index, GeoIpActor, State};
|
||||
use crate::dockerflow::{heartbeat, lbheartbeat, version};
|
||||
|
||||
mod api;
|
||||
mod dockerflow;
|
||||
mod errors;
|
||||
|
||||
struct State {
|
||||
geoip: actix::Addr<GeoIpActor>,
|
||||
}
|
||||
|
||||
fn main() {
|
||||
// Rust doesn't have a ctrl-c handler itself, so when running as
|
||||
// PID 1 in Docker it doesn't respond to SIGINT. This prevents
|
||||
|
@ -72,171 +67,3 @@ fn main() {
|
|||
server.start();
|
||||
sys.run();
|
||||
}
|
||||
|
||||
struct GeoIpActor {
|
||||
reader: maxminddb::OwnedReader<'static>,
|
||||
}
|
||||
|
||||
impl GeoIpActor {
|
||||
fn from_path<P: Into<PathBuf>>(path: P) -> Result<Self, Box<dyn std::error::Error>> {
|
||||
let path = path.into();
|
||||
let reader = maxminddb::Reader::open(path)?;
|
||||
Ok(Self { reader })
|
||||
}
|
||||
}
|
||||
|
||||
impl<'a> actix::Actor for GeoIpActor {
|
||||
type Context = actix::SyncContext<Self>;
|
||||
}
|
||||
|
||||
impl actix::Handler<CountryForIp> for GeoIpActor {
|
||||
type Result = Result<Option<geoip2::Country>, ClassifyError>;
|
||||
|
||||
fn handle(&mut self, msg: CountryForIp, _: &mut Self::Context) -> Self::Result {
|
||||
self.reader
|
||||
.lookup(msg.ip)
|
||||
.or_else(|err| match err {
|
||||
MaxMindDBError::AddressNotFoundError(_) => Ok(None),
|
||||
_ => Err(err),
|
||||
})
|
||||
.map_err(|err| err.into())
|
||||
}
|
||||
}
|
||||
|
||||
struct CountryForIp {
|
||||
ip: IpAddr,
|
||||
}
|
||||
|
||||
impl actix::Message for CountryForIp {
|
||||
type Result = Result<Option<geoip2::Country>, ClassifyError>;
|
||||
}
|
||||
|
||||
#[derive(Serialize)]
|
||||
struct ClientClassification {
|
||||
request_time: DateTime<Utc>,
|
||||
|
||||
#[serde(serialize_with = "country_iso_code")]
|
||||
country: Option<geoip2::Country>,
|
||||
}
|
||||
|
||||
fn country_iso_code<S: Serializer>(
|
||||
country_info: &Option<geoip2::Country>,
|
||||
serializer: S,
|
||||
) -> Result<S::Ok, S::Error> {
|
||||
let iso_code: Option<String> = country_info
|
||||
.clone()
|
||||
.and_then(|country_info| country_info.country)
|
||||
.and_then(|country| country.iso_code);
|
||||
|
||||
match iso_code {
|
||||
Some(code) => serializer.serialize_str(&code),
|
||||
None => serializer.serialize_none(),
|
||||
}
|
||||
}
|
||||
|
||||
impl Default for ClientClassification {
|
||||
fn default() -> Self {
|
||||
Self {
|
||||
request_time: Utc::now(),
|
||||
country: None,
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/// Determine the IP address of the client making a request, based on network
|
||||
/// information and headers.
|
||||
fn get_client_ip<S>(request: &HttpRequest<S>) -> Result<IpAddr, ClassifyError> {
|
||||
// Actix has a method to do this, but it returns a string, and doesn't strip
|
||||
// off ports if present, so it is difficult to use.
|
||||
|
||||
if let Some(x_forwarded_for) = request.headers().get("X-Forwarded-For") {
|
||||
let ips: Vec<_> = x_forwarded_for
|
||||
.to_str()?
|
||||
.split(',')
|
||||
.map(|ip| ip.trim())
|
||||
.collect();
|
||||
if ips.len() == 1 {
|
||||
return Ok(ips[0].parse()?);
|
||||
} else if ips.len() > 1 {
|
||||
// the last item is probably a google load balancer, strip that off, use the second-to-last item.
|
||||
return Ok(ips[ips.len() - 2].parse()?);
|
||||
}
|
||||
// 0 items is an empty header, and weird. fall back to peer address detection
|
||||
}
|
||||
|
||||
// No headers were present, so use the peer address directly
|
||||
if let Some(peer_addr) = request.peer_addr() {
|
||||
return Ok(peer_addr.ip());
|
||||
}
|
||||
|
||||
Err(ClassifyError::new("Could not determine IP"))
|
||||
}
|
||||
|
||||
fn index(req: &HttpRequest<State>) -> Box<dyn Future<Item = HttpResponse, Error = ClassifyError>> {
|
||||
// TODO this is the sort of thing that the try operator (`?`) is supposed to
|
||||
// be for. Is it possible to use the try operator with `Box<dyn Future<_>>`?
|
||||
let ip = match get_client_ip(req) {
|
||||
Ok(v) => v,
|
||||
Err(err) => {
|
||||
return Box::new(futures::future::err(err));
|
||||
}
|
||||
};
|
||||
|
||||
Box::new(
|
||||
req.state()
|
||||
.geoip
|
||||
.send(CountryForIp { ip })
|
||||
.and_then(move |country| {
|
||||
let mut classification = ClientClassification::default();
|
||||
match country {
|
||||
Ok(country) => {
|
||||
classification.country = country.clone();
|
||||
Ok(HttpResponse::Ok()
|
||||
.header(
|
||||
http::header::CACHE_CONTROL,
|
||||
"max-age=0, no-cache, no-store, must-revalidate",
|
||||
)
|
||||
.json(classification))
|
||||
}
|
||||
Err(err) => Ok(HttpResponse::InternalServerError().body(format!("{}", err))),
|
||||
}
|
||||
})
|
||||
.map_err(|err| ClassifyError::from_source("Future failure", err)),
|
||||
)
|
||||
}
|
||||
|
||||
use std::fs::File;
|
||||
use std::io::Read;
|
||||
|
||||
fn lbheartbeat(_req: &HttpRequest<State>) -> HttpResponse {
|
||||
HttpResponse::Ok().body("")
|
||||
}
|
||||
|
||||
#[derive(Serialize)]
|
||||
struct HeartbeatResponse {
|
||||
geoip: bool,
|
||||
}
|
||||
|
||||
impl Default for HeartbeatResponse {
|
||||
fn default() -> Self {
|
||||
Self { geoip: false }
|
||||
}
|
||||
}
|
||||
|
||||
fn heartbeat(_req: &HttpRequest<State>) -> HttpResponse {
|
||||
let mut res = HeartbeatResponse::default();
|
||||
|
||||
// Test GeoIP was loaded.
|
||||
res.geoip = true;
|
||||
|
||||
HttpResponse::Ok().json(res)
|
||||
}
|
||||
|
||||
fn version(_req: &HttpRequest<State>) -> HttpResponse {
|
||||
let mut file = File::open("./version.json").unwrap();
|
||||
let mut data = String::new();
|
||||
file.read_to_string(&mut data).unwrap();
|
||||
HttpResponse::Ok()
|
||||
.content_type("application/json")
|
||||
.body(data)
|
||||
}
|
||||
|
|
Загрузка…
Ссылка в новой задаче