TypeScript:如何在编译时声明固定大小的数组以进行类型检查

时间:2017-02-24 14:42:09

标签: javascript typescript typechecking

更新:这些检查适用于编译时,而不适用于运行时。在我的示例中,失败的案例都是在编译时捕获的,我期待其他应该失败案例的类似行为。

假设我正在编写一个类似于表的类,我希望该类的所有成员都是相同长度的数组,如:

class MyClass {
  tableHead:  string[3]; // expect to be a 3 element array of strings
  tableCells: number[3]; // expect to be a 3 element array of numbers
}

到目前为止,我找到的最接近的解决方案是:

class MyClass {
  tableHead:  [string, string, string];
  tableCells: [number, number, number];
}

let bar = new MyClass();
bar.tableHead = ['a', 'b', 'c']; // pass
bar.tableHead = ['a', 'b'];      // fail
bar.tableHead = ['a', 'b', 1];   // fail

// BUT these also pass, which are expected to fail at compile time
bar.tableHead = ['a', 'b', 'c', 'd', 'e']; // pass
bar.push('d'); // pass
bar.push('e'); // pass

有更好的想法吗?

3 个答案:

答案 0 :(得分:4)

更新2:从版本3.4开始,OP要求的内容现在完全可以使用简洁的语法(Playground link):

minSdkVersion

更新1:从版本2.7开始,TypeScript现在可以distinguish between lists of different sizes

我认为不可能输入检查元组的长度。 Here是TypeScript的作者对此主题的看法。

我认为你所要求的并不是必需的。假设您定义了此类型

class MyClass {
  tableHead: readonly [string, string, string]
  tableCells: readonly [number, number, number]
}

并定义该类型的变量:

type StringTriplet = [string, string, string]

你无法从三元组中获得更多变量,例如

const a: StringTriplet = ['a', 'b', 'c']

会出错,但这不符合预期:

const [one, two, three, four] = a;

我认为缺乏限制长度的能力成为问题的唯一情况是例如当你const [one, two, three] = a; 超过三胞胎时

map

并且期望const result = a.map(/* some pure function */) 有3个元素,实际上它可以有3个以上。但是,在这种情况下,你将result视为集合而不是元组,所以这不是正确的元组语法用例。

答案 1 :(得分:0)

这是一个控制其内部数组长度的类的简单示例。这不是万无一失的(在获取/设置时你可能想要考虑你是浅层/深层克隆等:

https://jsfiddle.net/904d9jhc/

class ControlledArray {

  constructor(num) {
    this.a = Array(num).fill(0); // Creates new array and fills it with zeros
  }

  set(arr) {
    if (!(arr instanceof Array) || arr.length != this.a.length) {
      return false;
    }
    this.a = arr.slice();
    return true;
  }

  get() {
    return this.a.slice();
  }

}

$( document ).ready(function($) {

  var m = new ControlledArray(3);

  alert(m.set('vera')); // fail
  alert(m.set(['vera', 'chuck', 'dave'])); // pass

  alert(m.get()); // gets copy of controlled array

});

答案 2 :(得分:0)

Typescript: Can I define an n-length tuple type?开始,以编程方式,具有动态长度:

type Tuple<TItem, TLength extends number> = [TItem, ...TItem[]] & { length: TLength };

type Tuple9<T> = Tuple<T, 9>;