node.js require 自动执行脚本 并生成html,nodejs 执行脚本并实时输出

接到需求

需要一个服务来执行shell脚本,要求可以实时打印shell脚本执行的过程,并看到脚本执行的结果。

明确任务目标:

这是一个web服务,需要执行shell脚本

当一个脚本执行的时候,再次发送请求需要等待当前脚本执行完毕,再自动执行这次请求

使用长连接而不是socket

添加脚本不需要重启服务器

这里采用的是express框架

开始

首先搭好express基本框架

新建app.js文件, npm install express

const express = require('express');

const app = express();

app.get('/:id', (req, res) => {

const { id } = req.params;

if (id === 'favicon.ico') {

res.sendStatus(200);

return;

}

// 执行脚本

});

app.set('port', 3018);

app.listen(app.get('port'), () => console.log(`server listening at ${app.get('port')}`));

新建文件

新建config.json用于配置id和脚本名的对应关系,新建scripts目录用于存放脚本。

这里定义一个函数execute参数为id和response对象,代码如下:

const pidDict = {};

async function execute(id, res) {

delete require.cache[require.resolve('./config.json')];

const config = require('./config.json');

const filePath = config[id];

if (!filePath) {

res.sendStatus(404);

return;

}

console.log(`The script:${filePath} with ${id} begin execute`);

const readable = new Readable();

readable._read = () => {};

readable.pipe(res);

while (pidDict[id]) {

readable.push('\nWaiting for another script request.');

await wait(5000);

}

const handle = spawn('sh', [`./scripts/${filePath}`]);

pidDict[id] = handle.pid;

handle.stdout.on('data', (data) => {

readable.push(`\n${data}`);

getLogger(filePath).log(`\n${data}`);

});

handle.stderr.on('data', (data) => {

getLogger(filePath).warn(`\n${data}`);

readable.push(`\n${data}`);

});

handle.on('error', (code) => {

getLogger(filePath).error(`child process error with information: \n${code}`);

readable.push(`child process error with information: \n${code}`);

delete pidDict[id];

readable.push(null);

});

handle.on('close', (code) => {

getLogger(filePath).log(`child process close with code ${code}`);

delete pidDict[id];

readable.push(null);

});

}

解释:

首先要加载config.json,需要注意的是,因为是需要动态引入,所以这里不能直接使用require('config.json'),在这之前,需要先删除引入的缓存:delete require.cache[require.resolve('./config.json')];

获取文件路径 const filePath = config[id];

新建读写流,可以直接发送到前端。

再执行脚本前,需要判断当前有无脚本执行,这里在外部定义了一个pidDict,文件对应的id直接指向文件执行的handle的pid

紧接着就是输入输出流了

handle.stdout是标准输出

handle.stderr是错误输出,这里指的是输出的警告

handle的error事件指的是脚本执行中遇到的错误,也就是脚本执行不成功报的错误信息

这里定义了两个外部函数,一个是自定义的日志打印,另一个是遇到有脚本执行时的等待

新建utility.js const fs = require('fs');

/**

* time wait

*

* @param time {number} time(ms) to wait

*/

/* eslint-disable compat/compat */

const wait = async (time = 1000) => {

return new Promise((resolve) => {

setTimeout(resolve, time);

});

};

/**

* set log

*

* getLogger(path).level

* level:

* log

* trace

* debug

* info

* warn

* error

* @param path

*/

function getLogger(path) {

return require('tracer').console({

transport: (data) => {

console.log(data.output);

fs.appendFile(`./logs/${path}.log`, `${data.rawoutput} \n`, () => {});

},

});

}

module.exports = {

wait,

getLogger,

};

新建脚本

现在,新建scripts/hello-world.sh

#!/bin/sh

echo 'hello...'

sleep 5

echo 'world!'

config.json中注册该脚本

{

"hello-world": "hello-world.sh"

}

执行node app.js,通过curl http://localhost:3018/hello-world即可观察到运行结果。

这里放上app.js的完整代码

const express = require('express');

const { spawn } = require('child_process');

const { Readable } = require('stream');

const { wait, getLogger } = require('./utility');

const app = express();

app.get('/:id', (req, res) => {

// 执行脚本

const { id } = req.params;

if (id === 'favicon.ico') {

res.sendStatus(200);

return;

}

execute(id, res).then();

});

const pidDict = {};

/**

* 执行sh脚本

*

* @param id 脚本id

* @param res response object

*/

/* eslint-disable no-underscore-dangle, no-await-in-loop */

