我正在尝试让两个客户端(玩家)通过socket.io相互联系(交换示例字符串)。我在客户端上有这个代码(gameId在代码中定义):
var chat = io.connect('http://localhost/play');
chat.emit(gameId+"", {
guess: "ciao"
});
chat.on(gameId+"", function (data) {
alert(data.guess);
});
虽然在服务器上我有这个(这是我做的第一件事,当然不是路由)
var messageExchange = io
.of('/play')
.on('connection', function (socket) {
socket.emit('message', {
test: 'mex'
});
});
基本上我创建频道,然后当用户连接时,他们使用频道交换国王“gameId”的消息,只有他们两个都可以阅读(使用on.(gameId+"" ...
内容。
我的问题是,当玩家连接(第一个,然后是另一个)时,连接的第一个应该警告所接收的数据(因为第二个连接发出的消息)。你们中有谁知道为什么没有发生这种情况吗?
感谢。
答案 0 :(得分:13)
socket.io服务器应该像个中间人一样。它可以从客户端接收消息并向客户端发送消息。默认情况下,它不会充当“通道”,除非您让服务器将消息从客户端中继到其他客户端。
网站上有很多关于常见用途的好消息,http://socket.io及其回购,https://github.com/LearnBoost/socket.io
聊天客户端的一个简单示例可能是这样的:
var chat = io.connect("/play");
var channel = "ciao";
// When we connect to the server, join channel "ciao"
chat.on("connect", function () {
chat.emit("joinChannel", {
channel: channel
});
});
// When we receive a message from the server, alert it
// But only if they're in our channel
chat.on("message", function (data) {
if (data.channel == channel) {
alert(data.message);
}
});
// Send a message!
chat.emit("message", { message: "hola" });
虽然服务器可以这样做:
var messageExchange = io
.of('/play')
.on('connection', function (socket) {
// Set the initial channel for the socket
// Just like you set the property of any
// other object in javascript
socket.channel = "";
// When the client joins a channel, save it to the socket
socket.on("joinChannel", function (data) {
socket.channel = data.channel;
});
// When the client sends a message...
socket.on("message", function (data) {
// ...emit a "message" event to every other socket
socket.broadcast.emit("message", {
channel: socket.channel,
message: data.message
});
});
});