在方法 TypeScript 中使用泛型类型



在打字稿中,我有以下代码:

public static sortByProperty<T>( array: T[], prop: string ): void 
{
      var availProps: string[] = Object.getOwnPropertyNames( T ); // or something typeof T, anyway I got error
      if(availProps.length>0 && availProps.indexOf(prop) > -1){
          return array.Sort(function(a, b) {
               var aItem = a[prop];
               var bItem = b[prop]; 
               return ((aItem < bItem ) ? -1 : ((aItem > bItem ) ? 1 : 0));
          });
      }
}

我想像

Test.sortByProperty<MyObject>(arrayOf_MyObject, "APropertyName");

我收到错误,T未知

为什么不让编译器为您进行属性检查。您可以键入prop参数作为keyof T编译器将强制执行它。

class Test {
  public static sortByProperty<T>(array: T[], prop: keyof T): void {
      array.sort(function (a, b) {
        var aItem = a[prop];
        var bItem = b[prop];
        return ((aItem < bItem) ? -1 : ((aItem > bItem) ? 1 : 0));
      });
  }
}
interface MyObject {
  test: string
}
Test.sortByProperty<MyObject>([{test: "something"}], "test"); // OK
Test.sortByProperty<MyObject>([{test: "something"}], "notaprop"); // Error

如果要自己检查属性,要回答原始问题,必须传递一个值以Object.getOwnPropertyNames如下内容: Object.getOwnPropertyNames(array[0])假设数组至少有一个项目。

你必须

将数组元素传递给Object.getOwnPropertyNames()而不是T。

T一旦编译在Javascript中就不再可用了。它仅适用于打字稿。您可以使用Object.getOwnPropertyNames(array[0])它应该通过 T 对象的所有属性进行迭代。

相关内容

  • 没有找到相关文章

最新更新