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
//! Low-level HTTP bindings to the Segment tracking API.
use crate::Client;
use crate::Message;
use crate::Result;
use std::time::Duration;
/// A client which synchronously sends single messages to the Segment tracking
/// API.
///
/// `HttpClient` implements [`Client`](../client/trait.Client.html); see the
/// documentation for `Client` for more on how to send events to Segment.
#[derive(Clone)]
pub struct HttpClient {
client: reqwest::Client,
host: String,
}
impl Default for HttpClient {
fn default() -> Self {
HttpClient {
client: reqwest::Client::builder()
.connect_timeout(Duration::new(10, 0))
.build()
.unwrap(),
host: "https://api.segment.io".to_owned(),
}
}
}
impl HttpClient {
/// Construct a new `HttpClient` from a `reqwest::Client` and a Segment API
/// scheme and host.
///
/// If you don't care to re-use an existing `reqwest::Client`, you can use
/// the `Default::default` value, which will send events to
/// `https://api.segment.io`.
pub fn new(client: reqwest::Client, host: String) -> HttpClient {
HttpClient { client, host }
}
}
#[async_trait::async_trait]
impl Client for HttpClient {
async fn send(&self, write_key: String, msg: Message) -> Result<()> {
let path = match msg {
Message::Identify(_) => "/v1/identify",
Message::Track(_) => "/v1/track",
Message::Page(_) => "/v1/page",
Message::Screen(_) => "/v1/screen",
Message::Group(_) => "/v1/group",
Message::Alias(_) => "/v1/alias",
Message::Batch(_) => "/v1/batch",
};
let _ = self
.client
.post(&format!("{}{}", self.host, path))
.basic_auth(write_key, Some(""))
.json(&msg)
.send()
.await?
.error_for_status()?;
Ok(())
}
}