0

我的代码

import * as R from 'ramda';

import { ILPAsset } from 'shared/types/models';

interface TextMatchFunction {
  (part: string, typed: string): boolean;
}

const textMatch: TextMatchFunction = (part: string, typed: string) => typed.search(part) !== -1;

export const filterAssets = (txt: string, assets: ILPAsset[]): ILPAsset[] => {
  const checkText = (k: string, c: keyof ILPAsset) => (textMatch(txt, c[k].toLowerCase()) ? c : null);
  const curriedCheckText = R.curry(checkText);
  // @ts-ignore
  const bySymbol = R.map(curriedCheckText('symbol'), assets);
  return R.reject(R.isNil, bySymbol);
};

IPAsset 的接口

export interface ILPAsset {
  symbol: string;
  lastPayout: number;
  historical: number;
}

问题出在这一行:

const checkText = (k: string, c: keyof ILPAsset) => (textMatch(txt, c[k].toLowerCase()) ? c : null);

Typescript 期望 k 是一个数字c[k],而实际上它是 ILPAsset 中对象的键,在我的情况下它是字符串symbol

这将如何在 Typescript 中处理?

更新

顺便说一句,这是一种更简单的方法,但是对于未来有关密钥检查的问题,我得到了很好的答案:D

export const filterAssets = (typed: string, assets: ILPAsset[]): ILPAsset[] => {
  const checkSymbol = (asset: ILPAsset) => 
    asset.symbol.includes(typed.toUpperCase());
  return R.filter(checkSymbol, assets);
};
4

1 回答 1

1

问题是因为您k使用c. 既然你提到你期望k成为一个keyof ILPAsset,那就意味着c应该是ILPAsset。所以签名应该是:

const checkText = (k: keyof ILPAsset, c: ILPAsset) => (textMatch(txt, c[k].toLowerCase()) ? c : null);

剩下的问题是现在索引访问c[k]将不是类型string,因为ILPAsset同时包含numberstring键。

我们有两个解决方案。

我们可以检查是否c[k]为 astring以及是否不返回null

const checkText = (k: keyof ILPAsset, c: ILPAsset)  => {
  const v = c[k];

  return typeof v === 'string' ? (textMatch(txt, v.toLowerCase()) ? c : null): null;
} 

我们也可以过滤键,所以k只能是一个键string

type StringKeys<T> = { [P in keyof T] : T[P] extends string ? P: never}[keyof T]
const checkText = (k: StringKeys<ILPAsset>, c: ILPAsset)  => (textMatch(txt, c[k].toLowerCase()) ? c : null);

注意:唯一string的关键ILPAssetsymbol,也许您应该评估对k参数的需求。为什么不只是访问c.symbol

于 2018-09-25T21:10:14.790 回答