Typescript在对象中创建函数,返回接口的关联键的类型

ijxebb2r  于 2022-12-24  发布在  TypeScript
关注(0)|答案(1)|浏览(198)

我想知道是否有一种方法可以在typescript中做到这一点。假设我有一个this接口:

  1. interface Transaction {
  2. amount: number;
  3. order_date: Date;
  4. id: string;
  5. }

我想创建一个名为Mapper的类型,它将把从外部API接收到的json的每个键Map到我自己的接口,例如:

  1. const ExternalAPIMapper: Mapper = {
  2. amount: (raw_transaction) => raw_transaction.sale_amount,
  3. order_date: ({ transaction_date }) => dayjs(transaction_date, 'YYYY.MM.DD').toDate()),
  4. id: ({ transaction_id }) => transaction_id
  5. }

我创建了以下类型:

  1. type Mapper = Record<keyof Transaction, ((t: any) => any)>

但是这个类型的问题是我的函数可以返回任何类型,我希望被类型化的函数返回与键相关联的类型,这可能吗?
如果它工作的话,我可以Map任何外部API的JSON,只需要一个Map器和这个函数:

  1. const mapNetworkTransaction = (
  2. object: Record<string, string>,
  3. mapper: Mapper,
  4. ): Transaction => {
  5. const txn = { };
  6. for (let i = 0; i < txnFields.length; i++) {
  7. const txnField = txnFields[i];
  8. const accessor = mapper[txnField];
  9. if (accessor) {
  10. txn[txnField] = accessor(object);
  11. }
  12. }
  13. return txn;
  14. };
wh6knrhe

wh6knrhe1#

您应该改用mapped type

  1. type Mapper = {
  2. [K in keyof Transaction]: (t: any) => Transaction[K]
  3. }

这将生成如下所示的类型:

  1. type Mapper = {
  2. amount: (t: any) => number;
  3. order_date: (t: any) => Date;
  4. id: (t: any) => string;
  5. }

Playground

相关问题