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
use std::fs::File;
use std::io::{self, BufReader, Read};
use std::path::PathBuf;
use std::time::Duration;
use pyo3::{pyclass, pymethods};
use thiserror::Error;
use tokio_rustls::rustls::{Certificate, Error as RustTlsError, PrivateKey, ServerConfig};
pub mod listener;
#[pyclass(
name = "TlsConfig",
text_signature = "($self, *, key_path, cert_path, reload_secs=86400)"
)]
#[derive(Clone)]
pub struct PyTlsConfig {
key_path: PathBuf,
cert_path: PathBuf,
reload_secs: u64,
}
impl PyTlsConfig {
pub fn build(&self) -> Result<ServerConfig, PyTlsConfigError> {
let cert_chain = self.cert_chain()?;
let key_der = self.key_der()?;
let mut config = ServerConfig::builder()
.with_safe_defaults()
.with_no_client_auth()
.with_single_cert(cert_chain, key_der)?;
config.alpn_protocols = vec!["h2".into(), "http/1.1".into()];
Ok(config)
}
pub fn reload_duration(&self) -> Duration {
Duration::from_secs(self.reload_secs)
}
fn cert_chain(&self) -> Result<Vec<Certificate>, PyTlsConfigError> {
let file = File::open(&self.cert_path).map_err(PyTlsConfigError::CertParse)?;
let mut cert_rdr = BufReader::new(file);
Ok(rustls_pemfile::certs(&mut cert_rdr)
.map_err(PyTlsConfigError::CertParse)?
.into_iter()
.map(Certificate)
.collect())
}
fn key_der(&self) -> Result<PrivateKey, PyTlsConfigError> {
let mut key_vec = Vec::new();
File::open(&self.key_path)
.and_then(|mut f| f.read_to_end(&mut key_vec))
.map_err(PyTlsConfigError::KeyParse)?;
if key_vec.is_empty() {
return Err(PyTlsConfigError::EmptyKey);
}
let mut pkcs8 = rustls_pemfile::pkcs8_private_keys(&mut key_vec.as_slice())
.map_err(PyTlsConfigError::Pkcs8Parse)?;
if !pkcs8.is_empty() {
return Ok(PrivateKey(pkcs8.remove(0)));
}
let mut rsa = rustls_pemfile::rsa_private_keys(&mut key_vec.as_slice())
.map_err(PyTlsConfigError::RsaParse)?;
if !rsa.is_empty() {
return Ok(PrivateKey(rsa.remove(0)));
}
Err(PyTlsConfigError::EmptyKey)
}
}
#[pymethods]
impl PyTlsConfig {
#[new]
#[args(reload_secs = "86400")] fn py_new(key_path: PathBuf, cert_path: PathBuf, reload_secs: u64) -> Self {
Self {
key_path,
cert_path,
reload_secs,
}
}
}
#[derive(Error, Debug)]
pub enum PyTlsConfigError {
#[error("could not parse certificate")]
CertParse(io::Error),
#[error("could not parse key")]
KeyParse(io::Error),
#[error("empty key")]
EmptyKey,
#[error("could not parse pkcs8 keys")]
Pkcs8Parse(io::Error),
#[error("could not parse rsa keys")]
RsaParse(io::Error),
#[error("rusttls protocol error")]
RustTlsError(#[from] RustTlsError),
}
#[cfg(test)]
mod tests {
use std::str::FromStr;
use pyo3::{
prelude::*,
types::{IntoPyDict, PyDict},
};
use super::*;
const TEST_KEY: &str = concat!(
env!("CARGO_MANIFEST_DIR"),
"/examples/pokemon-service-test/tests/testdata/localhost.key"
);
const TEST_CERT: &str = concat!(
env!("CARGO_MANIFEST_DIR"),
"/examples/pokemon-service-test/tests/testdata/localhost.crt"
);
#[test]
fn creating_tls_config_in_python() -> PyResult<()> {
pyo3::prepare_freethreaded_python();
let config = Python::with_gil(|py| {
let globals = [
("TEST_CERT", TEST_CERT.to_object(py)),
("TEST_KEY", TEST_KEY.to_object(py)),
("TlsConfig", py.get_type::<PyTlsConfig>().to_object(py)),
]
.into_py_dict(py);
let locals = PyDict::new(py);
py.run(
r#"
config = TlsConfig(key_path=TEST_KEY, cert_path=TEST_CERT, reload_secs=1000)
"#,
Some(globals),
Some(locals),
)?;
locals.get_item("config").unwrap().extract::<PyTlsConfig>()
})?;
assert_eq!(PathBuf::from_str(TEST_KEY).unwrap(), config.key_path);
assert_eq!(PathBuf::from_str(TEST_CERT).unwrap(), config.cert_path);
assert_eq!(1000, config.reload_secs);
config.build().unwrap();
Ok(())
}
}