Dart 2 与 TypeScript 的“typeof”等价物是什么?

What is an equivalent for Dart 2 to `typeof` of TypeScript?

我是 Dart 2 的新手。我想要一个 class 有一个 属性。这是对其他 class 的引用。 它不是实例,而是class本身。在TypeScript中,可以这样写。 Dart 2 中有相同的方法吗?

class Item { }

class ItemList {
    itemClass: typeof Item;
}

const itemList = new ItemList();
itemList.itemClass = Item;

更新:
我添加了更多上下文。以下是最小示例代码。我想将实例化的角色委托给 super class.

class RecordBase {
    id = Math.random();
    toJson() {
        return { "id": this.id };
    };
}

class DbBase {
    recordClass: typeof RecordBase;
    create() {
        const record = new this.recordClass();
        const json = record.toJson();
        console.log(json);
    }
}

class CategoryRecord extends RecordBase {
    toJson() {
        return { "category": "xxxx", ...super.toJson() };
    };
}

class TagRecord extends RecordBase {
    toJson() {
        return { "tag": "yyyy", ...super.toJson() };
    };
}

class CategoryDb extends DbBase {
    recordClass = CategoryRecord;
}

class TagDb extends DbBase {
    recordClass = TagRecord;
}

const categoryDb = new CategoryDb();
categoryDb.create();

const tagDb = new TagDb();
tagDb.create();

我已经尝试将您的示例代码制作成 Dart。正如我之前所说,您无法获得对 class 的引用并根据此引用在运行时调用构造函数。

但是你可以引用构造你对象的方法class。

import 'dart:math';

class RecordBase {
  static final Random _rnd = Random();

  final int id = _rnd.nextInt(100000);

  Map<String, dynamic> toJson() => <String, dynamic>{'id': id};
}

abstract class DbBase {
  final RecordBase Function() getRecordClass;

  RecordBase record;
  Map<String, dynamic> json;

  DbBase(this.getRecordClass);

  void create() {
    record = getRecordClass();
    json = record.toJson();
    print(json);
  }
}

class CategoryRecord extends RecordBase {
  @override
  Map<String, dynamic> toJson() {
    return <String, dynamic>{'category': 'xxxx', ...super.toJson()};
  }
}

class TagRecord extends RecordBase {
  @override
  Map<String, dynamic> toJson() {
    return <String, dynamic>{'tag': 'yyyy', ...super.toJson()};
  }
}

class CategoryDb extends DbBase {
  CategoryDb() : super(() => CategoryRecord());
}

class TagDb extends DbBase {
  TagDb() : super(() => TagRecord());
}

void main() {
  final categoryDb = CategoryDb();
  categoryDb.create(); // {category: xxxx, id: 42369}

  final tagDb = TagDb();
  tagDb.create(); // {tag: yyyy, id: 97809}
}

我不确定 create() 方法应该被视为方法还是构造函数。所以我选择让它成为一种更接近你的代码的方法。