-
Notifications
You must be signed in to change notification settings - Fork 165
/
Copy pathfunction.go
411 lines (339 loc) · 11.3 KB
/
function.go
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
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
package wasmer
// #include <wasmer.h>
//
// extern wasm_trap_t* function_trampoline(
// void *environment,
// /* const */ wasm_val_vec_t* arguments,
// wasm_val_vec_t* results
// );
//
// extern wasm_trap_t* function_with_environment_trampoline(
// void *environment,
// /* const */ wasm_val_vec_t* arguments,
// wasm_val_vec_t* results
// );
//
// typedef void (*wasm_func_callback_env_finalizer_t)(void* environment);
//
// extern void function_environment_finalizer(void *environment);
import "C"
import (
"fmt"
"runtime"
"sync"
"unsafe"
)
// NativeFunction is a type alias representing a host function that
// can be called as any Go function.
type NativeFunction = func(...interface{}) (interface{}, error)
// Function is a WebAssembly function instance.
type Function struct {
_inner *C.wasm_func_t
_ownedBy interface{}
environment *functionEnvironment
lazyNative NativeFunction
}
func newFunction(pointer *C.wasm_func_t, environment *functionEnvironment, ownedBy interface{}) *Function {
function := &Function{
_inner: pointer,
_ownedBy: ownedBy,
environment: environment,
lazyNative: nil,
}
if ownedBy == nil {
runtime.SetFinalizer(function, func(self *Function) {
if self.environment != nil {
hostFunctionStore.remove(self.environment.hostFunctionStoreIndex)
}
C.wasm_func_delete(self.inner())
})
}
return function
}
// NewFunction instantiates a new Function in the given Store.
//
// It takes three arguments, the Store, the FunctionType and the
// definition for the Function.
//
// The function definition must be a native Go function with a Value
// array as its single argument. The function must return a Value
// array or an error.
//
// Note:️ Even if the function does not take any argument (or use any
// argument) it must receive a Value array as its single argument. At
// runtime, this array will be empty. The same applies to the result.
//
// hostFunction := wasmer.NewFunction(
// store,
// wasmer.NewFunctionType(
// wasmer.NewValueTypes(), // zero argument
// wasmer.NewValueTypes(wasmer.I32), // one i32 result
// ),
// func(args []wasmer.Value) ([]wasmer.Value, error) {
// return []wasmer.Value{wasmer.NewI32(42)}, nil
// },
// )
//
func NewFunction(store *Store, ty *FunctionType, function func([]Value) ([]Value, error)) *Function {
hostFunction := &hostFunction{
store: store,
function: function,
}
environment := &functionEnvironment{
hostFunctionStoreIndex: hostFunctionStore.store(hostFunction),
}
pointer := C.wasm_func_new_with_env(
store.inner(),
ty.inner(),
(C.wasm_func_callback_t)(C.function_trampoline),
unsafe.Pointer(environment),
(C.wasm_func_callback_env_finalizer_t)(C.function_environment_finalizer),
)
runtime.KeepAlive(environment)
return newFunction(pointer, environment, nil)
}
//export function_trampoline
func function_trampoline(env unsafe.Pointer, args *C.wasm_val_vec_t, res *C.wasm_val_vec_t) *C.wasm_trap_t {
environment := (*functionEnvironment)(env)
hostFunction, err := hostFunctionStore.load(environment.hostFunctionStoreIndex)
if err != nil {
panic(err)
}
arguments := toValueList(args)
function := (hostFunction.function).(func([]Value) ([]Value, error))
results, err := (function)(arguments)
if err != nil {
trap := NewTrap(hostFunction.store, err.Error())
runtime.KeepAlive(trap)
return trap.inner()
}
toValueVec(results, res)
return nil
}
// NewFunctionWithEnvironment is similar to NewFunction except that
// the user-defined host function (in Go) accepts an additional first
// parameter which is an environment. This environment can be
// anything. It is typed as interface{}.
//
// type MyEnvironment struct {
// foo int32
// }
//
// environment := &MyEnvironment {
// foo: 42,
// }
//
// hostFunction := wasmer.NewFunction(
// store,
// wasmer.NewFunctionType(
// wasmer.NewValueTypes(), // zero argument
// wasmer.NewValueTypes(wasmer.I32), // one i32 result
// ),
// environment,
// func(environment interface{}, args []wasmer.Value) ([]wasmer.Value, error) {
// _ := environment.(*MyEnvironment)
//
// return []wasmer.Value{wasmer.NewI32(42)}, nil
// },
// )
func NewFunctionWithEnvironment(store *Store, ty *FunctionType, userEnvironment interface{}, functionWithEnv func(interface{}, []Value) ([]Value, error)) *Function {
hostFunction := &hostFunction{
store: store,
function: functionWithEnv,
userEnvironment: userEnvironment,
}
environment := &functionEnvironment{
hostFunctionStoreIndex: hostFunctionStore.store(hostFunction),
}
pointer := C.wasm_func_new_with_env(
store.inner(),
ty.inner(),
(C.wasm_func_callback_t)(C.function_with_environment_trampoline),
unsafe.Pointer(environment),
(C.wasm_func_callback_env_finalizer_t)(C.function_environment_finalizer),
)
runtime.KeepAlive(environment)
return newFunction(pointer, environment, nil)
}
//export function_with_environment_trampoline
func function_with_environment_trampoline(env unsafe.Pointer, args *C.wasm_val_vec_t, res *C.wasm_val_vec_t) *C.wasm_trap_t {
environment := (*functionEnvironment)(env)
hostFunction, err := hostFunctionStore.load(environment.hostFunctionStoreIndex)
if err != nil {
panic(err)
}
arguments := toValueList(args)
function := (hostFunction.function).(func(interface{}, []Value) ([]Value, error))
results, err := (function)(hostFunction.userEnvironment, arguments)
if err != nil {
trap := NewTrap(hostFunction.store, err.Error())
runtime.KeepAlive(trap)
return trap.inner()
}
toValueVec(results, res)
return nil
}
func (self *Function) inner() *C.wasm_func_t {
return self._inner
}
func (self *Function) ownedBy() interface{} {
if self._ownedBy == nil {
return self
}
return self._ownedBy
}
// IntoExtern converts the Function into an Extern.
//
// function, _ := instance.Exports.GetFunction("exported_function")
// extern := function.IntoExtern()
//
func (self *Function) IntoExtern() *Extern {
pointer := C.wasm_func_as_extern(self.inner())
return newExtern(pointer, self.ownedBy())
}
// Type returns the Function's FunctionType.
//
// function, _ := instance.Exports.GetFunction("exported_function")
// ty := function.Type()
//
func (self *Function) Type() *FunctionType {
ty := C.wasm_func_type(self.inner())
runtime.KeepAlive(self)
return newFunctionType(ty, self.ownedBy())
}
// ParameterArity returns the number of arguments the Function expects as per its definition.
//
// function, _ := instance.Exports.GetFunction("exported_function")
// arity := function.ParameterArity()
//
func (self *Function) ParameterArity() uint {
return uint(C.wasm_func_param_arity(self.inner()))
}
// ParameterArity returns the number of results the Function will return.
//
// function, _ := instance.Exports.GetFunction("exported_function")
// arity := function.ResultArity()
//
func (self *Function) ResultArity() uint {
return uint(C.wasm_func_result_arity(self.inner()))
}
// Call will call the Function and return its results as native Go values.
//
// function, _ := instance.Exports.GetFunction("exported_function")
// _ = function.Call(1, 2, 3)
//
func (self *Function) Call(parameters ...interface{}) (interface{}, error) {
return self.Native()(parameters...)
}
// Native will turn the Function into a native Go function that can be then called.
//
// function, _ := instance.Exports.GetFunction("exported_function")
// nativeFunction = function.Native()
// _ = nativeFunction(1, 2, 3)
//
func (self *Function) Native() NativeFunction {
if self.lazyNative != nil {
return self.lazyNative
}
ty := self.Type()
expectedParameters := ty.Params()
self.lazyNative = func(receivedParameters ...interface{}) (interface{}, error) {
numberOfReceivedParameters := len(receivedParameters)
numberOfExpectedParameters := len(expectedParameters)
diff := numberOfExpectedParameters - numberOfReceivedParameters
if diff > 0 {
return nil, newErrorWith(fmt.Sprintf("Missing %d argument(s) when calling the function; Expected %d argument(s), received %d", diff, numberOfExpectedParameters, numberOfReceivedParameters))
} else if diff < 0 {
return nil, newErrorWith(fmt.Sprintf("Given %d extra argument(s) when calling the function; Expected %d argument(s), received %d", -diff, numberOfExpectedParameters, numberOfReceivedParameters))
}
allArguments := make([]C.wasm_val_t, numberOfReceivedParameters)
for nth, receivedParameter := range receivedParameters {
argument, err := fromGoValue(receivedParameter, expectedParameters[nth].Kind())
if err != nil {
return nil, newErrorWith(fmt.Sprintf("Argument %d of the function must of of type `%s`, cannot cast value to this type.", nth+1, err))
}
allArguments[nth] = argument
}
results := C.wasm_val_vec_t{}
C.wasm_val_vec_new_uninitialized(&results, C.size_t(len(ty.Results())))
defer C.wasm_val_vec_delete(&results)
arguments := C.wasm_val_vec_t{}
defer C.wasm_val_vec_delete(&arguments)
if numberOfReceivedParameters > 0 {
C.wasm_val_vec_new(&arguments, C.size_t(numberOfReceivedParameters), (*C.wasm_val_t)(unsafe.Pointer(&allArguments[0])))
}
trap := C.wasm_func_call(self.inner(), &arguments, &results)
runtime.KeepAlive(arguments)
runtime.KeepAlive(results)
if trap != nil {
return nil, newErrorFromTrap(trap)
}
switch results.size {
case 0:
return nil, nil
case 1:
return toGoValue(results.data), nil
default:
numberOfValues := int(results.size)
allResults := make([]interface{}, numberOfValues)
firstValue := unsafe.Pointer(results.data)
sizeOfValuePointer := unsafe.Sizeof(C.wasm_val_t{})
var currentValuePointer *C.wasm_val_t
for nth := 0; nth < numberOfValues; nth++ {
currentValuePointer = (*C.wasm_val_t)(unsafe.Pointer(uintptr(firstValue) + uintptr(nth)*sizeOfValuePointer))
value := toGoValue(currentValuePointer)
allResults[nth] = value
}
return allResults, nil
}
}
return self.lazyNative
}
type functionEnvironment struct {
store *Store
hostFunctionStoreIndex uint
}
//export function_environment_finalizer
func function_environment_finalizer(_ unsafe.Pointer) {}
type hostFunction struct {
store *Store
function interface{} // func([]Value) ([]Value, error) or func(interface{}, []Value) ([]Value, error)
userEnvironment interface{} // if the host function has an environment
}
type hostFunctions struct {
sync.RWMutex
functions map[uint]*hostFunction
}
func (self *hostFunctions) load(index uint) (*hostFunction, error) {
self.RLock()
hostFunction, exists := self.functions[index]
self.RUnlock()
if exists && hostFunction != nil {
return hostFunction, nil
}
return nil, newErrorWith(fmt.Sprintf("Host function `%d` does not exist", index))
}
func (self *hostFunctions) store(hostFunction *hostFunction) uint {
self.Lock()
// By default, the index is the size of the store.
index := uint(len(self.functions))
for nth, hostFunc := range self.functions {
// Find the first empty slot in the store.
if hostFunc == nil {
// Use that empty slot for the index.
index = nth
break
}
}
self.functions[index] = hostFunction
self.Unlock()
return index
}
func (self *hostFunctions) remove(index uint) {
self.Lock()
self.functions[index] = nil
self.Unlock()
}
var hostFunctionStore = hostFunctions{
functions: make(map[uint]*hostFunction),
}