我很难让罪人--承诺处理打字本。@types/sinon-stub-promise中的定义文件缺少默认导出。我密切关注关于声明合并的文档,但它没有编译。
编译错误:
index.ts(4,18): error TS2345: Argument of type 'typeof 'sinon'' is not assignable to parameter of type 'SinonSandbox'.
Property 'clock' is missing in type 'typeof 'sinon''.
index.ts(6,25): error TS2339: Property 'stub' does not exist on type 'typeof 'sinon''. 西农的定义文件:
declare namespace Sinon {
// ...
interface SinonStubStatic {
(): SinonStub;
(obj: any): SinonStub;
(obj: any, method: string): SinonStub;
(obj: any, method: string, func: any): SinonStub;
}
// ...
interface SinonFakeTimers {
now: number;
create(now: number): SinonFakeTimers;
setTimeout(callback: (...args: any[]) => void, timeout: number, ...args: any[]): number;
// ...
}
interface SinonSandbox {
clock: SinonFakeTimers;
// ...
stub: SinonStubStatic;
// ...
}
}调整后的罪人--承诺类型:
// Generated by typings
// Source: https://raw.githubusercontent.com/DefinitelyTyped/DefinitelyTyped/7de6c3dd94feaeb21f20054b9f30d5dabc5efabd/sinon-stub-promise/sinon-stub-promise.d.ts
/// <reference path="../../../node_modules/@types/sinon/index.d.ts" />
declare module 'sinon' {
interface SinonPromise {
resolves(value?: any): void;
rejects(value?: any): void;
}
interface SinonStub {
returnsPromise(): SinonPromise;
}
}
// Added by me, because this is missing in the typings on dt
declare module 'sinon-stub-promise' {
function setup(sinon: Sinon.SinonSandbox): void;
export = setup;
}index.ts
import * as sinon from 'sinon';
import sinonStubPromise = require('sinon-stub-promise');
sinonStubPromise(sinon);发布于 2016-10-12 02:45:36
问题是,sinon的类型在@types/sinon/index.d.ts文件的最顶层(也就是在@types/sinon/index.d.ts文件的末尾)具有export:
declare var Sinon: Sinon.SinonStatic;
export = Sinon;这似乎使得无法使用环境模块进行扩展。
但是,如果您也将所有模块都外部化,那么它是可行的,但是我不知道如何使它与类型一起工作(另一方面,以@types的形式发布它似乎是可能的)。
将其放在sinon.d.ts文件中,放在index.d.ts旁边(这是如何声明外部sinon模块的扩展名-所有接口都将合并):
import "sinon";
declare module "sinon" {
export interface SinonPromise {
resolves(value?: any): void;
rejects(value?: any): void;
}
export interface SinonStub {
returnsPromise(): SinonPromise;
}
// had to add these from SinonSandbox to SinonStatic
//
// no idea if it's really supposed to have those methods
export interface SinonStatic {
requests: SinonFakeXMLHttpRequest;
server: SinonFakeServer;
useFakeServer(): SinonFakeServer;
restore(): void;
}
}将它放在sinon-stub-promise.d.ts文件中,放在index.ts旁边
import * as sinon from 'sinon';
declare function setup(sinon: sinon.SinonSandbox): void;
export = setup;然后,在你的index.ts
// in order to use your extension you have to import both here
import * as sinon from "sinon";
import "./sinon";
import sinonStubPromise = require("./sinon-stub-promise");
sinonStubPromise(sinon);
const mkdirStub = sinon.stub()
.returnsPromise().resolves(null);生成的javascript代码看起来不错:
"use strict";
var sinon = require("sinon");
var sinonStubPromise = require("sinon-stub-promise");
sinonStubPromise(sinon);
var mkdirStub = sinon.stub()
.returnsPromise().resolves(null);https://stackoverflow.com/questions/39987857
复制相似问题