无法在TypeScript中从Observable.bindNodeCallback(fs.readFile)创建observable

时间:2017-04-18 02:31:16

标签: typescript rxjs rxjs5

我正在尝试使用rxjs 5在TypeScript中编写Node.js服务器,但在将fs.readFile转换为rxjs表单时遇到错误。我希望以下代码适用于TypeScript

// This is a JavaScript example from the official documentation. It should
// also work at the TypeScript envrionment.

import * as fs from 'fs';
import { Observable } from 'rxjs';

let readFileAsObservable = Observable.bindNodeCallback(fs.readFile);

// This is the line that throws the error.
let result = readFileAsObservable('./roadNames.txt', 'utf8');

result.subscribe(x => console.log(x), e => console.error(e));

但是,当我添加第二个参数'utf-8'

时,我的编辑器报告了一个TypeScript错误
Supplied parameters do not match any signature of call target.

我尝试找到有关如何在rxjs和TypeScript中使用fs.readFile()的指南,但没有多少运气。

2 个答案:

答案 0 :(得分:14)

使用TypeScript,

bindCallbackbindNodeCallback可能会非常棘手,因为它取决于TypeScript如何推断函数参数。

可能有更好的方法,但这就是我要确切看到的内容:将observable分配给完全不兼容的东西并密切关注受影响的错误。例如,这个:

const n: number = Observable.bindNodeCallback(fs.readFile);

会影响此错误:

Type '(v1: string) => Observable<Buffer>' is not assignable to type 'number'.

因此,很明显TypeScript与readFile的仅路径重载相匹配。

在这种情况下,我经常使用箭头函数来准确指定我想要使用的重载。例如,这个:

const n: number = Observable.bindNodeCallback((
  path: string,
  encoding: string,
  callback: (error: Error, buffer: Buffer) => void
) => fs.readFile(path, encoding, callback));

会影响此错误:

Type '(v1: string, v2: string) => Observable<Buffer>' is not assignable to type 'number'.

所以它现在匹配所需的重载,以下将起作用:

let readFileAsObservable = Observable.bindNodeCallback((
  path: string,
  encoding: string,
  callback: (error: Error, buffer: Buffer) => void
) => fs.readFile(path, encoding, callback));

let result = readFileAsObservable('./package.json', 'utf8');
result.subscribe(
  buffer => console.log(buffer.toString()),
  error => console.error(error)
);

答案 1 :(得分:1)

说实话,我还没有找到解决办法,但为了使其有效,我将其投入到一个功能中。

(<Function>Rx.Observable.bindNodeCallback(fs.readFile))('./file.txt', 'utf8').subscribe();