async function execute(id, res) {

delete require.cache[require.resolve('./config.json')];

const config = require('./config.json');

const filePath = config[id];

if (!filePath) {

res.sendStatus(404);

return;

}

console.log(`The script:${filePath} with ${id} begin execute`);

const readable = new Readable();

readable._read = () => {};

readable.pipe(res);

while (pidDict[id]) {

readable.push('\nWaiting for another script request.');

await wait(5000);

}

const handle = spawn('sh', [`./scripts/${filePath}`]);

pidDict[id] = handle.pid;

handle.stdout.on('data', (data) => {

readable.push(`\n${data}`);

getLogger(filePath).log(`\n${data}`);

});

handle.stderr.on('data', (data) => {

getLogger(filePath).warn(`\n${data}`);

readable.push(`\n${data}`);

});

handle.on('error', (code) => {

getLogger(filePath).error(`child process error with information: \n${code}`);

readable.push(`child process error with information: \n${code}`);

delete pidDict[id];

readable.push(null);

});

handle.on('close', (code) => {

getLogger(filePath).log(`child process close with code ${code}`);

delete pidDict[id];

readable.push(null);

});

}

app.set('port', 3018);

app.listen(app.get('port'), () => console.log(`server listening at ${app.get('port')}`));

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/304954.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

128位加密SSL证书

SGC超真SSL(SGC ZhenSSL)属于 SGC Enabled High Assurance SSL, 是 WoSign 的增强型 SSL证书产品,支持 SGC 强制128位加密技术,即使用户的浏览器只支持 40 位( 如 IE4.X) 或 56 位 ( 如 IE5.X) 也能自动强制实现至少 128 位的高强度加密&…

eclipse连接mysql_专题一、flask构建mysql数据库正确姿势

每周壹总结,一起共同充电第121篇应用程序最核心的就是数据,每天我们写程序其实也是在处理数据的过程,那么很有必要系统性的讲讲和梳理python的flask框架是如何进行数据交互操作的。趁这3天假期,分4篇内容来系统的讲讲,…

C#多线程和异步(二)——Task和async/await详解

一、什么是异步同步和异步主要用于修饰方法。当一个方法被调用时,调用者需要等待该方法执行完毕并返回才能继续执行,我们称这个方法是同步方法;当一个方法被调用时立即返回,并获取一个线程执行该方法内部的业务,调用者…

从头到尾彻底理解傅里叶变换算法(上)

从头到尾彻底理解傅里叶变换算法(上) 前言 第一部分、 DFT 第一章、傅立叶变换的由来 第二章、实数形式离散傅立叶变换(Real DFT) 从头到尾彻底理解傅里叶变换算法、下 第三章、复数 第四章、复数形式离散傅立叶变换 前言&#x…

php sorcket_PHP: Sockets - Manual

socket_accept — Accepts a connection on a socketsocket_addrinfo_bind — Create and bind to a socket from a given addrinfosocket_addrinfo_connect — Create and connect to a socket from a given addrinfosocket_addrinfo_explain — Get information about addrin…

使用ADO.NET的参数集合来有效防止SQL注入漏洞

SQL注入漏洞是个老话题了,在以前做ASP做开发时,就经常需要用字符串的过虑等方式来解决这个问题,但有时候确做的不够彻底,往往让***钻了空子。那么目前在我们.NET中,不管是用WINFORM开发还是用WEBFORM,连接数…

HTML阅读位置,script在HTML文档中位置

从大红书中学习到的HTML文档解释方式:按照HTML文档中顺序依次从上到下解释解释过程中遇到就会异步的下载css然后继续向下解释遇到就会异步的下载图片,然后继续向下解释遇到我们该如何缓解同步执行的script脚本阻塞HTML的解释呢?将给用途&…

[Abp 源码分析]ASP.NET Core 集成

点击上方蓝字关注我们0. 简介整个 Abp 框架最为核心的除了 Abp 库之外,其次就是 Abp.AspNetCore 库了。虽然 Abp 本身是可以用于控制台程序的,不过那样的话 Abp 就基本没什么用,还是需要集合 ASP.NET Core 才能发挥它真正的作用。在 Abp.AspN…

python 正则匹配 条件太多怎么办_Python条件正则表达式

