10

是否可以在一个文件中声明一个类并在单独的文件中定义其方法?

我有一些有很多方法的类,如果我能把它们展开一点就好了。

4

2 回答 2

8

简短回答: Typescript 不支持将类定义拆分为多个文件。

解决方法:您可以定义一个包含该类成员的接口,以及实现该接口的两个不同的类。然后将一个类的属性混合到另一个类,以形成一个组合类。例如:

大类.a.ts

interface LargeClass {
   methodA(): string;
   methodB(): string;
}

class LargeA implements LargeClass {
   methodA: () => string; // not implemented, needed since otherwise we don't extend LargeClass
   methodB() {
     return "Hello world";
   }
}

大类.b.ts

class LargeB implements LargeClass {
   methodA() {
     return "Foo";
   }
   methodB: () => string; // not implemented, needed since otherwise we don't extend LargeClass
}

用法.ts

// Using underscore's extend to copy implementation from A to B
var c:LargeClass = _.extend(new LargeA(), new LargeB());

// Manually mixing in a to b
var a = new LargeA();
var b:LargeClass = new LargeB();
for (var prop in a) {
    b[prop]=a[prop];
}

但是,如果您需要该类的构造函数,这将不起作用。确实它不是最理想的......解决方法仍然如此:)

哦,顺便说一句,这是因为打字稿不会为类发出统一的属性/字段类型声明——它只使用它们进行类型检查。

我也意识到你可以在没有接口的情况下做到这一点,而只是以更漂亮的方式构造类......我现在将如何做到这一点作为练习留给读者......

于 2012-10-03T10:38:59.017 回答
6

您可以从类本身以外的其他文件导入函数

这是类文件的示例:

import {func1, func2, func3} from "./functions"

class MyClass {
   public foo: string = "bar"
   public func1 = func1.bind(this)
   public func2 = func2.bind(this)
   public func3 = func3.bind(this)
}

以下是一个函数文件的示例:

import {MyClass} from "./MyClass"

export function func1(this: MyClass, param1: any, param2: any){
   console.log(this.foo)
   ...
} 

重要提示:确保每个导出的函数都不是箭头函数,因为您不能对箭头函数执行 bind(this)

于 2019-10-19T00:57:25.597 回答