aboutsummaryrefslogtreecommitdiff
path: root/src/rpc/consul.rs
blob: 05ed278af21477373c1e65261362eb63183e6733 (plain) (blame)
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
use std::collections::HashMap;
use std::net::{IpAddr, SocketAddr};

use tokio::fs::File;
use tokio::io::AsyncReadExt;

use err_derive::Error;
use serde::{Deserialize, Serialize};

use netapp::NodeID;

use garage_util::config::ConsulDiscoveryConfig;

async fn make_consul_client(
	config: &ConsulDiscoveryConfig,
) -> Result<reqwest::Client, ConsulError> {
	match (&config.client_cert, &config.client_key) {
		(Some(client_cert), Some(client_key)) => {
			let mut client_cert_buf = vec![];
			File::open(client_cert)
				.await?
				.read_to_end(&mut client_cert_buf)
				.await?;

			let mut client_key_buf = vec![];
			File::open(client_key)
				.await?
				.read_to_end(&mut client_key_buf)
				.await?;

			let identity = reqwest::Identity::from_pem(
				&[&client_cert_buf[..], &client_key_buf[..]].concat()[..],
			)?;

			if config.tls_skip_verify {
				Ok(reqwest::Client::builder()
					.use_rustls_tls()
					.danger_accept_invalid_certs(true)
					.identity(identity)
					.build()?)
			} else if let Some(ca_cert) = &config.ca_cert {
				let mut ca_cert_buf = vec![];
				File::open(ca_cert)
					.await?
					.read_to_end(&mut ca_cert_buf)
					.await?;

				Ok(reqwest::Client::builder()
					.use_rustls_tls()
					.add_root_certificate(reqwest::Certificate::from_pem(&ca_cert_buf[..])?)
					.identity(identity)
					.build()?)
			} else {
				Ok(reqwest::Client::builder()
					.use_rustls_tls()
					.identity(identity)
					.build()?)
			}
		}
		(None, None) => Ok(reqwest::Client::new()),
		_ => Err(ConsulError::InvalidTLSConfig),
	}
}

// ---- READING FROM CONSUL CATALOG ----

#[derive(Deserialize, Clone, Debug)]
struct ConsulQueryEntry {
	#[serde(rename = "Address")]
	address: String,
	#[serde(rename = "ServicePort")]
	service_port: u16,
	#[serde(rename = "NodeMeta")]
	node_meta: HashMap<String, String>,
}

pub async fn get_consul_nodes(
	consul_config: &ConsulDiscoveryConfig,
) -> Result<Vec<(NodeID, SocketAddr)>, ConsulError> {
	let url = format!(
		"http://{}/v1/catalog/service/{}",
		consul_config.consul_host, consul_config.service_name
	);

	let client = make_consul_client(consul_config).await?;
	let http = client.get(&url).send().await?;
	let entries: Vec<ConsulQueryEntry> = http.json().await?;

	let mut ret = vec![];
	for ent in entries {
		let ip = ent.address.parse::<IpAddr>().ok();
		let pubkey = ent
			.node_meta
			.get("pubkey")
			.and_then(|k| hex::decode(&k).ok())
			.and_then(|k| NodeID::from_slice(&k[..]));
		if let (Some(ip), Some(pubkey)) = (ip, pubkey) {
			ret.push((pubkey, SocketAddr::new(ip, ent.service_port)));
		} else {
			warn!(
				"Could not process node spec from Consul: {:?} (invalid IP or public key)",
				ent
			);
		}
	}
	debug!("Got nodes from Consul: {:?}", ret);

	Ok(ret)
}

// ---- PUBLISHING TO CONSUL CATALOG ----

#[derive(Serialize, Clone, Debug)]
struct ConsulPublishEntry {
	#[serde(rename = "Node")]
	node: String,
	#[serde(rename = "Address")]
	address: IpAddr,
	#[serde(rename = "NodeMeta")]
	node_meta: HashMap<String, String>,
	#[serde(rename = "Service")]
	service: ConsulPublishService,
}

#[derive(Serialize, Clone, Debug)]
struct ConsulPublishService {
	#[serde(rename = "ID")]
	service_id: String,
	#[serde(rename = "Service")]
	service_name: String,
	#[serde(rename = "Tags")]
	tags: Vec<String>,
	#[serde(rename = "Address")]
	address: IpAddr,
	#[serde(rename = "Port")]
	port: u16,
}

pub async fn publish_consul_service(
	consul_config: &ConsulDiscoveryConfig,
	node_id: NodeID,
	hostname: &str,
	rpc_public_addr: SocketAddr,
) -> Result<(), ConsulError> {
	let node = format!("garage:{}", hex::encode(&node_id[..8]));

	let advertisement = ConsulPublishEntry {
		node: node.clone(),
		address: rpc_public_addr.ip(),
		node_meta: [
			("pubkey".to_string(), hex::encode(node_id)),
			("hostname".to_string(), hostname.to_string()),
		]
		.iter()
		.cloned()
		.collect(),
		service: ConsulPublishService {
			service_id: node.clone(),
			service_name: consul_config.service_name.clone(),
			tags: vec!["advertised-by-garage".into(), hostname.into()],
			address: rpc_public_addr.ip(),
			port: rpc_public_addr.port(),
		},
	};

	let url = format!("http://{}/v1/catalog/register", consul_config.consul_host);

	let client = make_consul_client(consul_config).await?;
	let http = client.put(&url).json(&advertisement).send().await?;
	http.error_for_status()?;

	Ok(())
}

/// Regroup all Garage errors
#[derive(Debug, Error)]
pub enum ConsulError {
	#[error(display = "IO error: {}", _0)]
	Io(#[error(source)] std::io::Error),
	#[error(display = "HTTP error: {}", _0)]
	Reqwest(#[error(source)] reqwest::Error),
	#[error(display = "Invalid Consul TLS configuration")]
	InvalidTLSConfig,
}