在Angular 7中处理WebSocket的Subject
rxjs
和 rxjs-compat
库。npm install --save rxjs@6.5.2 rxjs-compat@6.5.2
WebSocketService
服务。在 web-socket.service.ts
文件中,添加以下代码:import { Injectable } from '@angular/core';
import { Observable, Subject } from 'rxjs';
@Injectable({
providedIn: 'root'
})
export class WebSocketService {
private subject: Subject;
public connect(url: string): Subject {
if (!this.subject) {
this.subject = this.create(url);
console.log('Successfully connected: ' + url);
}
return this.subject;
}
private create(url: string): Subject {
const ws = new WebSocket(url);
const observable = new Observable(observer => {
ws.onmessage = observer.next.bind(observer);
ws.onerror = observer.error.bind(observer);
ws.onclose = observer.complete.bind(observer);
return ws.close.bind(ws);
});
const observer = {
next: (data: Object) => {
if (ws.readyState === WebSocket.OPEN) {
ws.send(JSON.stringify(data));
}
}
};
return Subject.create(observer, observable);
}
}
WebSocketService
并声明一个 Subject
变量来接收WebSocket的消息。在组件中添加以下代码:import { Component, OnInit } from '@angular/core';
import { WebSocketService } from './web-socket.service';
import { Subscription } from 'rxjs';
@Component({
selector: 'app-my-component',
templateUrl: './my-component.component.html',
styleUrls: ['./my-component.component.css']
})
export class MyComponent implements OnInit {
private socketSubscription: Subscription;
constructor(private webSocketService: WebSocketService) { }
ngOnInit() {
this.socketSubscription = this.webSocketService.connect('wss://your-websocket-url')
.subscribe(message => {
console.log('Received message: ' + message.data);
// 处理接收到的WebSocket消息
});
}
ngOnDestroy() {
this.socketSubscription.unsubscribe();
}
}
在上述代码中, webSocketService.connect()
方法会创建一个 WebSocket 连接,并返回一个 Subject
,通过订阅该 Subject
,你可以在组件中接收到 WebSocket 的消息。
记得将 'wss://your-websocket-url'
替换成你的 WebSocket 服务器的URL。
这就是在Angular 7中处理WebSocket的Subject