Understanding TypeScript Generics
Generics:
Generics in TypeScript enable the creation of flexible and reusable functions or components that work seamlessly with various data types, enhancing code type safety and maintainability.
Example 1: Without Generics
// Without Generics
function echo(input: any): any {
return input;
}
const result1 = echo(42); // result1 is of type 'any'
const result2 = echo("Hello"); // result2 is of type 'any'
Example 2: Using Generics
// Using Generics
function betterEcho<Type>(input: Type): Type {
return input;
}
const betterResult1 = betterEcho(42); // betterResult1 is of type 'number'
const betterResult2 = betterEcho("Hello"); // betterResult2 is of type 'string'
Key Points:
The
echo
function without generics uses theany
type, which can lead to a loss of type information.The
betterEcho
function uses generics<Type>
to maintain the type of the input, providing better type safety.When calling
betterEcho(42)
, TypeScript infers the type asnumber
, and when callingbetterEcho("Hello")
, it infers the type asstring
.
Using generics ensures that the output type is the same as the input type, enhancing code reliability and developer experience.
Stay tuned for more TypeScript insights and practical tips!
Subscribe to my newsletter
Read articles from Abdul Shaik directly inside your inbox. Subscribe to the newsletter, and don't miss out.
Written by