I am looking to integrate indexdb in a wasm based app. How do you “await” in a go function a promise from a js function. Here is the example
JavaScript
x
9
1
async getItem(key) {
2
try{
3
const out = await database.getItem(key);
4
return out;
5
}catch(err){
6
return null;
7
}
8
}
9
and in go
JavaScript
1
9
1
func Get(key string)[]byte{
2
3
found := js.Global().Get("Store").Call('getItem', key )
4
// await for found
5
// convert js.Value to to []byte
6
return nil
7
8
}
9
Async callbacks are fine too.
LE: one bad solution would be to create a go routine with an infinite loop waiting until a DOM variable exists like global.solution+ID to be set. But I believe this is a bad solution
Advertisement
Answer
You can use the then
method from the Promise
object to wait for the result, something like this:
JavaScript
1
18
18
1
package main
2
3
import (
4
"fmt"
5
"syscall/js"
6
)
7
8
func main() {
9
wait := make(chan interface{})
10
js.Global().Call("sayHello", 5000).Call("then", js.FuncOf(func(this js.Value, args []js.Value) interface{} {
11
fmt.Println(args[0])
12
wait <- nil
13
return nil
14
}))
15
<-wait
16
fmt.Println("we're done here")
17
}
18
Notice that we are using a channel to actually wait in the Go code. We need to do that because the Go program must still be running while receiving the callback from Javascript.
The index.html
file:
JavaScript
1
21
21
1
<html>
2
<head>
3
<meta charset="utf-8"/>
4
<script src="wasm_exec.js"></script>
5
<script>
6
const go = new Go();
7
WebAssembly.instantiateStreaming(fetch("main.wasm"), go.importObject).then((result) => {
8
go.run(result.instance);
9
});
10
11
function sayHello(time) {
12
return new Promise(resolve => {
13
console.log('waiting %dms and resolving', time)
14
setTimeout(() => resolve('hola!'), time)
15
})
16
}
17
</script>
18
</head>
19
<body></body>
20
</html>
21