我有一个MXChip,它将数据发送到Azure IoT中心,从那里我使用带有Azure SignalR绑定的Azure函数将设备数据发布到Azure SignalR。还有一个Angular客户端,它将获取连接信息通过使用软件包@aspnet/signalr
调用我创建的Azure Negotiate函数。
但是问题是我的Angular客户端每隔几秒钟就会引发一个错误,当我检查时,我可以理解,hubConnection.onclose
事件每隔几秒就会触发一次。
以下是我的Angular服务代码。
export class SignalRService {
mxChipData: Subject < string > = new Subject();
private hubConnection: SignalR.HubConnection;
constructor(private http: HttpClient) {}
private getSignalRConnection(): Observable < SignalRConnection > {
return this.http.get < SignalRConnection > (`${environment.baseUrl}negotiate`);
}
init() {
this.getSignalRConnection().subscribe(con => {
const options = {
accessTokenFactory: () => con.accessToken
};
this.hubConnection = new SignalR.HubConnectionBuilder()
.withUrl(con.url, options)
.configureLogging(SignalR.LogLevel.Information)
.build();
this.hubConnection.on('notify', data => {
this.mxChipData.next(data);
});
this.hubConnection.start()
.catch(error => console.error(error));
this.hubConnection.onclose((error) => {
console.error(`Something went wrong: ${error}`);
});
});
}
}
有什么办法可以摆脱这种行为?
答案 0 :(得分:1)
我想出一个简单的解决方法。 SignalR.HubConnection
具有属性serverTimeoutInMilliseconds
和keepAliveIntervalInMilliseconds
。
serverTimeoutInMilliseconds
服务器超时(以毫秒为单位)。
如果超过此超时时间仍未收到来自服务器的任何消息,则连接将终止并出现错误。默认超时值为30,000毫秒(30秒)。
keepAliveIntervalInMilliseconds
ping服务器的默认间隔。
默认值为15,000毫秒(15秒)。允许服务器检测硬断开连接(例如客户端拔出其计算机的电源)。
我只是将这些值设置为更大的数字。
this.hubConnection.serverTimeoutInMilliseconds = 300000;
this.hubConnection.keepAliveIntervalInMilliseconds = 300000;
我们也可以在onclose
事件中再次启动集线器作为临时解决方案。
this.hubConnection.onclose((error) => {
this.hubConnection.start();
console.error(`Something went wrong: ${error}`);
});
答案 1 :(得分:0)