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
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
#![deny(missing_docs)]
#![deny(missing_debug_implementations)]
#![cfg_attr(test, deny(warnings))]
#![cfg_attr(docsrs, feature(doc_cfg))]
use std::{env, fmt};
use std::collections::HashMap;
use std::fmt::Formatter;
use serde::Deserialize;
pub const VCAP_SERVICES: &str = "VCAP_SERVICES";
#[derive(Deserialize, Debug)]
pub struct Service {
#[serde(default)]
pub name: String,
#[serde(default)]
pub instance_name: String,
#[serde(default)]
pub binding_name: String,
pub credentials: Credentials,
#[serde(default)]
pub label: String,
}
#[derive(Deserialize, Debug, Clone)]
pub struct Credentials {
#[serde(default)]
pub uri: String,
#[serde(rename(deserialize = "jdbcUrl"))]
#[serde(default)]
pub jdbc_url: String,
#[serde(rename(deserialize = "http_api_uri"))]
#[serde(default)]
pub api_uri: String,
#[serde(rename(deserialize = "licenseKey"))]
#[serde(default)]
pub license_key: String,
#[serde(default)]
pub client_secret: String,
#[serde(default)]
pub client_id: String,
#[serde(default)]
pub access_token_uri: String,
#[serde(default)]
pub hostname: String,
#[serde(default)]
pub username: String,
#[serde(default)]
pub password: String,
#[serde(default)]
pub port: i16,
#[serde(default)]
pub name: String,
}
pub fn get_service_cred_from_env(service_name: String) -> Result<Vec<Credentials>, CFError> {
get_services_from_env()
.and_then(|services| get_service_credentials(services, service_name))
}
pub fn get_services_from_env() -> Result<HashMap<String, Vec<Service>>, CFError> {
env::var(VCAP_SERVICES)
.map_err(|_| CFError::EnvNotSet)
.and_then(|val| serde_json::from_str(&val).map_err(|_| CFError::MalformedJSON))
}
pub fn get_service_credentials(services: HashMap<String, Vec<Service>>, service_name: String) -> Result<Vec<Credentials>, CFError> {
match services.get(&service_name) {
Some(services) => Ok(services.iter().map(|service| service.credentials.clone()).collect()),
None => Err(CFError::ServiceNotPresent(service_name))
}
}
#[derive(PartialEq, Debug)]
pub enum CFError {
EnvNotSet,
MalformedJSON,
ServiceNotPresent(String),
}
impl fmt::Display for CFError {
fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
match *self {
CFError::EnvNotSet => write!(f, "environment variable {:?} is not set", VCAP_SERVICES),
CFError::MalformedJSON => write!(f, "environment variable {:?} is malformed", VCAP_SERVICES),
CFError::ServiceNotPresent(ref s) => write!(f, "service {:?} is not bounded to the application", s)
}
}
}
#[cfg(test)]
mod tests {
use std::collections::HashMap;
use std::env;
use crate::{CFError, Credentials, get_service_cred_from_env, get_service_credentials, get_services_from_env, Service, VCAP_SERVICES};
#[test]
fn test_get_service_cred_from_env() {
let json = r#"{
"serviceA": [
{
"name":"service_a",
"credentials": {
"uri": "example_uri",
"port": 8080
}
}
]
}"#;
env::set_var(VCAP_SERVICES, json);
let creds = get_service_cred_from_env("serviceA".to_string()).unwrap();
assert_eq!(1, creds.len());
let cred = creds.get(0).unwrap();
assert_eq!("example_uri", cred.uri);
assert_eq!(8080, cred.port);
env::remove_var(VCAP_SERVICES);
}
#[test]
fn test_get_services_from_env() {
let json = r#"{
"serviceA": [
{
"name":"service_a",
"credentials": {
"uri": "example_uri",
"port": 8080
}
}
]
}"#;
env::set_var(VCAP_SERVICES, json);
let services = get_services_from_env().unwrap();
let service_a = services.get("serviceA").unwrap();
assert_eq!(1, service_a.len());
let service_details = service_a.get(0).unwrap();
assert_eq!("service_a", service_details.name);
assert_eq!("example_uri", service_details.credentials.uri);
assert_eq!(8080, service_details.credentials.port);
env::remove_var(VCAP_SERVICES);
}
#[test]
fn test_get_services_from_env_not_set() {
env::remove_var(VCAP_SERVICES);
let err = get_services_from_env().err().unwrap();
assert_eq!(CFError::EnvNotSet, err);
}
#[test]
fn test_get_services_from_env_malformed_json() {
let json = r#"{
"serviceA": [
{
"name":"service_a",
"credentials": {
"uri": "example_uri"
}
}
]"#;
env::set_var(VCAP_SERVICES, json);
let err = get_services_from_env().err().unwrap();
assert_eq!(CFError::MalformedJSON, err);
env::remove_var(VCAP_SERVICES);
}
#[test]
fn test_get_service_credentials() {
let mut services = HashMap::new();
let mut service_a: Vec<Service> = Vec::new();
let service = Service {
name: "service_a".to_string(),
instance_name: "".to_string(),
binding_name: "".to_string(),
credentials: Credentials {
uri: "example_uri".to_string(),
jdbc_url: "".to_string(),
api_uri: "".to_string(),
license_key: "".to_string(),
client_secret: "".to_string(),
client_id: "".to_string(),
access_token_uri: "".to_string(),
hostname: "".to_string(),
username: "".to_string(),
password: "".to_string(),
port: 0,
name: "".to_string(),
},
label: "".to_string(),
};
service_a.push(service);
services.insert("serviceA".to_string(), service_a);
let creds = get_service_credentials(services, "serviceA".to_string()).unwrap();
assert_eq!(1, creds.len());
let cred = creds.get(0).unwrap();
assert_eq!("example_uri", cred.uri);
}
#[test]
fn test_get_service_credentials_not_found() {
let mut services = HashMap::new();
let service_a: Vec<Service> = Vec::new();
services.insert("serviceA".to_string(), service_a);
let err = get_service_credentials(services, "serviceB".to_string()).err().unwrap();
assert_eq!(CFError::ServiceNotPresent("serviceB".to_string()), err)
}
}