I have an object literal to open a websocket connection. this is a simplified version of it:
JavaScript
x
17
17
1
const ws = {
2
3
conn : null,
4
5
start : function(){
6
7
this.conn = new WebSocket('wss://.....');
8
9
this.conn.onopen = (e) => {};
10
11
this.conn.onmessage = (e) => {};
12
13
this.conn.onclose = (e) => {};
14
15
}
16
}
17
i can initialize the connection with:
JavaScript
1
2
1
var websocket = ws.start();
2
now i want to attach an eventhandler to websocket, which is called when onmessage is fired. like this:
JavaScript
1
7
1
websocket.on('message', function (e) {
2
3
console.log('this.conn.onmessage in ws was fired');
4
5
});
6
7
is there a way to achieve this?
Advertisement
Answer
Just return the connection at the end of the start
function.
JavaScript
1
18
18
1
const ws = {
2
3
conn : null,
4
5
start : function(){
6
7
this.conn = new WebSocket('wss://.....');
8
9
this.conn.onopen = (e) => {};
10
11
this.conn.onmessage = (e) => {};
12
13
this.conn.onclose = (e) => {};
14
15
return this.conn;
16
}
17
}
18