有没有办法通过刷新或导航离开页面来检测客户端何时与流星服务器断开连接,以便服务器可以尝试进行一些清理?
问问题
5965 次
5 回答
19
一种技术是实现每个客户端定期调用的“keepalive”方法。这假设您user_id
在每个客户的Session
.
// server code: heartbeat method
Meteor.methods({
keepalive: function (user_id) {
if (!Connections.findOne(user_id))
Connections.insert({user_id: user_id});
Connections.update(user_id, {$set: {last_seen: (new Date()).getTime()}});
}
});
// server code: clean up dead clients after 60 seconds
Meteor.setInterval(function () {
var now = (new Date()).getTime();
Connections.find({last_seen: {$lt: (now - 60 * 1000)}}).forEach(function (user) {
// do something here for each idle user
});
});
// client code: ping heartbeat every 5 seconds
Meteor.setInterval(function () {
Meteor.call('keepalive', Session.get('user_id'));
}, 5000);
于 2012-04-23T02:40:55.417 回答
13
我认为更好的方法是在发布函数中捕获套接字关闭事件。
Meteor.publish("your_collection", function() {
this.session.socket.on("close", function() { /*do your thing*/});
}
更新:
较新版本的流星使用 _session 如下:
this._session.socket.on("close", function() { /*do your thing*/});
于 2012-09-20T03:13:16.933 回答
2
我已经实现了一个 Meteor 智能包,它可以跟踪来自不同会话的所有连接会话,并检测会话注销和断开连接事件,而无需昂贵的保活。
要检测断开/注销事件,您只需执行以下操作:
UserStatus.on "connectionLogout", (info) ->
console.log(info.userId + " with session " + info.connectionId + " logged out")
您也可以被动地使用它。看看这个!
编辑: v0.3.0
用户状态现在也跟踪空闲的用户!
于 2013-07-12T21:09:14.733 回答
1
如果您使用 Auth,您可以在 Method 和 Publish 功能中访问用户 ID,您可以在那里实现您的跟踪。例如,您可以在用户切换房间时设置“最后一次看到”:
Meteor.publish("messages", function(roomId) {
// assuming ActiveConnections is where you're tracking user connection activity
ActiveConnections.update({ userId: this.userId() }, {
$set:{ lastSeen: new Date().getTime() }
});
return Messages.find({ roomId: roomId});
});
于 2012-09-12T09:17:00.793 回答
-1
我正在使用Iron Routerunload
并在我的主控制器发生事件时调用我的清理代码。当然这不会捕捉到标签关闭的事件,但对于许多用例来说仍然感觉足够好
ApplicationController = RouteController.extend({
layoutTemplate: 'root',
data: {},
fastRender: true,
onBeforeAction: function () {
this.next();
},
unload: function () {
if(Meteor.userId())
Meteor.call('CleanUpTheUsersTrash');
},
action: function () {
console.log('this should be overridden by our actual controllers!');
}
});
于 2015-05-21T16:33:20.787 回答