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
mod fs_interop;
mod log_interop;
mod plugin_interop;
mod rand_interop;
mod script_interop;
#[cfg(test)]
mod test;
use crate::*;
use anyhow::Result;
use ayaka_plugin::*;
use std::{
collections::HashMap,
sync::{Arc, RwLock, Weak},
};
use stream_future::stream;
use trylog::macros::*;
use vfs::*;
pub struct Module<M: RawModule = BackendModule> {
module: PluginModule<M>,
}
impl<M: RawModule> Module<M> {
fn new(module: M) -> Self {
Self {
module: PluginModule::new(module),
}
}
pub fn plugin_type(&self) -> Result<PluginType> {
self.module.call("plugin_type", ())
}
pub fn process_action(&self, ctx: ActionProcessContextRef) -> Result<ActionProcessResult> {
self.module.call("process_action", (ctx,))
}
pub fn dispatch_text(
&self,
name: &str,
args: &[String],
ctx: TextProcessContextRef,
) -> Result<TextProcessResult> {
self.module.call(name, (args, ctx))
}
pub fn dispatch_line(
&self,
name: &str,
ctx: LineProcessContextRef,
) -> Result<LineProcessResult> {
self.module.call(name, (ctx,))
}
pub fn process_game(&self, ctx: GameProcessContextRef) -> Result<GameProcessResult> {
self.module.call("process_game", (ctx,))
}
}
pub struct Runtime<M: RawModule + Send + Sync + 'static = BackendModule> {
modules: HashMap<String, Module<M>>,
action_modules: Vec<String>,
text_modules: HashMap<String, String>,
line_modules: HashMap<String, String>,
game_modules: Vec<String>,
}
#[derive(Debug, Clone)]
pub enum LoadStatus {
CreateEngine,
LoadPlugin(String, usize, usize),
}
impl<M: RawModule + Send + Sync + 'static> Runtime<M> {
#[stream(LoadStatus, lifetime = "'a")]
pub async fn load<'a>(
dir: impl AsRef<str> + 'a,
root_path: &'a VfsPath,
names: &'a [impl AsRef<str>],
) -> Result<Arc<Self>> {
let path = root_path.join(dir)?;
let paths = if names.is_empty() {
path.read_dir()?
.filter_map(|p| {
if p.is_file().unwrap_or_default()
&& p.extension().unwrap_or_default() == "wasm"
{
let name = p
.filename()
.strip_suffix(".wasm")
.unwrap_or_default()
.to_string();
Some((name, p))
} else {
None
}
})
.collect::<Vec<_>>()
} else {
names
.iter()
.filter_map(|name| {
let name = name.as_ref();
let p = path.join(format!("{}.wasm", name)).ok()?;
if p.exists().unwrap_or_default() {
Some((name.to_string(), p))
} else {
None
}
})
.collect::<Vec<_>>()
};
yield LoadStatus::CreateEngine;
let handle = Arc::new(RwLock::new(Weak::new()));
let mut store = M::Linker::new()?;
log_interop::register(&mut store)?;
plugin_interop::register(&mut store, handle.clone())?;
fs_interop::register(&mut store, root_path)?;
rand_interop::register(&mut store)?;
script_interop::register(&mut store)?;
let mut runtime = Self::new();
let total_len = paths.len();
for (i, (name, p)) in paths.into_iter().enumerate() {
yield LoadStatus::LoadPlugin(name.clone(), i, total_len);
let mut buf = vec![];
p.open_file()?.read_to_end(&mut buf)?;
let module = Module::new(store.create(&buf)?);
runtime.insert_module(name, module)?;
}
let runtime = Arc::new(runtime);
*handle.write().unwrap() = Arc::downgrade(&runtime);
Ok(runtime)
}
fn new() -> Self {
Self {
modules: HashMap::default(),
action_modules: vec![],
text_modules: HashMap::default(),
line_modules: HashMap::default(),
game_modules: vec![],
}
}
fn insert_module(&mut self, name: String, module: Module<M>) -> Result<()> {
let plugin_type =
unwrap_or_default_log!(module.plugin_type(), "Cannot determine module type");
if plugin_type.action {
self.action_modules.push(name.clone());
}
for cmd in plugin_type.text {
let res = self.text_modules.insert(cmd.clone(), name.clone());
if let Some(old_module) = res {
log::warn!(
"Text command `{}` is overrided by \"{}\" over \"{}\"",
cmd,
name,
old_module
);
}
}
for cmd in plugin_type.line {
let res = self.line_modules.insert(cmd.clone(), name.clone());
if let Some(old_module) = res {
log::warn!(
"Line command `{}` is overrided by \"{}\" over \"{}\"",
cmd,
name,
old_module
);
}
}
if plugin_type.game {
self.game_modules.push(name.clone());
}
self.modules.insert(name, module);
Ok(())
}
pub fn module(&self, key: &str) -> Option<&Module<M>> {
self.modules.get(key)
}
pub fn action_modules(&self) -> impl Iterator<Item = &Module<M>> {
self.action_modules
.iter()
.filter_map(|key| self.module(key))
}
pub fn text_module(&self, cmd: &str) -> Option<&Module<M>> {
self.text_modules.get(cmd).and_then(|key| self.module(key))
}
pub fn line_module(&self, cmd: &str) -> Option<&Module<M>> {
self.line_modules.get(cmd).and_then(|key| self.module(key))
}
pub fn game_modules(&self) -> impl Iterator<Item = &Module<M>> {
self.game_modules.iter().filter_map(|key| self.module(key))
}
}
#[doc(hidden)]
pub use backend::BackendModule;
#[doc(hidden)]
mod backend {
cfg_if::cfg_if! {
if #[cfg(feature = "wasmi")] {
pub use ayaka_plugin_wasmi::WasmiModule as BackendModule;
} else if #[cfg(feature = "wasmtime")] {
pub use ayaka_plugin_wasmtime::WasmtimeModule as BackendModule;
} else if #[cfg(feature = "wasmer")] {
pub use ayaka_plugin_wasmer::WasmerModule as BackendModule;
} else {
pub use ayaka_plugin_nop::NopModule as BackendModule;
}
}
}