0

I have function like:

getSomething<T>(value: T): any{
    const temp = this.doSomething<T>(value);
...
}

doSomething<T>(value: T): any {
    return value.replace(/\s/g, '');
}

Initially the value passed has a type specific type T, I know full well that in the final function it will be a string. However, doing it this way I can't use replace function. Help.

1
  • Try return <string>value.replace() ? Or (value as string).replace() Commented Nov 2, 2021 at 13:40

2 Answers 2

3

You need to say that value would have string methods. Like this:

getSomething<T extends string>(value: T): any{
    const temp = this.doSomething<T>(value);
...
}

doSomething<T extends string>(value: T): any {
    return value.replace(/\s/g, '');
}
Sign up to request clarification or add additional context in comments.

1 Comment

Ha that's interesting, I never knew this
0

Think about your problem in the following way:

  1. How can I be sure that provided type has "replace()" method?
  2. What would happen if I provide different type e.g. number or null?

You have to somehow tell Typescript that you expect to get an argument that has method "replace()". You can do it by creating additional interface and mention that generic type extends that interface:

interface Replacable {
  replace: (regexp: RegExp, str: string) => string
}

function getSomething<T extends Replacable>(value: T): any{
    const temp = doSomething<T>(value);
    console.log(temp);
}

function doSomething<T  extends Replacable>(value: T): any {
    return value.replace(/\s/g, '');
}

Read more about Generic Constraints here: https://www.typescriptlang.org/docs/handbook/2/generics.html#generic-constraints

Comments

Your Answer

By clicking “Post Your Answer”, you agree to our terms of service and acknowledge you have read our privacy policy.

Start asking to get answers

Find the answer to your question by asking.

Ask question

Explore related questions

See similar questions with these tags.