SSE(Server-Sent Events) 是一种基于 HTTP 协议的 服务端到客户端的单向实时通信技术。它允许服务端主动向客户端推送数据(如通知、日志、实时更新等),客户端通过 EventSource
API 监听服务端事件流。与 WebSocket 不同,SSE 是 单向通信(服务端 → 客户端),但实现简单、天然支持断线重连,适合轻量级实时场景。
适用
不适用
npm install event-source-polyfill --save
SSEClient.js
import {EventSourcePolyfill} from "event-source-polyfill";
import { getToken } from "@/utils/auth";
const defaultOptions = {
retry: 5,
interval: 3 * 1000,
};
class SSEClient {
constructor(url, options = defaultOptions) {
this.url = url;
this.es = null;
this.options = options;
this.retry = options.retry;
this.timer = null;
}
_onOpen() {
console.log("server sent event connect created");
}
_onMessage(handler) {
return (event) => {
this.retry = this.options.retry;
let payload;
try {
payload = JSON.parse(event.data);
console.log("receiving data...", payload);
} catch (error) {
console.error("failed to parse payload from server", error);
}
if (typeof handler === "function") {
handler(payload);
}
};
}
_onError(type, handler) {
return () => {
console.error("EventSource connection failed for subscribe.Retry");
if (this.es) {
this._removeAllEvent(type, handler);
this.unsunscribe();
}
if (this.retry > 0) {
this.timer = setTimeout(() => {
this.subscribe(type, handler);
}, this.options.interval);
} else {
this.retry--;
}
};
}
_removeAllEvent(type, handler) {
this.es.removeEventListener("open", this._onOpen);
this.es.removeEventListener(type, this._onMessage(handler));
this.es.removeEventListener("error", this._onError(type, handler));
}
subscribe(type, handler) {
this.es = new EventSourcePolyfill(this.url,{
// 设置重连时间
heartbeatTimeout: 60 * 60 * 1000,
// 添加token
headers: {
Authorization: "Bearer " + getToken(),
}
});
// this.es = new EventSource(url);
this.es.addEventListener("open", this._onOpen);
this.es.addEventListener(type, this._onMessage(handler));
this.es.addEventListener("error", this._onError(type, handler));
}
unsunscribe() {
if (this.es) {
this.es.close();
this.es = null;
}
if (this.timer) {
clearTimeout(this.timer);
}
}
}
export default SSEClient