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
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
use {
super::resource::BytecodeOptimizationLevel,
anyhow::{anyhow, Context, Result},
byteorder::{LittleEndian, ReadBytesExt, WriteBytesExt},
std::{
io::{BufRead, BufReader, Read, Write},
path::Path,
process,
},
};
pub const BYTECODE_COMPILER: &[u8] = include_bytes!("bytecodecompiler.py");
pub trait PythonBytecodeCompiler {
fn get_magic_number(&self) -> u32;
fn compile(
&mut self,
source: &[u8],
filename: &str,
optimize: BytecodeOptimizationLevel,
output_mode: CompileMode,
) -> Result<Vec<u8>>;
}
#[derive(Debug)]
pub struct BytecodeCompiler {
command: process::Child,
magic_number: u32,
}
pub enum CompileMode {
Bytecode,
PycCheckedHash,
PycUncheckedHash,
}
impl BytecodeCompiler {
pub fn new(python: &Path, script_dir: impl AsRef<Path>) -> Result<BytecodeCompiler> {
let script_path = script_dir.as_ref().join("bytecode-compiler.py");
std::fs::write(&script_path, BYTECODE_COMPILER)
.with_context(|| format!("writing Python script to {}", script_path.display()))?;
let mut command = process::Command::new(python)
.arg(&script_path)
.stdin(process::Stdio::piped())
.stdout(process::Stdio::piped())
.spawn()
.with_context(|| format!("spawning {}", python.display()))?;
let stdin = command
.stdin
.as_mut()
.ok_or_else(|| anyhow!("unable to get stdin"))
.with_context(|| format!("obtaining stdin from {} process", python.display()))?;
stdin.write_all(b"magic_number\n").with_context(|| {
format!(
"writing magic_number command request to {} process",
python.display()
)
})?;
stdin
.flush()
.with_context(|| format!("flushing stdin to {} process", python.display()))?;
let stdout = command
.stdout
.as_mut()
.ok_or_else(|| anyhow!("unable to get stdout"))?;
let magic_number = stdout.read_u32::<LittleEndian>().with_context(|| {
format!(
"reading magic number from invoked {} process",
python.display()
)
})?;
std::fs::remove_file(&script_path)
.with_context(|| format!("deleting {}", script_path.display()))?;
Ok(BytecodeCompiler {
command,
magic_number,
})
}
}
impl PythonBytecodeCompiler for BytecodeCompiler {
fn get_magic_number(&self) -> u32 {
self.magic_number
}
fn compile(
self: &mut BytecodeCompiler,
source: &[u8],
filename: &str,
optimize: BytecodeOptimizationLevel,
output_mode: CompileMode,
) -> Result<Vec<u8>> {
let stdin = self.command.stdin.as_mut().expect("failed to get stdin");
let stdout = self.command.stdout.as_mut().expect("failed to get stdout");
let mut reader = BufReader::new(stdout);
stdin
.write_all(b"compile\n")
.context("writing compile command")?;
stdin
.write_all(filename.len().to_string().as_bytes())
.context("writing filename length")?;
stdin.write_all(b"\n")?;
stdin
.write_all(source.len().to_string().as_bytes())
.context("writing source code length")?;
stdin.write_all(b"\n")?;
stdin.write_all(i32::from(optimize).to_string().as_bytes())?;
stdin.write_all(b"\n")?;
stdin
.write_all(match output_mode {
CompileMode::Bytecode => b"bytecode",
CompileMode::PycCheckedHash => b"pyc-checked-hash",
CompileMode::PycUncheckedHash => b"pyc-unchecked-hash",
})
.context("writing format")?;
stdin.write_all(b"\n")?;
stdin
.write_all(filename.as_bytes())
.context("writing filename")?;
stdin.write_all(source).context("writing source code")?;
stdin.flush().context("flushing")?;
let mut code_s = String::new();
reader
.read_line(&mut code_s)
.context("reading result code")?;
let code_s = code_s.trim_end();
let code = code_s.parse::<u8>().unwrap();
match code {
0 => {
let mut len_s = String::new();
reader
.read_line(&mut len_s)
.context("reading output size line")?;
let len_s = len_s.trim_end();
let bytecode_len = len_s.parse::<u64>().unwrap();
let mut bytecode: Vec<u8> = Vec::new();
reader
.take(bytecode_len)
.read_to_end(&mut bytecode)
.context("reading bytecode result")?;
Ok(bytecode)
}
1 => {
let mut len_s = String::new();
reader
.read_line(&mut len_s)
.context("reading error string length line")?;
let len_s = len_s.trim_end();
let error_len = len_s.parse::<u64>().unwrap();
let mut error_data = vec![];
reader
.take(error_len)
.read_to_end(&mut error_data)
.context("reading error message")?;
Err(anyhow!(
"compiling error: {}",
String::from_utf8(error_data)?
))
}
_ => Err(anyhow!(
"unexpected result code from compile command: {}",
code
)),
}
}
}
impl Drop for BytecodeCompiler {
fn drop(&mut self) {
let stdin = self.command.stdin.as_mut().expect("failed to get stdin");
let _ = stdin.write_all(b"exit\n").and_then(|()| stdin.flush());
self.command.wait().expect("compiler process did not exit");
}
}
#[derive(Debug, Clone, Copy)]
pub enum BytecodeHeaderMode {
ModifiedTimeAndSourceSize((u32, u32)),
CheckedHash(u64),
UncheckedHash(u64),
}
pub fn compute_bytecode_header(magic_number: u32, mode: BytecodeHeaderMode) -> Result<Vec<u8>> {
let mut header: Vec<u8> = Vec::new();
header.write_u32::<LittleEndian>(magic_number)?;
match mode {
BytecodeHeaderMode::ModifiedTimeAndSourceSize((mtime, source_size)) => {
header.write_u32::<LittleEndian>(0)?;
header.write_u32::<LittleEndian>(mtime)?;
header.write_u32::<LittleEndian>(source_size)?;
}
BytecodeHeaderMode::CheckedHash(hash) => {
header.write_u32::<LittleEndian>(3)?;
header.write_u64::<LittleEndian>(hash)?;
}
BytecodeHeaderMode::UncheckedHash(hash) => {
header.write_u32::<LittleEndian>(1)?;
header.write_u64::<LittleEndian>(hash)?;
}
}
assert_eq!(header.len(), 16);
Ok(header)
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_header() -> Result<()> {
assert_eq!(
compute_bytecode_header(
168627541,
BytecodeHeaderMode::ModifiedTimeAndSourceSize((5, 10))
)?,
b"U\r\r\n\x00\x00\x00\x00\x05\x00\x00\x00\x0a\x00\x00\x00"
);
assert_eq!(
compute_bytecode_header(168627541, BytecodeHeaderMode::CheckedHash(0))?,
b"U\r\r\n\x03\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00"
);
assert_eq!(
compute_bytecode_header(168627541, BytecodeHeaderMode::UncheckedHash(0))?,
b"U\r\r\n\x01\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00"
);
Ok(())
}
}