node-red requireHttps不起作用,访问http不会重定向到https

问题描述 投票:0回答:2

我试图通过使用HTTPS,在this tutorial之后将节点红色实例暴露到互联网。 简而言之,我在node-red的setting.js中添加(取消注释)以下行:

var fs = require("fs");

requireHttps: true,

https: {
       key: fs.readFileSync('privatekey.pem'),
       cert: fs.readFileSync('certificate.pem')
},

https按预期工作。但是,http不会重定向到https,而是提供ERR_EMPTY_RESPONSE

有人可以帮忙吗?谢谢。

https node-red
2个回答
0
投票

这是按设计工作的,Node-RED一次只能侦听一个端口,因此当配置为使用HTTPS时,它不会响应HTTP流量。

这意味着您不能仅使用Node-RED从一个重定向到另一个。更好的解决方案是使用类似nginx的东西来反转Node-RED的代理并让它处理重定向。

从您链接到的文章:

注意:我没有使用SSL,因此您可能需要跳过此操作

你可以看到作者也错了,无法让它发挥作用。 。


0
投票

这样做没有任何其他Web服务器。

基于Node-RED documentation: Embedding into an existing app,node-RED运行由node.js提供的托管http和https服务器。

根据你给出的tuto,你不必覆盖settings.js。

要使这项工作,您必须创建自己的项目:

$ mkdir myNodeREDProject
$ cd myNodeRedProject
$ touch index.js
$ npm init
$ npm install node-red

将您的ssl私钥和证书复制到myNodeREDProject文件夹中。

编辑index.js并复制以下内容:

const https = require('https');
const express = require("express");
const RED = require("node-red");
const fs = require('fs');

const HTTP_PORT = 8080;
const HTTPS_PORT = 8443;

// Create an Express app
const app = express();

// at the top of routing: this is the http redirection to https part ;-)
app.all('*', (req, res, next) => {
  if (req.protocol === 'https') return next();
  res.redirect(`https://${req.hostname}:${HTTPS_PORT}${req.url}`);
});

// Add a simple route for static content served from 'public'
app.use("/",express.static("public"));

// Create a https server
const options = {
  key: fs.readFileSync('./privatekey.pem'),
  cert: fs.readFileSync('./certificate.pem')
};
const httpsServer = https.createServer(options, app);
// create a http server
const httpServer = http.createServer(app);

// Create the settings object - see default settings.js file for other options
const settings = {
  httpAdminRoot:"/red",
  httpNodeRoot: "/api",
  userDir:"./nodered/",
  functionGlobalContext: { }    // enables global context
};

// Initialise the runtime with a server and settings
RED.init(httpsServer,settings);

// Serve the editor UI from /red
app.use(settings.httpAdminRoot,RED.httpAdmin);

// Serve the http nodes UI from /api
app.use(settings.httpNodeRoot,RED.httpNode);

httpsServer.listen(HTTPS_PORT);
httpServer.listen(HTTP_PORT);

// Start the runtime
RED.start();

最后,运行node-RED应用程序:

$ node index.js   # MAGIC !!!

如果我错了,请不要犹豫,纠正我,我已经在我的Linux服务器上测试过了。

对不起我的英语不好。

© www.soinside.com 2019 - 2024. All rights reserved.