我正在尝试创建一个新的socket.io实时分析连接。我有两种类型的用户。普通用户及其司机。
以下是授权代码
io.configure(function()
{
io.set('authorization', function(handshake, callback)
{
var userId = handshakeData.query.userId;
var type = handshakeData.query.type;
var accessKey = handshakeData.query.accessKey;
var query = "";
if(type = '')
query = 'SELECT * FROM users WHERE id = ' + userId + ' AND accessKey = ' + accessKey;
else
query = 'SELECT * FROM drivers WHERE id = ' + userId + ' AND accessKey = ' + accessKey;
db.query(query)
.on('result', function(data)
{
if(data)
{
if(type == '')
{
var index = users.indexOf(userId);
if (index != -1)
{
users.push(userId)
}
}
else
{
var index = drivers.indexOf(userId);
if (index != -1)
{
drivers.push(userId)
}
}
}
else
{
socket.emit('failedAuthentication', "Unable to authenticate");
}
})
.on('end', function(){
socket.emit('failedAuthentication', "Unable to authenticate");
})
});
});
断开连接我有这个
socket.on('disconnect', function()
{
});
我想删除断开连接时添加的userId。我该怎么做我可以将任何东西附加到套接字或我该怎么办?
答案 0 :(得分:1)
如果您只想从userId
和users
数组中删除drivers
,则可以执行以下操作:
socket.on('disconnect', function() {
// remove userId from users and drivers arrays
var index;
index = users.indexOf(userId);
if (index !== -1) {
users.splice(index, 1);
}
index = drivers.indexOf(userId);
if (index !== -1) {
drivers.splice(index, 1);
}
});
或者,你可以稍微干一下:
function removeItem(array, item) {
var index = array.indexOf(item);
if (index !== -1) {
array.splice(index, 1);
}
}
socket.on('disconnect', function() {
removeItem(users, userId);
removeItem(drivers, userId);
});
此代码假定您将其放在userId
变量所在的同一个闭包中。如果您不这样做,那么您可能需要将userId
作为属性放在套接字对象上,以便在需要时可以访问它。您没有显示代码组织方式或此事件处理程序所在位置的更大上下文,因此我们无法在没有看到的情况下提出更具体的建议。