Skip to content

Commit e30fdc9

Browse files
committed
#13 client auth headers
1 parent 6f91ff4 commit e30fdc9

File tree

6 files changed

+53
-19
lines changed

6 files changed

+53
-19
lines changed

lib/src/client.rs

+43-8
Original file line numberDiff line numberDiff line change
@@ -1,24 +1,55 @@
11
//! Functions for interacting with an Atomic Server
22
use url::Url;
33

4-
use crate::{errors::AtomicResult, parse::parse_json_ad_resource, Resource, Storelike};
4+
use crate::{
5+
agents::Agent, commit::sign_message, errors::AtomicResult, parse::parse_json_ad_resource,
6+
Resource, Storelike,
7+
};
58

69
/// Fetches a resource, makes sure its subject matches.
710
/// Checks the datatypes for the Values.
811
/// Ignores all atoms where the subject is different.
912
/// WARNING: Calls store methods, and is called by store methods, might get stuck in a loop!
10-
pub fn fetch_resource(subject: &str, store: &impl Storelike) -> AtomicResult<Resource> {
11-
let body = fetch_body(subject, crate::parse::JSON_AD_MIME)?;
13+
pub fn fetch_resource(
14+
subject: &str,
15+
store: &impl Storelike,
16+
for_agent: Option<Agent>,
17+
) -> AtomicResult<Resource> {
18+
let body = fetch_body(subject, crate::parse::JSON_AD_MIME, for_agent)?;
1219
let resource = parse_json_ad_resource(&body, store)
1320
.map_err(|e| format!("Error parsing body of {}. {}", subject, e))?;
1421
Ok(resource)
1522
}
1623

17-
/// Fetches a URL, returns its body
18-
pub fn fetch_body(url: &str, content_type: &str) -> AtomicResult<String> {
24+
/// Returns the various x-atomic authentication headers, includign agent signature
25+
pub fn get_authentication_headers(url: &str, agent: &Agent) -> AtomicResult<Vec<(String, String)>> {
26+
let mut headers = Vec::new();
27+
let now = crate::datetime_helpers::now().to_string();
28+
let message = format!("{} {}", url, now);
29+
let signature = sign_message(
30+
&message,
31+
agent
32+
.private_key
33+
.as_ref()
34+
.ok_or("No private key in agent")?,
35+
&agent.public_key,
36+
)?;
37+
headers.push(("x-atomic-public-key".into(), agent.public_key.to_string()));
38+
headers.push(("x-atomic-signature".into(), signature));
39+
headers.push(("x-atomic-timestamp".into(), now));
40+
headers.push(("x-atomic-agent".into(), agent.subject.to_string()));
41+
Ok(headers)
42+
}
43+
44+
/// Fetches a URL, returns its body.
45+
/// Uses the store's Agent agent (if set) to sign the request.
46+
pub fn fetch_body(url: &str, content_type: &str, for_agent: Option<Agent>) -> AtomicResult<String> {
1947
if !url.starts_with("http") {
2048
return Err(format!("Could not fetch url '{}', must start with http.", url).into());
2149
}
50+
if let Some(agent) = for_agent {
51+
get_authentication_headers(url, &agent)?;
52+
}
2253
let resp = ureq::get(url)
2354
.set("Accept", content_type)
2455
.timeout_read(2000)
@@ -28,7 +59,7 @@ pub fn fetch_body(url: &str, content_type: &str) -> AtomicResult<String> {
2859
};
2960
let body = resp
3061
.into_string()
31-
.map_err(|e| format!("Could not parse response {}: {}", url, e))?;
62+
.map_err(|e| format!("Could not parse HTTP response for {}: {}", url, e))?;
3263
Ok(body)
3364
}
3465

@@ -50,7 +81,11 @@ pub fn fetch_tpf(
5081
if let Some(val) = q_value {
5182
url.query_pairs_mut().append_pair("value", val);
5283
}
53-
let body = fetch_body(url.as_str(), "application/ad+json")?;
84+
let body = fetch_body(
85+
url.as_str(),
86+
"application/ad+json",
87+
store.get_default_agent().ok(),
88+
)?;
5489
crate::parse::parse_json_ad_array(&body, store, false)
5590
}
5691

@@ -97,7 +132,7 @@ mod test {
97132
#[ignore]
98133
fn fetch_resource_basic() {
99134
let store = crate::Store::init().unwrap();
100-
let resource = fetch_resource(crate::urls::SHORTNAME, &store).unwrap();
135+
let resource = fetch_resource(crate::urls::SHORTNAME, &store, None).unwrap();
101136
let shortname = resource.get(crate::urls::SHORTNAME).unwrap();
102137
assert!(shortname.to_string() == "shortname");
103138
}

lib/src/commit.rs

+4-7
Original file line numberDiff line numberDiff line change
@@ -5,8 +5,8 @@ use std::collections::{HashMap, HashSet};
55
use urls::{SET, SIGNER};
66

77
use crate::{
8-
datatype::DataType, errors::AtomicResult, resources::PropVals, urls, Atom, Resource, Storelike,
9-
Value,
8+
datatype::DataType, datetime_helpers, errors::AtomicResult, resources::PropVals, urls, Atom,
9+
Resource, Storelike, Value,
1010
};
1111

1212
/// Contains two resources. The first is the Resource representation of the applied Commits.
@@ -426,7 +426,7 @@ fn sign_at(
426426
}
427427

428428
/// Signs a string using a base64 encoded ed25519 private key. Outputs a base64 encoded ed25519 signature.
429-
fn sign_message(message: &str, private_key: &str, public_key: &str) -> AtomicResult<String> {
429+
pub fn sign_message(message: &str, private_key: &str, public_key: &str) -> AtomicResult<String> {
430430
let private_key_bytes = base64::decode(private_key.to_string()).map_err(|e| {
431431
format!(
432432
"Failed decoding private key {}: {}",
@@ -457,10 +457,7 @@ fn sign_message(message: &str, private_key: &str, public_key: &str) -> AtomicRes
457457
const ACCEPTABLE_TIME_DIFFERENCE: i64 = 10000;
458458

459459
pub fn check_timestamp(timestamp: i64) -> AtomicResult<()> {
460-
let now = std::time::SystemTime::now()
461-
.duration_since(std::time::UNIX_EPOCH)
462-
.expect("Time went backwards")
463-
.as_millis() as i64;
460+
let now = datetime_helpers::now();
464461
if timestamp > now + ACCEPTABLE_TIME_DIFFERENCE {
465462
return Err(format!(
466463
"Commit CreatedAt timestamp must lie in the past. Check your clock. Timestamp now: {} CreatedAt is: {}",

lib/src/datetime_helpers.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,4 @@
1-
/// Returns the current UNIX timestamp in milliseconds
1+
/// Returns the current timestamp in milliseconds since UNIX epoch
22
pub fn now() -> i64 {
33
std::time::SystemTime::now()
44
.duration_since(std::time::UNIX_EPOCH)

lib/src/storelike.rs

+3-1
Original file line numberDiff line numberDiff line change
@@ -122,9 +122,11 @@ pub trait Storelike: Sized {
122122
}
123123

124124
/// Fetches a resource, makes sure its subject matches.
125+
/// Uses the default agent to sign the request.
125126
/// Save to the store.
126127
fn fetch_resource(&self, subject: &str) -> AtomicResult<Resource> {
127-
let resource: Resource = crate::client::fetch_resource(subject, self)?;
128+
let resource: Resource =
129+
crate::client::fetch_resource(subject, self, self.get_default_agent().ok())?;
128130
self.add_resource_opts(&resource, true, true, true)?;
129131
Ok(resource)
130132
}

lib/src/validate.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -33,7 +33,7 @@ pub fn validate_store(
3333
resource_count += 1;
3434

3535
if fetch_items {
36-
match crate::client::fetch_resource(subject, store) {
36+
match crate::client::fetch_resource(subject, store, store.get_default_agent().ok()) {
3737
Ok(_) => {}
3838
Err(e) => unfetchable.push((subject.clone(), e.to_string())),
3939
}

server/src/tests.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -48,7 +48,7 @@ async fn init_server() {
4848
println!("response: {:?}", resp);
4949
assert!(resp.status().is_success());
5050
let body = resp.take_body();
51-
assert!(body.as_str().contains("html"));
51+
assert!(body.as_str().contains("html"), "no html in response");
5252

5353
// Should 404
5454
let req = test::TestRequest::with_uri("/doesnotexist")

0 commit comments

Comments
 (0)