3

如何使用npm脚本和postinstall钩子来显示npm包的许可证。现在我正在这样做:

  "scripts": {
    "test": "echo \"Error: no test specified\" && exit 1",
    "postinstall": "cat ./MIT-license.txt"
  },

package.json。但这在 Windows 上失败了,因为,cat. 我知道我们可以type在 windows 上使用通过控制台输出文件的内容,但是如何在 npm 脚本中执行此操作(cat在 windows 和typeunix/mac 上不会失败)?

4

1 回答 1

3

如果我理解正确,您需要一个跨平台机制来将文件的内容记录到控制台。我认为最简单的方法是通过自定义 Node 脚本,因为您知道用户将安装 Node,无论他们的操作系统是什么。

只需编写这样的脚本:

// print-license.js
'use strict';

const fs = require('fs');

fs.readFile('./MIT-license.txt', 'utf8', (err, content) => {
  console.log(content);
});

然后,在你的 package.json 中:

// package.json
"scripts": {
  "postinstall": "node ./print-license.js"
},

或者,如果你不想要一个单独的脚本,这只是足够短,可以内联,如下所示:

// package.json
"scripts": {
  "postinstall": "node -e \"require('fs').readFile('./MIT-license.txt', 'utf8', function(err, contents) { console.log(contents); });\""
},

更新

现在我考虑了一下,使用可重用的可执行文件可能会更好,它允许您将文件指定为命令行参数。这也很简单:

// bin/printfile
#!/usr/bin/env node
'use strict';

const FILE = process.argv[2];

require('fs').readFile(FILE, 'utf8', (err, contents) => {
  console.log(contents);
});

并将以下内容添加到您的 package.json 中:

// package.json
"bin": {
  "printfile": "./bin/printfile"
},
"scripts": {
  "postinstall": "printfile ./MIT-license.txt"
}
于 2016-02-21T03:05:21.117 回答