- TypeScript Tutorial
- TypeScript Home
- TypeScript Introduction
- TypeScript Setup
- TypeScript First Program
- TypeScript vs JavaScript
- TypeScript Data Types
- TypeScript Type Inference
- TypeScript Type Annotations
- TypeScript Interfaces
- TypeScript Enums
- TypeScript Type Aliases
- TypeScript Type Assertions
- TypeScript Variables
- TypeScript Functions
- TypeScript Functions
- TypeScript Optional Parameters
- TypeScript Default Parameters
- TypeScript Rest Parameters
- TypeScript Arrow Functions
- Classes and Objects
- Introduction to Classes
- Properties and Methods
- Access Modifiers
- Static Members
- Inheritance
- Abstract Classes
- Interfaces vs Classes
- Advanced Types
- TypeScript Union Types
- TypeScript Intersection Types
- TypeScript Literal Types
- TypeScript Nullable Types
- TypeScript Type Guards
- TypeScript Discriminated Unions
- TypeScript Index Signatures
- TypeScript Generics
- Introduction to Generics
- TypeScript Generic Functions
- TypeScript Generic Classes
- TypeScript Generic Constraints
- TypeScript Modules
- Introduction to Modules
- TypeScript Import and Export
- TypeScript Default Exports
- TypeScript Namespace
- Decorators
- Introduction to Decorators
- TypeScript Class Decorators
- TypeScript Method Decorators
- TypeScript Property Decorators
- TypeScript Parameter Decorators
- Configuration
- TypeScript tsconfig.json File
- TypeScript Compiler Options
- TypeScript Strict Mode
- TypeScript Watch Mode
TypeScript Generic Constraints
In TypeScript, you can apply constraints to generic types to restrict the kind of types that can be passed into a generic function, class, or interface. This ensures that the type provided meets certain requirements and has specific properties or methods. Using generic constraints makes your code more predictable and type-safe.
What are Generic Constraints?
Generic constraints allow you to restrict the type that can be used as a parameter in a generic function, class, or interface. You can use the extends
keyword to specify that a generic type parameter must extend a specific type or interface, or be a subclass of a class.
Syntax of Generic Constraints
The syntax for applying a generic constraint is as follows:
function functionName<T extends SomeType>(param: T) { ... }
T extends SomeType
: This specifies thatT
must extend (or be a subtype of)SomeType
.
Example of Using Generic Constraints
1. Basic Generic Constraints
Here’s an example of a generic function that accepts a parameter constrained by a specific type:
function printLength<T extends { length: number }>(value: T): void {
console.log(value.length);
}
printLength("Hello"); // Output: 5
printLength([1, 2, 3]); // Output: 3
// printLength(123); // Error: Argument of type 'number' is not assignable to parameter of type '{ length: number }'
- In this case, the generic parameter
T
is constrained to types that have alength
property (such asstring
orarray
). - The type
T
must include alength
property, otherwise TypeScript will throw an error.
2. Constraining a Class to Certain Types
You can also apply constraints to classes, ensuring that only objects of a specific type or its subclasses can be used as a type parameter.
class Animal {
name: string;
constructor(name: string) {
this.name = name;
}
}
class Dog extends Animal {
bark() {
console.log('Woof!');
}
}
class Cat extends Animal {
meow() {
console.log('Meow!');
}
}
function createInstance<T extends Animal>(type: { new(name: string): T }, name: string): T {
return new type(name);
}
const dog = createInstance(Dog, "Buddy");
dog.bark(); // Output: Woof!
const cat = createInstance(Cat, "Whiskers");
cat.meow(); // Output: Meow!
// const number = createInstance(Number, "123");
// Error: Argument of type 'typeof Number' is not assignable to parameter of type '{ new(name: string): Animal; }'
- The generic function
createInstance
accepts a constructor (type
) that extendsAnimal
, ensuring that only classes derived fromAnimal
can be used. Dog
andCat
are subclasses ofAnimal
, so they are valid. However, trying to use a type likeNumber
(which does not extendAnimal
) results in a compile-time error.
3. Using Multiple Constraints
You can also combine multiple constraints using the &
operator. This is useful when you want to ensure that a type satisfies more than one condition.
interface HasName {
name: string;
}
interface HasAge {
age: number;
}
function printDetails<T extends HasName & HasAge>(person: T): void {
console.log(`Name: ${person.name}, Age: ${person.age}`);
}
printDetails({ name: "Alice", age: 25 }); // Output: Name: Alice, Age: 25
// printDetails({ name: "Bob" }); // Error: Property 'age' is missing in type '{ name: string; }' but required in type 'HasAge'
- In this example, the generic constraint ensures that the type
T
must extend bothHasName
andHasAge
interfaces. The&
operator is used to combine the two interfaces. - If
T
does not have bothname
andage
, TypeScript will produce an error.
Example of Using Generic Constraints with Interfaces
You can apply constraints to interfaces as well, allowing you to define a more specific structure for the generic types.
interface Printable {
print(): void;
}
class Document implements Printable {
print() {
console.log("Printing document...");
}
}
class Image implements Printable {
print() {
console.log("Printing image...");
}
}
function printObject<T extends Printable>(obj: T): void {
obj.print();
}
const doc = new Document();
const img = new Image();
printObject(doc); // Output: Printing document...
printObject(img); // Output: Printing image...
- The
printObject
function accepts only objects that extend thePrintable
interface, ensuring that the object passed has aprint
method.
Constraints with Default Types
You can also apply default types with constraints to make the usage of generics more flexible.
class Box<T extends { length: number } = string> {
value: T;
constructor(value: T) {
this.value = value;
}
getLength(): number {
return this.value.length;
}
}
const box1 = new Box("Hello");
console.log(box1.getLength()); // Output: 5
const box2 = new Box([1, 2, 3]);
console.log(box2.getLength()); // Output: 3
- In this example, the default type for
T
isstring
. If no type is specified when creating the instance, it will usestring
, but you can still provide a different type (likearray
).
Summary
Generic constraints in TypeScript allow you to restrict the types that can be passed to a generic function, class, or interface, ensuring type safety while maintaining flexibility. Key points to remember include:
- Constraining with
extends
: You can useextends
to specify that a type parameter must satisfy certain conditions. - Combining Constraints: Multiple constraints can be combined using the
&
operator. - Using Constraints with Classes and Interfaces: Constraints can be applied to classes, interfaces, and even function parameters.
- Default Types: You can specify default types for generics, which can be overridden as needed.
Using generic constraints effectively helps you write flexible, reusable, and type-safe code.