什么是最简单的Socket.io示例的示例?

时间:2012-03-28 20:03:53

标签: node.js socket.io

所以,我最近一直试图了解Socket.io,但我不是一个超级好的程序员,几乎我在网上找到的每一个例子(相信我,我已经看了几个小时),有额外的东西,使事情复杂化。很多例子做了很多混淆我的事情,或连接到一些奇怪的数据库,或者使用coffeescript或大量混乱的JS库。

我很想看到一个基本的功能示例,其中服务器每隔10秒向客户端发送一条消息,说明它是什么时间,客户端将该数据写入页面或发出警报,某事非常简单。然后我可以从那里找出事情,添加我需要的东西,如数据库连接等等。是的,我已检查socket.io网站上的示例,他们不适合我,我不明白他们做什么

5 个答案:

答案 0 :(得分:142)

编辑:我觉得最好先咨询Socket.IO入门页面上的优秀chat example。由于我提供了这个答案,因此API已经非常简化了。话虽这么说,这是原始答案更新为小型新的API。

因为我今天感觉很好:

的index.html

<!doctype html>
<html>
    <head>
        <script src='/socket.io/socket.io.js'></script>
        <script>
            var socket = io();

            socket.on('welcome', function(data) {
                addMessage(data.message);

                // Respond with a message including this clients' id sent from the server
                socket.emit('i am client', {data: 'foo!', id: data.id});
            });
            socket.on('time', function(data) {
                addMessage(data.time);
            });
            socket.on('error', console.error.bind(console));
            socket.on('message', console.log.bind(console));

            function addMessage(message) {
                var text = document.createTextNode(message),
                    el = document.createElement('li'),
                    messages = document.getElementById('messages');

                el.appendChild(text);
                messages.appendChild(el);
            }
        </script>
    </head>
    <body>
        <ul id='messages'></ul>
    </body>
</html>

app.js

var http = require('http'),
    fs = require('fs'),
    // NEVER use a Sync function except at start-up!
    index = fs.readFileSync(__dirname + '/index.html');

// Send index.html to all requests
var app = http.createServer(function(req, res) {
    res.writeHead(200, {'Content-Type': 'text/html'});
    res.end(index);
});

// Socket.io server listens to our app
var io = require('socket.io').listen(app);

// Send current time to all connected clients
function sendTime() {
    io.emit('time', { time: new Date().toJSON() });
}

// Send current time every 10 secs
setInterval(sendTime, 10000);

// Emit welcome message on connection
io.on('connection', function(socket) {
    // Use socket to communicate with this particular client only, sending it it's own id
    socket.emit('welcome', { message: 'Welcome!', id: socket.id });

    socket.on('i am client', console.log);
});

app.listen(3000);

答案 1 :(得分:26)

这是我的提交!

如果你将这段代码放入一个名为hello.js的文件中,并使用节点hello.js运行它,它应该打印出消息hello,它已经通过2个套接字发送。

该代码显示了如何处理通过标记为// Mirror的代码部分从客户端弹回到服务器的hello消息的变量。

变量名称是在本地声明的,而不是在顶部声明,因为它们仅用于注释之间的每个部分。其中每个都可以在一个单独的文件中,并作为自己的节点运行。

// Server
var io1 = require('socket.io').listen(8321);

io1.on('connection', function(socket1) {
  socket1.on('bar', function(msg1) {
    console.log(msg1);
  });
});

// Mirror
var ioIn = require('socket.io').listen(8123);
var ioOut = require('socket.io-client');
var socketOut = ioOut.connect('http://localhost:8321');


ioIn.on('connection', function(socketIn) {
  socketIn.on('foo', function(msg) {
    socketOut.emit('bar', msg);
  });
});

// Client
var io2 = require('socket.io-client');
var socket2 = io2.connect('http://localhost:8123');

var msg2 = "hello";
socket2.emit('foo', msg2);

答案 2 :(得分:18)

也许这对你也有帮助。我在查看socket.io如何工作时遇到了一些麻烦,所以我试着尽可能多地煮一个例子。

我在此处发布的示例中调整了此示例:http://socket.io/get-started/chat/

首先,从一个空目录开始,创建一个名为 package.json 的非常简单的文件。将以下内容放入其中。

{
"dependencies": {}
}

接下来,在命令行中,使用npm来安装此示例所需的依赖项

$ npm install --save express socket.io

这可能需要几分钟,具体取决于您的网络连接速度/ CPU /等。要检查一切是否按计划进行,您可以再次查看 package.json 文件。

$ cat package.json
{
  "dependencies": {
    "express": "~4.9.8",
    "socket.io": "~1.1.0"
  }
}

创建一个名为 server.js 的文件。这显然是我们的节点运行的服务器。将以下代码放入其中:

var app = require('express')();
var http = require('http').Server(app);
var io = require('socket.io')(http);

app.get('/', function(req, res){

  //send the index.html file for all requests
  res.sendFile(__dirname + '/index.html');

});

http.listen(3001, function(){

  console.log('listening on *:3001');

});

//for testing, we're just going to send data to the client every second
setInterval( function() {

  /*
    our message we want to send to the client: in this case it's just a random
    number that we generate on the server
  */
  var msg = Math.random();
  io.emit('message', msg);
  console.log (msg);

}, 1000);

