0

我根据他们的示例为 firebase 设置了一个简单的存在用户计数。问题在于它依赖于删除断开连接的计数。但是,firebase 似乎每 2 个月就会下降一次,并删除了 ondisconnect 处理程序。这意味着随着时间的推移,计数会变得越来越错误。有没有什么办法解决这一问题?

ty.Presence = function() {
  this.rooms = {}
  this.presence = fb.child('presence')
  this.connectedRef = fb.child('.info/connected');
  if (!localStorage.fb_presence_id) {
    localStorage.fb_presence_id = Math.random().toString(36).slice(2)
  }
  this.browserID = localStorage.fb_presence_id
  var first = false   
}


ty.Presence.prototype.add = function(roomID, userobj) {
  var self = this
  var userListRef = this.presence.child(roomID)

  // Generate a reference to a new location for my user with push.
  var obj = {
    s: "on",
    id: this.browserID
  }
  if (userobj) {
    obj.u = {
      _id: userobj._id,
      n: userobj.username
    }
    if (userobj.a) {
      obj.u.a = userobj.a
    }
  }

  var myUserRef = userListRef.push(obj)
  this.rooms[roomID] = myUserRef
  this.connectedRef.on("value", function(isOnline) {
    if (isOnline.val()) {
      // If we lose our internet connection, we want ourselves removed from the list.
      myUserRef.onDisconnect().remove();
    }
  });
};

ty.Presence.prototype.count = function(roomID, cb) {
  var self = this
  var userListRef = this.presence.child(roomID)
  var count = 0

  function res () {
    var usersArr = _.pluck(users, 'id')
    usersArr = _.uniq(usersArr)
    count = usersArr.length
    if (cb) cb(count)
  }

  var users = {}

  userListRef.on("child_added", function(css) {
    users[css.name()] = css.val();
    res()
  });

  userListRef.on("child_removed", function(css) {
    delete users[css.name()]
    res()
  });

  cb(count)
};

ty.Presence.prototype.get = function(ref) {
  return this[ref]
};

ty.Presence.prototype.setGlobal = function(object) {
  var self = this

  _.each(this.rooms, function (myUserRef) {
    myUserRef.set(object)
  })
};

ty.Presence.prototype.remove = function(roomID) {
  if (this.rooms[roomID])
    this.rooms[roomID].remove();
};

ty.Presence.prototype.off = function(roomID) {
  var userListRef = this.presence.child(roomID)
  userListRef.off()
};


ty.presence = new ty.Presence()
ty.presence.add('all')
4

1 回答 1

1

如果 Firebase 重新启动(例如,当新版本被推送时),onDisconnect 处理程序可能会丢失。一种简单的方法是在存储记录时将时间戳作为优先级附加到记录。只要客户保持在线,让他偶尔更新时间戳。

setInterval(function() {
    connectedRef.setPriority(Date.now());   
}, 1000*60*60*4 /* every 4 hours */ );

因此,任何达到 24 小时前的记录显然都是孤儿。客户端(例如,当新客户端第一次收到列表时)或服务器进程(例如,带有 setInterval() 以检查早于 X 的记录的 node.js 脚本)可能会发生质询。

presenceRef.endAt(Date.now()-24*60*60*1000 /* 24 hours ago */).remove();

当然,不太理想,但我在应用程序中使用了一种功能性解决方法。

于 2014-05-01T19:48:51.613 回答