In this tutorial, we'll learn about optional and readonly properties in TypeScript interfaces. We'll understand their importance and use cases in making our TypeScript code more flexible and robust.
By the end of this tutorial, you will:
- Understand what optional and readonly properties are in TypeScript interfaces
- Learn how to declare and use these properties
- Be able to write more flexible and safer TypeScript code
Basic understanding of TypeScript and interfaces is required to follow this tutorial.
Optional properties in an interface allow us to create objects that may not include all properties defined in the interface. They are declared with a ?
after the property name.
Example:
interface Employee {
id: number;
name: string;
role?: string; // this is an optional property
}
Readonly properties in an interface are properties that cannot be changed after an object is created. These properties are declared with the readonly
keyword.
Example:
interface Employee {
readonly id: number;
name: string;
role?: string;
}
interface Employee {
id: number;
name: string;
role?: string; // optional property
}
// creating an object
let john: Employee = { id: 1, name: 'John' };
console.log(john);
// Expected output: { id: 1, name: 'John' }
In the above code, we didn't provide a value for the role
property while creating the john
object, and it's completely fine because role
is an optional property.
interface Employee {
readonly id: number;
name: string;
role?: string;
}
// creating an object
let john: Employee = { id: 1, name: 'John', role: 'Developer' };
john.id = 2; // This will give a compile-time error
In the above code, we're trying to change the value of the id
property which is a readonly property so it gives a compile-time error.
In this tutorial, we learned about optional and readonly properties in TypeScript interfaces. Optional properties allow us to create objects without needing all properties of the interface. Readonly properties make sure that a property value cannot be changed after an object is created.
For further learning, you can explore how these properties behave with classes and when they are part of an array or a function.
Create a Person
interface with firstName
, lastName
(optional), and age
(readonly) properties. Then create an object of this interface.
Create a Vehicle
interface with id
(readonly), type
, brand
and modelYear
(optional) properties. Create an object of this interface and try to change the id
property.
1.
interface Person {
firstName: string;
lastName?: string;
readonly age: number;
}
let john: Person = { firstName: 'John', age: 30 };
2.
interface Vehicle {
readonly id: number;
type: string;
brand: string;
modelYear?: number;
}
let car: Vehicle = { id: 1, type: 'Car', brand: 'Toyota', modelYear: 2020 };
car.id = 2; // This will give a compile-time error