javascript – Node.js教程web服务器没有响应

前端之家收集整理的这篇文章主要介绍了javascript – Node.js教程web服务器没有响应前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我在尝试启动Node.js时正在查看 this帖子,我开始使用 this guide来学习基础知识.

我的服务器的代码是:

var http = require('http');

http.createServer(function (request,response) {
    request.on('end',function() {
        response.writeHead(200,{
            'Content-Type' : 'text/plain'
        });
        response.end('Hello HTTP!');
    });
}).listen(8080);

当我去localhost:8080(根据指南),我得到一个’没有数据收到’错误.我看到一些页面说https://是必需的,但是会返回’SSL Connection Error’.我无法弄清楚我错过了什么.

解决方法

您的代码中的问题是“end”事件永远不会被触发,因为您正在使用Stream2请求流,就好像它是Stream1一样.阅读迁移教程 – http://blog.nodejs.org/2012/12/20/streams2/

要将其转换为“旧模式流行为”,您可以添加“data”事件处理程序或“.resume()”调用

var http = require('http');

http.createServer(function (request,response) {
    request.resume();
    request.on('end',function() {

        response.writeHead(200,{
            'Content-Type' : 'text/plain'
        });
        response.end('Hello HTTP!');
    });
}).listen(8080);

如果您的示例是http GET处理程序,则您已经拥有所有标头,并且不需要等待正文:

var http = require('http');

http.createServer(function (request,response) {
  response.writeHead(200,{
    'Content-Type' : 'text/plain'
  });
  response.end('Hello HTTP!');
}).listen(8080);
原文链接:https://www.f2er.com/js/154274.html

猜你在找的JavaScript相关文章