代码来自IPFS(行星际文件系统)HTTP API JS实现:https://github.com/ipfs/js-ipfs-api/blob/master/src/api/add.js
'use strict'
const Wreck = require('wreck')
module.exports = (send) => {
return function add(files, opts, cb) {
if (typeof(opts) === 'function' && cb === undefined) {
cb = opts
opts = {}
}
if (typeof files === 'string' && files.startsWith('http')) {
return Wreck.request('GET', files, null, (err, res) => {
if (err) return cb(err)
send('add', null, opts, res, cb)
})
}
return send('add', null, opts, files, cb)
}
}
所描述的功能是add()
功能,用于将数据推送到IPFS。
我将首先解释我做理解的内容:add()
函数有三个参数 - 如果没有options
对象(用户省略了它),它就是已被函数替换:用户正在尝试实现回调函数 - 将回调更改为opts
; cb = opts
。
其次,如果引用的文件是以&&
开头的文本文件http
- 它显然是远程托管的,我们需要使用Wreck
来获取它。
我理解所有这些,但为什么我们使用(send) =>
箭头功能?我们为什么要使用return function add...
? send('add', null, opts, res, cb)
和return send('add', null, opts, res, cb)
用于什么?如何实现回调(cb
)?帮助我了解这里发生的事情
答案 0 :(得分:2)
导出的整个内容是函数,它需要send
作为参数;这允许调用代码通过传入要使用的send
函数来执行依赖注入。它期望使用这样的东西:
let addBuilder = require("add");
let add = addBuilder(senderFunction);
// This function ----^
// is `send` in the `add.js` file.
// It does the actual work of sending the command
// Then being used:
add(someFiles, someOptions, () => {
// This is the add callback, which is `cb` in the `add.js` file
});
(通常,上面的前两个陈述是作为单个陈述编写的,例如let add = require("add")(senderFunction);
)
基本上,整个事情是一个使用给定send
函数的大型构建器,通过调用构建器将其注入其中。这样,它可以通过注入send
的测试版本来测试,并通过注入真实版本的send
来实现真实性。和/或send
的各种“真实”版本可用于不同的环境,传输机制等。