websocket
作者:互联网
WebSocket 使用ws或wss协议,Websocket是一个持久化的协议,相对于HTTP这种非持久的协议来说。WebSocket API最伟大之处在于服务器和客户端可以在给定的时间范围内的任意时刻,相互推送信息。WebSocket并不限于以Ajax(或XHR)方式通信,因为Ajax技术需要客户端发起请求,而WebSocket服务器和客户端可以彼此相互推送信息;XHR受到域的限制,而WebSocket允许跨域通信。
转载:https://www.jianshu.com/p/9d8b2e42328c
<template>
<div></div>
</template>
<script>
export default {
name : 'test',
data() {
return {
websock: null,
}
},
created() {
this.initWebSocket();
},
destroyed() {
this.websock.close() //离开路由之后断开websocket连接
},
methods: {
initWebSocket(){ //初始化weosocket
const wsuri = "ws://127.0.0.1:8080"; // ws协议;安全的WebSocket协议使用wss://开头
this.websock = new WebSocket(wsuri);
this.websock.onmessage = this.websocketonmessage;
this.websock.onopen = this.websocketonopen;
this.websock.onerror = this.websocketonerror;
this.websock.onclose = this.websocketclose;
},
websocketonopen(){ //连接建立之后执行send方法发送数据
let actions = {"test":"12345"};
this.websocketsend(JSON.stringify(actions));
},
websocketonerror(){//连接建立失败重连
this.initWebSocket();
},
websocketonmessage(e){ //数据接收
const redata = JSON.parse(e.data);
},
websocketsend(Data){//数据发送
this.websock.send(Data);
},
websocketclose(e){ //关闭
console.log('断开连接',e);
},
},
}
</script>
<style lang='less'>
</style>
- 创建一个Socket实例
var socket = new WebSocket(‘ws://localhost:8080’); - 打开Socket
socket.onopen = function(event) { - 发送一个初始化消息
socket.send(‘xxx’); - 监听(接收)消息
socket.onmessage = function(event) {
console.log(‘Client received a message’,event);
}; - 监听Socket的关闭
socket.onclose = function(event) {
console.log(‘Client notified socket has closed’,event);
}; - 关闭Socket…
socket.close()
};
关于心跳重连机制:
在使用websocket的过程中,有时候会遇到网络断开的情况,但是在网络断开的时候服务器端并没有触发onclose的事件。这样会有:服务器会继续向客户端发送多余的链接,并且这些数据还会丢失。所以就需要一种机制来检测客户端和服务端是否处于正常的链接状态。
所以客户端需要用send()方法发送数据包,当没有得到回复后使用onclose方法关闭
标签:WebSocket,socket,send,websock,websocket,event,客户端 来源: https://blog.csdn.net/qq_42850692/article/details/114287852