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
use serde::Deserialize;
use std::env;
use std::ffi::OsString;
use std::io::{BufRead, BufReader, LineWriter, Lines, Write};
use std::path::*;
use std::process::*;
use std::sync::Mutex;
use binjs_es6::ast::Script as AST;
use binjs_io::escaped_wtf8;
use source::parser::SourceParser;
use which::which;
#[derive(Debug)]
pub enum Error {
CouldNotLaunch(std::io::Error),
IOError(std::io::Error),
JSONError(serde_json::Error),
InvalidPath(PathBuf),
NodeNotFound(which::Error),
ParsingError(String),
}
pub struct NodeConfig {
bin_path: PathBuf,
scripts_path: PathBuf,
memory: OsString,
}
impl NodeConfig {
pub fn try_new() -> Result<Self, Error> {
Ok(Self {
bin_path: which("node").map_err(Error::NodeNotFound)?,
scripts_path: match env::var("SHIFT_ENCODER_PATH") {
Err(_) => PathBuf::from(concat!(env!("CARGO_MANIFEST_DIR"), "/src/source")),
Ok(v) => PathBuf::from(v),
},
memory: match env::var("NODE_MAX_OLD_SPACE_SIZE") {
Err(_) => String::from("--max_old_space_size=2048"),
Ok(v) => format!("--max_old_space_size={}", v),
}
.into(),
})
}
pub fn create_cmd(&self, name: &str) -> Command {
let mut cmd = Command::new(&self.bin_path);
cmd.env("NODE_PATH", "node_modules");
cmd.arg(&self.memory);
cmd.arg(self.scripts_path.join(name));
cmd
}
}
struct ScriptIO {
input: LineWriter<ChildStdin>,
output: Lines<BufReader<ChildStdout>>,
}
pub struct Script(Mutex<ScriptIO>);
impl Script {
pub fn try_new(node_config: &NodeConfig, name: &str) -> Result<Self, Error> {
let child = node_config
.create_cmd(name)
.stdin(Stdio::piped())
.stdout(Stdio::piped())
.stderr(Stdio::inherit())
.spawn()
.map_err(Error::CouldNotLaunch)?;
Ok(Script(Mutex::new(ScriptIO {
input: LineWriter::new(child.stdin.unwrap()),
output: BufReader::new(child.stdout.unwrap()).lines(),
})))
}
pub fn transform<I, O>(&self, input: &I) -> Result<O, Error>
where
I: ?Sized + serde::Serialize,
O: serde::de::DeserializeOwned,
{
let output = {
let mut io = self.0.lock().unwrap();
serde_json::to_writer(&mut io.input, input).map_err(Error::JSONError)?;
writeln!(io.input).map_err(Error::IOError)?;
io.output.next().unwrap().map_err(Error::IOError)?
};
#[derive(Deserialize)]
#[serde(tag = "type", content = "value")]
#[serde(remote = "std::result::Result")]
enum Result<T, E> {
Ok(T),
Err(E),
}
let mut deserializer = serde_json::Deserializer::from_str(&output);
deserializer.disable_recursion_limit();
Result::deserialize(&mut deserializer)
.map_err(Error::JSONError)?
.map_err(Error::ParsingError)
}
}
pub struct Shift {
parse_str: Script,
parse_file: Script,
codegen: Script,
}
impl Shift {
pub fn try_new() -> Result<Self, Error> {
let node = NodeConfig::try_new()?;
Ok(Self {
parse_str: Script::try_new(&node, "parse_str.js")?,
parse_file: Script::try_new(&node, "parse_file.js")?,
codegen: Script::try_new(&node, "codegen.js")?,
})
}
pub fn to_source(&self, ast: &AST) -> Result<String, Error> {
self.codegen
.transform(ast)
.map(escaped_wtf8::to_unicode_escape)
}
}
impl SourceParser<AST> for Shift {
type Error = Error;
fn parse_str(&self, data: &str) -> Result<AST, Error> {
self.parse_str.transform(data)
}
fn parse_file<P: AsRef<Path>>(&self, path: P) -> Result<AST, Error> {
let path = path
.as_ref()
.to_str()
.ok_or_else(|| Error::InvalidPath(path.as_ref().to_path_buf()))?;
self.parse_file.transform(path)
}
}
#[test]
fn test_shift_basic() {
use env_logger;
env_logger::init();
use binjs_es6::ast::*;
use binjs_shared::IdentifierName;
let shift = Shift::try_new().expect("Could not launch Shift");
let parsed = shift
.parse_str("function foo() {}")
.expect("Error in parse_str");
let expected = Script {
statements: vec![Statement::EagerFunctionDeclaration(Box::new(
EagerFunctionDeclaration {
name: BindingIdentifier {
name: IdentifierName::from_str("foo"),
},
contents: FunctionOrMethodContents {
parameter_scope: AssertedParameterScope {
is_simple_parameter_list: true,
..Default::default()
},
..Default::default()
},
..Default::default()
},
))],
..Default::default()
};
assert!(parsed == expected, "{:#?} != {:#?}", parsed, expected);
}