我的程序被赋予一个带参数的对象,我需要获取参数的值。 我的程序给出的对象如下所示:Object """{{objectName| parameter1random text| parameter2that may or may not| parameter3contain any letter (well, almost)| parameter4this i…

python分布式爬虫及数据存储_二十一 Python分布式爬虫打造搜索引擎Scrapy精讲—爬虫数据保存...

注意:数据保存的操作都是在pipelines.py文件里操作的将数据保存为json文件spider是一个信号检测# -*- coding: utf-8 -*-# Define your item pipelines here## Dont forget to add your pipeline to the ITEM_PIPELINES setting# See: http://doc.scrapy.org/en/lat…

从头到尾彻底理解傅里叶变换算法(下)

从头到尾彻底理解傅里叶变换算法(上),请看今天第一条。 以下继续: 第三章、复数 复数扩展了我们一般所能理解的数的概念,复数包含了实数和虚数两部分,利用复数的形式可以把由两个变量表示的表达式变成由一个…

ios html 转义字符串,ioS html的转义

标签:iosNSString *htmlString "快乐每一天,还剩365天";NSAttributedString *attributedString [[NSAttributedString alloc] initWithData:[htmlString dataUsingEncoding:NSUTF8StringEncoding] options:{NSDocumentTypeDocumentAttribute…

树莓派安装python3.5_梦见树_周公解梦梦到树是什么意思_做梦梦见树好不好_周公解梦官网...

梦见树是什么意思?做梦梦见树好不好?梦见树有现实的影响和反应,也有梦者的主观想象,请看下面由(周公解梦官网www.zgjm.org)小编帮你整理的梦见树的详细解说吧。树主健康,树笔直挺拔,象征着人的健康。 在梦中…

[Abp 源码分析]后台作业与后台工作者

点击上方蓝字关注我们0. 简介在某些时候我们可能会需要执行后台任务,或者是执行一些周期性的任务。比如说可能每隔 1 个小时要清除某个临时文件夹内的数据,可能用户会要针对某一个用户群来群发一组短信。前面这些就是典型的应用场景,在 Abp 框…

【转】x.509证书在WCF中的应用(CS篇)

【转自】x.509证书在WCF中的应用(CS篇) 为什么要用x.509证书? WCF的服务端和客户端之间&#xff0c;如 果不作任何安全处理(即服务端的<security mode"None">)&#xff0c;则所有传输的消息将以明文方式满天飞&#xff0c;在internet/intranet环境下无疑是很不…

汉字为什么能流传至今_汉字能流传至今,比毛不易还不易,它的同龄字统统都死掉了...

谁是中国历史上最牛逼的发明&#xff1f;造纸术、指南针&#xff1f;火药、活字印刷术&#xff1f;我觉得都不是我心中最牛逼的发明是来&#xff0c;你坐在椅子上闭上眼睛试着想象一下如果从没有过汉字&#xff0c;会怎么样&#xff1f;如果汉字灭绝了&#xff0c;会怎么样&…

从概念到案例:初学者须知的十大机器学习算法

本文先为初学者介绍了必知的十大机器学习&#xff08;ML&#xff09;算法&#xff0c;并且我们通过一些图解和实例生动地解释这些基本机器学习的概念。我们希望本文能为理解机器学习基本算法提供简单易读的入门概念。 机器学习模型 在《哈佛商业评论》发表「数据科学家是 21 世…

api接口怎么用_API接口的使用我这里用java和python都写出来了

实现调用API接口-阿里云大学​edu.aliyun.compythonimport urllib, sys import urllib.request import sslhost https://api01.aliyun.venuscn.com path /ip method GET appcode a661bca174e1458bacaf7a78d489c5f3 querys ip218.18.228.178 bodys {} url host path ?…

未发现android设备,Brother iPrintScan 应用程序上出现错误信息“未发现支持设备”(Android™ 智能手机)。...

相关型号DCP-110C, DCP-115C, DCP-120C, DCP-130C, DCP-145C, DCP-1518, DCP-1519, DCP-155C, DCP-1608, DCP-1619, DCP-165C, DCP-185C, DCP-330C, DCP-350C, DCP-385C, DCP-540CN, DCP-560CN, DCP-7010, DCP-7025, DCP-7030, DCP-7040, DCP-7055, DCP-7057, DCP-7060D, DCP-7…

baseresponse响应类_Java response响应体和文件下载实现原理

通过response 设置响应体&#xff1a;响应体设置文本&#xff1a;PrintWriter getWriter()获得字符流&#xff0c;通过字符流的write(String s)方法可以将字符串设置到response 缓冲区中&#xff0c;随后Tomcat会将response缓冲区中的内容组装成Http响应返回给浏览 器端。关于设…