为什么 Ramda 在这个示例中工作,而原生 Array.map 或 Lodash 不工作?

Why does Ramda work in this example where native Array.map or Lodash do not?

在为写例子的过程中,遇到了这个问题:

为什么原生 Array.map 这样使用会报错:

[tmp1, tmp2].map(fs.createReadStream)
  .forEach(stream => stream.pipe(jsonStream));


fs.js:1664
    throw new TypeError('"options" argument must be a string or an object');
    ^

TypeError: "options" argument must be a string or an object
    at new ReadStream (fs.js:1664:11)
    at fs.createReadStream (fs.js:1649:10)
    at Array.map (native)

与 lodash 类似……但它在 ramda 上运行良好。

// Same error:
_.map([tmp1, tmp2], fs.createReadStream)
  .forEach(stream => stream.pipe(jsonStream));

// Works fine:
R.map(fs.createReadStream, [tmp1, tmp2])
  .forEach(stream => stream.pipe(jsonStream));

注意,这是参考问题的完整代码:

var fs = require('fs');
var path = require('path');
var JSONStream = require('JSONStream');

var tmp1 = path.join(__dirname, 'data', 'tmp1.json');
var tmp2 = path.join(__dirname, 'data', 'tmp2.json');

var jsonStream = JSONStream.parse();
jsonStream.on('data', function (data) {
  console.log('---\nFrom which file does this data come from?');
  console.log(data);
});

[tmp1, tmp2].map(p => {
  return fs.createReadStream(p);
}).forEach(stream => {
  stream.pipe(jsonStream);
});

fs.createReadStream的第二个参数应该是undefined不?

这很可能是由于 Array.prototype.map_.map 将三个参数传递给提供的映射函数(值、索引和集合),而 R.map 仅传递值。

在您的示例中,fs.createReadStream 被赋予数组索引作为其第二个参数,它期望一个选项对象或字符串,从而导致 "options" argument must be a string or an object 错误。如果你想以这种方式使用 Array.prototype.map_.map,你需要将方法调用包装在一个函数中以防止额外的参数:

[tmp1, tmp2].map(p => fs.createReadStream(p))