3

我是 nodejs/expressjs 的新手。有人可以解释如何通过 https 提供页面吗?

这个问题我只好换个方式问了,stackoverflow在抱怨我的帖子主要是代码?

这是错误转储:

app.get('/', function(request, response) {
    ^

TypeError: Object # has no method 'get' 在 Object. (/home/john/startup/docm/w2.js:21:5) 在 Module._compile (module.js:456:26) 在 Object.Module._extensions..js (module.js:474:10) 在Module.load (module.js:356:32) 在 Function.Module._load (module.js:312:12) 在 Function.Module.runMain (module.js:497:10) 在启动时 (node.js:119 :16) 在 node.js:901:3

这是代码:

var express = require('express');
var   fs = require('fs');
var app = express();

var options = {
    ca:   fs.readFileSync('csr.pem'),
    cert: fs.readFileSync('cert.pem'),
    key:  fs.readFileSync('key.pem')
};


var server = require('https').createServer(options);
var portNo = 8889;
var app = server.listen(portNo, function() {
  console.log((new Date()) + " Server is listening on port " + 8888);
});

app.get('/', function(request, response) {
 app.use(express.static(__dirname));
 console.log('app.get slash');
 var buf = new Buffer(fs.readFileSync('index1.html'), 'utf-8');
 response.send(buf.toString('utf-8'));

});

我是 nodejs/expressjs 的新手。有人可以解释如何通过 https 提供页面吗?

4

1 回答 1

3

您的应用程序的问题在于您正在使用 HTTPS 实例覆盖您的 Express 实例。这是正确完成的方式:

var fs = require('fs');
var express = require('express');
var app = express();
var https = require('https');

var options = {
  ca: fs.readFileSync('csr.pem'),
  cert: fs.readFileSync('cert.pem'),
  key: fs.readFileSync('key.pem')
};

var server = https.createServer(options, app);
server.listen(443, function() {
  console.log((new Date()) + ' Server is listening on port 443');
});

app.use(express.static(__dirname));
app.get('/', function(req, res) {
 console.log('app.get slash');
 var file = fs.readFileSync('index1.html', {encoding: 'utf8'});
 res.send(file);
});

这些是您的代码中的错误:

  1. 而不是将 Express 传递给 HTTPS,而是使用 HTTPS 实例覆盖 Express。
  2. 您没有将 Express 应用程序传递给 HTTPS 实例。
  3. Expressstatic()中间件应在特定请求处理程序之外提供。
  4. readFileSync()尽管已经有一个编码选项,但您将一个缓冲区传递给另一个缓冲区以设置其编码。
于 2013-09-15T22:17:56.033 回答