创建名为 index.html 的最后一个文件,并将以下代码放入其中。

<html>
<head></head>

<body>
  <div id="message"></div>

  <script src="/socket.io/socket.io.js"></script>
  <script>
    var socket = io();

    socket.on('message', function(msg){
      console.log(msg);
      document.getElementById("message").innerHTML = msg;
    });
  </script>
</body>
</html>

您现在可以测试这个非常简单的示例,并查看类似于以下内容的输出:

$ node server.js
listening on *:3001
0.9575486415997148
0.7801907607354224
0.665313188219443
0.8101786421611905
0.890920243691653

如果您打开一个Web浏览器,并将其指向您正在运行节点进程的主机名,您应该会在浏览器中看到相同的数字,以及查看同一页面的任何其他连接的浏览器。< / p>

答案 3 :(得分:10)

我意识到这篇文章已经有好几年的历史了,但有时像我这样经过认证的新手需要一个完全剥离到绝对最简单形式的工作实例。

我发现的每个简单的socket.io示例都涉及http.createServer()。但是如果你想在现有的网页中加入一些socket.io魔术呢?这是我能提出的最简单,最小的例子。

这只返回从控制台UPPERCASED传递的字符串。

app.js

var http = require('http');

var app = http.createServer(function(req, res) {
        console.log('createServer');
});
app.listen(3000);

var io = require('socket.io').listen(app);


io.on('connection', function(socket) {
    io.emit('Server 2 Client Message', 'Welcome!' );

    socket.on('Client 2 Server Message', function(message)      {
        console.log(message);
        io.emit('Server 2 Client Message', message.toUpperCase() );     //upcase it
    });

});

的index.html:

<!doctype html>
<html>
    <head>
        <script type='text/javascript' src='http://localhost:3000/socket.io/socket.io.js'></script>
        <script type='text/javascript'>
                var socket = io.connect(':3000');
                 // optionally use io('http://localhost:3000');
                 // but make *SURE* it matches the jScript src
                socket.on ('Server 2 Client Message',
                     function(messageFromServer)       {
                        console.log ('server said: ' + messageFromServer);
                     });

        </script>
    </head>
    <body>
        <h5>Worlds smallest Socket.io example to uppercase strings</h5>
        <p>
        <a href='#' onClick="javascript:socket.emit('Client 2 Server Message', 'return UPPERCASED in the console');">return UPPERCASED in the console</a>
                <br />
                socket.emit('Client 2 Server Message', 'try cut/paste this command in your console!');
        </p>
    </body>
</html>

运行:

npm init;  // accept defaults
npm  install  socket.io  http  --save ;
node app.js  &

使用类似port test之类的内容来确保您的端口处于打开状态。

现在浏览到http://localhost/index.html并使用浏览器控制台将消息发送回服务器。

最好猜测,当使用http.createServer时,它会为您更改以下两行:

<script type='text/javascript' src='/socket.io/socket.io.js'></script>
var socket = io();

我希望这个非常简单的例子可以让我的新手们有些挣扎。请注意我没有使用&#34;保留字&#34;查找我的套接字定义的用户定义变量名称。

答案 4 :(得分:0)

index.html

<!doctype html>
<html>
  <head>
    <title>Socket.IO chat</title>
    <style>
      * { margin: 0; padding: 0; box-sizing: border-box; }
      body { font: 13px Helvetica, Arial; }
      form { background: #000; padding: 3px; position: fixed; bottom: 0; width: 100%; }
      form input { border: 0; padding: 10px; width: 90%; margin-right: .5%; }
      form button { width: 9%; background: rgb(130, 224, 255); border: none; padding: 10px; }
      #messages { list-style-type: none; margin: 0; padding: 0; }
      #messages li { padding: 5px 10px; }
      #messages li:nth-child(odd) { background: #eee; }
      #messages { margin-bottom: 40px }
    </style>
  </head>
  <body>
    <ul id="messages"></ul>
    <form action="">
      <input id="m" autocomplete="off" /><button>Send</button>
    </form>
    <script src="https://cdn.socket.io/socket.io-1.2.0.js"></script>
    <script src="https://code.jquery.com/jquery-1.11.1.js"></script>
    <script>
      $(function () {
        var socket = io();
        $('form').submit(function(){
          socket.emit('chat message', $('#m').val());
          $('#m').val('');
          return false;
        });
        socket.on('chat message', function(msg){
          $('#messages').append($('<li>').text(msg));
          window.scrollTo(0, document.body.scrollHeight);
        });
      });
    </script>
  </body>
</html>

index.js

var app = require('express')();
var http = require('http').Server(app);
var io = require('socket.io')(http);
var port = process.env.PORT || 3000;

app.get('/', function(req, res){
  res.sendFile(__dirname + '/index.html');
});

io.on('connection', function(socket){
  socket.on('chat message', function(msg){
    io.emit('chat message', msg);
  });
});

http.listen(port, function(){
  console.log('listening on *:' + port);
});

然后运行这些命令以运行应用程序。

npm init;  // accept defaults
npm  install  socket.io  http  --save ;
node start

并打开URL:-http://127.0.0.1:3000/端口可能不同。 您会看到此输出

enter image description here