TypeScript
A strongly typed programming language that builds on JavaScript, giving you better tooling at any scale.
Questions
Explain what TypeScript is and the key differences between TypeScript and JavaScript.
Expert Answer
Posted on Mar 26, 2025TypeScript is a statically typed superset of JavaScript developed by Microsoft that compiles to plain JavaScript. It fundamentally extends JavaScript by adding static type definitions and compile-time type checking while preserving JavaScript's runtime behavior.
Technical Differences:
- Type System Architecture: TypeScript implements a structural type system rather than a nominal one, meaning type compatibility is determined by the structure of types rather than explicit declarations or inheritance.
- Compilation Process: TypeScript uses a transpilation workflow where source code is parsed into an Abstract Syntax Tree (AST), type-checked, and then emitted as JavaScript according to configurable target ECMAScript versions.
- Type Inference: TypeScript employs sophisticated contextual type inference to determine types when they're not explicitly annotated.
- Language Services: TypeScript provides language service APIs that enable IDE features like code completion, refactoring, and intelligent navigation.
Advanced Type Features (Not in JavaScript):
// Generics
function identity<T>(arg: T): T {
return arg;
}
// Union Types
type StringOrNumber = string | number;
// Type Guards
function isString(value: any): value is string {
return typeof value === "string";
}
// Intersection Types
interface ErrorHandling {
success: boolean;
error?: { message: string };
}
interface ArtworksData {
artworks: { title: string }[];
}
type ArtworksResponse = ArtworksData & ErrorHandling;
Technical Comparison:
Feature | JavaScript | TypeScript |
---|---|---|
Type Checking | Dynamic (runtime) | Static (compile-time) + Dynamic |
Error Detection | Runtime | Compile-time + Runtime |
Module Systems | CommonJS, ES Modules | CommonJS, ES Modules, AMD, UMD, System |
Developer Experience | Less IDE support | Rich IDE integration via language server protocol |
TypeScript's type system is notably non-sound by design - it prioritizes pragmatism and JavaScript compatibility over complete type safety. This allows TypeScript to type-check JavaScript patterns that might be technically unsafe but widely used.
Advanced Insight: TypeScript's structural type system has implications for how you design code - it enables "duck typing" patterns while still providing type safety. Understanding the nuances of structural typing vs. nominal typing is crucial for effective TypeScript architecture.
Beginner Answer
Posted on Mar 26, 2025TypeScript is a programming language that builds upon JavaScript by adding static type checking. Here's how they differ:
Key Differences:
- Types: JavaScript is dynamically typed (types are checked at runtime), while TypeScript adds optional static typing (types are checked at compile time).
- Compilation: TypeScript code needs to be compiled into JavaScript before running in browsers or Node.js.
- Syntax: TypeScript includes everything from JavaScript plus additional features like interfaces, enums, and type annotations.
Example:
// JavaScript
function add(a, b) {
return a + b;
}
// TypeScript
function add(a: number, b: number): number {
return a + b;
}
Tip: Think of TypeScript as JavaScript with added safety features. It helps catch errors before your code runs!
The TypeScript compiler converts your TypeScript code into regular JavaScript that can run in any browser or JavaScript environment.
Describe the advantages and practical benefits of using TypeScript in development projects compared to using plain JavaScript.
Expert Answer
Posted on Mar 26, 2025TypeScript offers substantial technical advantages over JavaScript in development workflows and code quality, particularly at scale. These benefits span various dimensions:
Developer Productivity and Code Quality:
- Static Analysis Engine: TypeScript's type checker provides compile-time verification that prevents entire categories of bugs, including null/undefined errors, type mismatches, and property access errors.
- Advanced IDE Integration: TypeScript's language server protocol enables sophisticated editor features like precise code navigation, refactoring tools, and context-aware completion that understand the entire project graph.
- Contextual Type Inference: TypeScript can infer types across contexts, reducing explicit annotation needs while maintaining safety.
- Code Contracts: Interfaces and type declarations serve as verifiable contracts between modules and APIs.
Architecture and System Design:
- API Surface Definition: TypeScript allows explicit modeling of API surfaces using declaration files and interfaces, clarifying module boundaries.
- Architectural Enforcement: Types can enforce architectural constraints that would otherwise require runtime checking or convention.
- Pattern Expression: Generic types, conditional types, and mapped types allow encoding complex design patterns with compile-time verification.
Advanced Type Safety Example:
// TypeScript allows modeling state machine transitions at the type level
type State = "idle" | "loading" | "success" | "error";
// Only certain transitions are allowed
type ValidTransitions = {
idle: "loading";
loading: "success" | "error";
success: "idle";
error: "idle";
};
// Function that enforces valid state transitions at compile time
function transition<S extends State, T extends State>(
current: S,
next: Extract<ValidTransitions[S], T>
): T {
console.log(`Transitioning from ${current} to ${next}`);
return next;
}
// This will compile:
let state: State = "idle";
state = transition(state, "loading");
// This will fail to compile:
// state = transition(state, "success"); // Error: "success" is not assignable to "loading"
Team and Project Scaling:
- Explicit API Documentation: Type annotations serve as verified documentation that can't drift from implementation.
- Safe Refactoring: Types create a safety net for large-scale refactoring by immediately surfacing dependency violations.
- Module Boundary Protection: Public APIs can be strictly typed while implementation details remain flexible.
- Progressive Adoption: TypeScript's gradual typing system allows incremental adoption in existing codebases.
Technical Benefits Comparison:
Aspect | JavaScript | TypeScript |
---|---|---|
Risk Management | Relies on runtime testing | Combines static verification with runtime testing |
Refactoring | Brittle, requires comprehensive test coverage | Compiler verifies correctness across the dependency graph |
Onboarding | Relies on documentation and tribal knowledge | Types provide verifiable API contracts and constraints |
Code Navigation | Limited to text-based search | Semantic understanding of references and implementations |
API Design | Documentation-driven | Contract-driven with compile-time verification |
Advanced Insight: TypeScript's true value proposition scales with project complexity. In large systems, TypeScript's type system becomes a form of executable documentation that ensures system-wide consistency. For maximum benefit, focus on modeling your domain with precise types rather than using overly permissive types like any
.
TypeScript's ROI increases significantly with: codebase size, team size, project lifespan, and system complexity. Its compile-time safety eliminates entire categories of bugs that would otherwise require extensive runtime testing, while its structural type system maintains the flexibility that makes JavaScript productive.
Beginner Answer
Posted on Mar 26, 2025TypeScript offers several important benefits over plain JavaScript that make development easier and more reliable:
Key Benefits:
- Better Error Catching: TypeScript catches errors during development rather than at runtime, saving debugging time.
- Code Completion: TypeScript enables better autocompletion and suggestions in your editor, making coding faster.
- Easier Refactoring: When you change one part of your code, TypeScript helps ensure you update all related parts correctly.
- Self-Documenting Code: Type annotations serve as built-in documentation about how functions and objects should be used.
- Safer Updates: TypeScript helps prevent breaking changes when modifying existing code.
Example of Catching Errors:
// JavaScript - This error only appears when running the code
function getLength(obj) {
return obj.length; // Runtime error if obj doesn't have length
}
// TypeScript - Error caught during development
function getLength(obj: { length: number }) {
return obj.length; // Safe - TypeScript ensures obj has length
}
Tip: You can gradually add TypeScript to an existing JavaScript project - you don't have to convert everything at once!
TypeScript is especially helpful for larger projects with multiple developers, as it makes the code more predictable and easier to understand.
Explain the basic primitive data types available in TypeScript and provide examples of how to declare variables with these types.
Expert Answer
Posted on Mar 26, 2025TypeScript's type system is built on JavaScript's dynamic types but adds static type checking. The fundamental primitive types reflect JavaScript's primitive values with additional compile-time checks:
Core Primitive Types:
- number: Represents all numeric values including integers, floats, and special values like NaN, Infinity
- string: Represents textual data with UTF-16 code units
- boolean: Represents logical values
- null: Has only one value - null (technically an object in JavaScript but a primitive in TypeScript's type system)
- undefined: Has only one value - undefined
- symbol: Represents unique identifiers, introduced in ES6
- bigint: Represents arbitrary precision integers (ES2020)
Advanced Type Examples:
// Type literals
const exactValue: 42 = 42; // Type is literally the number 42
const status: "success" | "error" = "success"; // Union of string literals
// BigInt
const bigNumber: bigint = 9007199254740991n;
// Symbol with description
const uniqueKey: symbol = Symbol("entity-id");
// Binary/Octal/Hex
const binary: number = 0b1010; // 10 in decimal
const octal: number = 0o744; // 484 in decimal
const hex: number = 0xA0F; // 2575 in decimal
// Ensuring non-nullable
let userId: number; // Can be undefined before initialization
let requiredId: number = 1; // Must be initialized
// Working with null
function process(value: string | null): string {
// Runtime check still required despite types
return value === null ? "Default" : value;
}
TypeScript Primitive Type Nuances:
- Type Hierarchy: null and undefined are subtypes of all other types when strictNullChecks is disabled
- Literal Types: TypeScript allows literal values to be treated as types (const x: "error" = "error")
- Type Widening: TypeScript may widen literal types to their base primitive type during inference
- Type Assertion: Use const assertions to prevent widening: const x = "hello" as const;
Best Practice: Enable strictNullChecks in tsconfig.json to prevent null/undefined assignment to other types. This is part of the "strict" option and catches many potential runtime errors:
{
"compilerOptions": {
"strictNullChecks": true
}
}
Type Behavior Comparison:
Feature | With strictNullChecks | Without strictNullChecks |
---|---|---|
Null assignment | Error unless type allows null | Allowed for any type |
Type safety | Higher | Lower |
Beginner Answer
Posted on Mar 26, 2025TypeScript includes several basic primitive types that represent simple data values. These are the building blocks for defining variables in your code:
Basic Primitive Types:
- number: Represents both integer and floating-point values
- string: Represents text data
- boolean: Represents true/false values
- null: Represents an intentional absence of a value
- undefined: Represents an uninitialized variable
- symbol: Represents a unique identifier
Example:
// Number
let age: number = 30;
let price: number = 19.99;
// String
let name: string = "John";
let greeting: string = `Hello, ${name}!`;
// Boolean
let isActive: boolean = true;
let hasPermission: boolean = false;
// Null and Undefined
let user: null = null;
let data: undefined = undefined;
// Symbol
let uniqueId: symbol = Symbol("id");
Tip: TypeScript will often infer these types automatically, so you don't always need to explicitly declare them. For example, let name = "John"
will automatically be inferred as type string
.
Explain the difference between arrays and tuples in TypeScript, and demonstrate how to define and work with each.
Expert Answer
Posted on Mar 26, 2025TypeScript provides sophisticated type handling for both arrays and tuples, with several advanced features and patterns that address complex use cases and edge conditions.
Advanced Array Typing:
Multidimensional Arrays:
// 2D array (matrix)
const matrix: number[][] = [
[1, 2, 3],
[4, 5, 6]
];
// Accessing elements
const element = matrix[0][1]; // 2
// 3D array
const cube: number[][][] = [
[[1, 2], [3, 4]],
[[5, 6], [7, 8]]
];
Readonly Arrays:
// Prevents mutations
const fixedNumbers: ReadonlyArray = [1, 2, 3];
// fixedNumbers.push(4); // Error: Property 'push' does not exist
// Alternative syntax
const altFixedNumbers: readonly number[] = [1, 2, 3];
// Type assertion with readonly
function processItems(items: readonly T[]): T[] {
// Cannot modify items here
return [...items, ...items]; // But can create new arrays
}
Array Type Manipulation:
// Union type arrays
type Status = "pending" | "approved" | "rejected";
const statuses: Status[] = ["pending", "approved", "pending"];
// Heterogeneous arrays with union types
type MixedType = string | number | boolean;
const mixed: MixedType[] = [1, "two", true, 42];
// Generic array functions with constraints
function firstElement(arr: T[]): T | undefined {
return arr[0];
}
// Array mapping with type safety
function doubled(nums: number[]): number[] {
return nums.map(n => n * 2);
}
Advanced Tuple Patterns:
Optional Tuple Elements:
// Last element is optional
type OptionalTuple = [string, number, boolean?];
const complete: OptionalTuple = ["complete", 100, true];
const partial: OptionalTuple = ["partial", 50]; // Third element optional
// Multiple optional elements
type PersonRecord = [string, string, number?, Date?, string?];
Rest Elements in Tuples:
// Fixed start, variable end
type StringNumberBooleans = [string, number, ...boolean[]];
const snb1: StringNumberBooleans = ["hello", 42, true];
const snb2: StringNumberBooleans = ["world", 100, false, true, false];
// Fixed start and end with variable middle
type StartEndTuple = [number, ...string[], boolean];
const startEnd: StartEndTuple = [1, "middle", "parts", "can vary", true];
Readonly Tuples:
// Immutable tuple
type Point = readonly [number, number];
function distance(p1: Point, p2: Point): number {
// p1 and p2 cannot be modified
return Math.sqrt(Math.pow(p2[0] - p1[0], 2) + Math.pow(p2[1] - p1[1], 2));
}
// With const assertion
const origin = [0, 0] as const; // Type is readonly [0, 0]
Tuple Type Manipulation:
// Extracting tuple element types
type Tuple = [string, number, boolean];
type A = Tuple[0]; // string
type B = Tuple[1]; // number
type C = Tuple[2]; // boolean
// Destructuring with type annotations
function processPerson(person: [string, number]): void {
const [name, age]: [string, number] = person;
console.log(`${name} is ${age} years old`);
}
// Tuple as function parameters with destructuring
function createUser([name, age, active]: [string, number, boolean]): User {
return { name, age, active };
}
Performance Consideration: While TypeScript's types are erased at runtime, the data structures persist. Tuples are implemented as JavaScript arrays under the hood, but with the added compile-time type checking:
// TypeScript
const point: [number, number] = [10, 20];
// Becomes in JavaScript:
const point = [10, 20];
This means there's no runtime performance difference between arrays and tuples, but tuples provide stronger typing guarantees during development.
Practical Pattern: Named Tuples
// Creating a more semantic tuple interface
interface Vector2D extends ReadonlyArray {
0: number; // x coordinate
1: number; // y coordinate
length: 2;
}
function createVector(x: number, y: number): Vector2D {
return [x, y] as Vector2D;
}
const vec = createVector(10, 20);
const x = vec[0]; // More clearly represents x coordinate
Advanced Comparison:
Feature | Arrays | Tuples |
---|---|---|
Type Safety | Homogeneous elements | Heterogeneous with position-specific types |
Type Inference | Inferred as array of union types | Requires explicit typing or const assertion |
Use Case | Collections of same-typed items | Return multiple values, fixed-format records |
Beginner Answer
Posted on Mar 26, 2025Arrays and tuples are both collection types in TypeScript that store multiple values, but they have important differences in how they're used.
Arrays in TypeScript:
An array is a collection of values of the same type. The length can vary during runtime.
Defining Arrays:
// Method 1: Using type[]
let numbers: number[] = [1, 2, 3, 4, 5];
let names: string[] = ["Alice", "Bob", "Charlie"];
// Method 2: Using Array
let fruits: Array = ["Apple", "Banana", "Orange"];
Working with Arrays:
// Adding elements
names.push("David");
// Accessing elements
let firstPerson = names[0]; // "Alice"
// Finding the length
let count = numbers.length; // 5
// Iterating through an array
for (let fruit of fruits) {
console.log(fruit);
}
Tuples in TypeScript:
A tuple is an array with a fixed number of elements whose types are known but don't have to be the same.
Defining Tuples:
// A pair of values with different types
let person: [string, number] = ["John", 30];
// Tuple with three elements
let userInfo: [number, string, boolean] = [1, "admin", true];
Working with Tuples:
// Accessing elements
let name = person[0]; // "John"
let age = person[1]; // 30
// TypeError: Type 'Doe' is not assignable to type 'number'
// person[1] = "Doe";
// This works
person[0] = "Jane";
Arrays vs. Tuples:
Feature | Arrays | Tuples |
---|---|---|
Element types | Same type for all elements | Can have different types |
Length | Flexible | Fixed |
Position | Not significant | Position has meaning |
Tip: Use arrays when you have a collection of the same type of items. Use tuples when you have a fixed collection of items where each position has a specific meaning and potentially a different type.
Explain what interfaces are in TypeScript, how to define them, and their common use cases.
Expert Answer
Posted on Mar 26, 2025Interfaces in TypeScript provide a powerful way to define contracts for object shapes, function signatures, and class structures. They represent a core structural typing feature that enables robust type checking without requiring inheritance hierarchies.
Interface Declaration Patterns:
Basic Declaration:
interface User {
id: number;
name: string;
email: string;
createdAt: Date;
}
Property Modifiers:
- Optional properties with
?
- Readonly properties to prevent mutations
- Index signatures for dynamic property access
interface ConfigOptions {
readonly apiKey: string; // Can't be changed after initialization
timeout?: number; // Optional property
[propName: string]: any; // Index signature for additional properties
}
Function Type Interfaces:
Interfaces can describe callable structures:
interface SearchFunction {
(source: string, subString: string): boolean;
}
const mySearch: SearchFunction = (src, sub) => src.includes(sub);
Interface Inheritance:
Interfaces can extend other interfaces to build more complex types:
interface BaseEntity {
id: number;
createdAt: Date;
}
interface User extends BaseEntity {
name: string;
email: string;
}
// User now requires id, createdAt, name, and email
Implementing Interfaces in Classes:
interface Printable {
print(): void;
getFormat(): string;
}
class Document implements Printable {
// Must implement all methods
print() {
console.log("Printing document...");
}
getFormat(): string {
return "PDF";
}
}
Hybrid Types:
Interfaces can describe objects that act as both functions and objects with properties:
interface Counter {
(start: number): string; // Function signature
interval: number; // Property
reset(): void; // Method
}
function createCounter(): Counter {
const counter = ((start: number) => start.toString()) as Counter;
counter.interval = 123;
counter.reset = function() { console.log("Reset!"); };
return counter;
}
Declaration Merging:
One of the unique features of interfaces is their ability to be merged when declared multiple times:
interface Box {
height: number;
width: number;
}
interface Box {
scale: number;
}
// Box now has all three properties
const box: Box = { height: 5, width: 6, scale: 10 };
Advanced Tip: When designing library APIs, consider using interfaces rather than concrete types to allow consumers to augment your types through declaration merging.
Performance Considerations:
Interfaces have zero runtime cost as they are erased during transpilation to JavaScript. They represent TypeScript's structural typing system which focuses on the shape of objects rather than their nominal classification.
Beginner Answer
Posted on Mar 26, 2025Interfaces in TypeScript are a way to define the shape or structure that objects should follow. Think of them as contracts or blueprints that objects must adhere to.
Basic Interface Definition:
You define an interface using the interface
keyword followed by a name and the properties it should have:
Example:
interface Person {
firstName: string;
lastName: string;
age: number;
}
Using Interfaces:
Once defined, you can use interfaces to type-check objects:
// This is valid because it matches the Person interface
const john: Person = {
firstName: "John",
lastName: "Doe",
age: 30
};
// This would cause a type error because it's missing the age property
const jane: Person = {
firstName: "Jane",
lastName: "Smith"
// Error: Property 'age' is missing
};
Optional Properties:
You can mark some properties as optional using the ?
symbol:
interface Person {
firstName: string;
lastName: string;
age?: number; // Optional property
}
// Now this is valid
const jane: Person = {
firstName: "Jane",
lastName: "Smith"
};
Tip: Interfaces in TypeScript are purely for development-time type checking. They don't generate any JavaScript code at runtime!
Common Use Cases:
- Defining object shapes for consistency across your application
- Creating contracts that classes must implement
- Describing function parameter and return types for better code documentation
- Defining API responses from external services
Describe the key differences between interfaces and type aliases in TypeScript, including their capabilities, limitations, and use cases.
Expert Answer
Posted on Mar 26, 2025The distinction between interfaces and type aliases in TypeScript represents a nuanced design decision in the type system that affects code organization, API design, and compiler behavior.
Core Differences:
Feature | Interface | Type Alias |
---|---|---|
Declaration Merging | Supported (augmentable) | Not supported (non-augmentable) |
Representable Types | Primarily object shapes | Any type (primitives, unions, intersections, tuples, etc.) |
Extends/Implements | Can extend interfaces and be implemented by classes |
Uses intersection operators (& ) for composition |
Computed Properties | Limited support | Full support for mapped and conditional types |
Self-Referencing | Directly supported | Requires indirection in some cases |
Declaration Merging (Augmentation):
One of the most significant differences is that interfaces can be augmented through declaration merging, while type aliases are closed once defined:
// Interface augmentation
interface APIResponse {
status: number;
}
// Later in code or in a different file:
interface APIResponse {
data: unknown;
}
// Result: APIResponse has both status and data properties
const response: APIResponse = {
status: 200,
data: { result: "success" }
};
// Type aliases cannot be augmented
type User = {
id: number;
};
// Error: Duplicate identifier 'User'
type User = {
name: string;
};
Advanced Type Operations:
Type aliases excel at representing complex type transformations:
// Mapped type (transforming one type to another)
type Readonly = {
readonly [P in keyof T]: T[P];
};
// Conditional type
type ExtractPrimitive = T extends string | number | boolean ? T : never;
// Recursive type
type JSONValue =
| string
| number
| boolean
| null
| JSONValue[]
| { [key: string]: JSONValue };
// These patterns are difficult or impossible with interfaces
Implementation Details and Compiler Processing:
From a compiler perspective:
- Interfaces are "open-ended" and resolved lazily, allowing for cross-file augmentation
- Type aliases are eagerly evaluated and produce a closed representation at definition time
- This affects error reporting, type resolution order, and circular reference handling
Performance Considerations:
While both are erased at runtime, there can be compilation performance differences:
- Complex type aliases with nested conditional types can increase compile time
- Interface merging requires additional resolution work by the compiler
- Generally negligible for most codebases, but can be significant in very large projects
Strategic Usage Patterns:
Library Design Pattern:
// Public API interfaces (augmentable by consumers)
export interface UserConfig {
name: string;
preferences?: UserPreferences;
}
export interface UserPreferences {
theme: "light" | "dark";
}
// Internal implementation types (closed definitions)
type UserRecord = UserConfig & {
_id: string;
_created: Date;
_computedPreferences: ProcessedPreferences;
};
type ProcessedPreferences = {
[K in keyof UserPreferences]: UserPreferences[K];
} & {
computedThemeClass: string;
};
Advanced tip: When designing extensible APIs, use interfaces for public contracts that consumers might need to augment. Reserve type aliases for internal transformations and utility types. This pattern maximizes flexibility while maintaining precise internal type controls.
TypeScript Evolution Context:
Historically, interfaces preceded type aliases in TypeScript's development. The TypeScript team has consistently expanded type alias capabilities while maintaining interfaces for OOP patterns and declaration merging use cases. Understanding this evolution helps explain some design decisions in the type system.
Beginner Answer
Posted on Mar 26, 2025TypeScript gives us two main ways to define custom types: interfaces and type aliases. While they may seem similar at first, they have some important differences.
Basic Syntax:
Interface:
interface User {
name: string;
age: number;
}
Type Alias:
type User = {
name: string;
age: number;
};
Key Differences:
- Declaration Merging: Interfaces can be defined multiple times, and TypeScript will merge them. Type aliases cannot be reopened to add new properties.
- Use Cases: Interfaces are primarily used for defining object shapes, while type aliases can represent any type, including primitives, unions, and tuples.
- Extends vs Intersection: Interfaces use
extends
to inherit, while type aliases use&
for intersection types.
Declaration Merging with Interfaces:
interface User {
name: string;
}
interface User {
age: number;
}
// TypeScript merges these declarations:
// User now has both name and age properties
const user: User = {
name: "John",
age: 30
};
Type Aliases for More than Objects:
// Primitive type alias
type ID = string;
// Union type
type Status = "pending" | "approved" | "rejected";
// Tuple type
type Coordinates = [number, number];
When to Use Each:
Choose Interface When:
- Defining the shape of objects
- You might need to add properties later (declaration merging)
- Creating class implementations (
implements Interface
) - Working with object-oriented code
Choose Type Alias When:
- Creating union types (
type A = X | Y
) - Defining tuple types
- Needing to use mapped types
- Creating a type that is not just an object shape
Tip: The TypeScript team generally recommends using interfaces for public API definitions because they are more extendable and using type aliases for unions, intersections, and utility types.
Explain how to properly type functions in TypeScript, including parameter types, return types, and function type annotations.
Expert Answer
Posted on Mar 26, 2025TypeScript's function typing system provides comprehensive ways to define function signatures with static typing. Understanding the nuanced approaches to function typing is essential for leveraging TypeScript's type safety features.
Function Type Declarations:
There are multiple syntaxes for typing functions in TypeScript:
Function Declaration with Types:
// Function declaration with parameter and return types
function calculate(x: number, y: number): number {
return x + y;
}
// Function with object parameter using interface
interface UserData {
id: number;
name: string;
}
function processUser(user: UserData): boolean {
// Process user data
return true;
}
Function Types and Type Aliases:
// Function type alias
type BinaryOperation = (a: number, b: number) => number;
// Using the function type
const add: BinaryOperation = (x, y) => x + y;
const subtract: BinaryOperation = (x, y) => x - y;
// Function type with generic
type Transformer<T, U> = (input: T) => U;
const stringToNumber: Transformer<string, number> = (str) => parseInt(str, 10);
Advanced Function Types:
Function Overloads:
// Function overloads
function process(x: number): number;
function process(x: string): string;
function process(x: number | string): number | string {
if (typeof x === "number") {
return x * 2;
} else {
return x.repeat(2);
}
}
// Usage
const num = process(10); // Returns 20
const str = process("Hi"); // Returns "HiHi"
Callable Interface:
// Interface with call signature
interface SearchFunc {
(source: string, subString: string): boolean;
caseInsensitive?: boolean;
}
const search: SearchFunc = (src, sub) => {
// Implementation
return src.includes(sub);
};
search.caseInsensitive = true;
Generic Functions:
// Generic function
function firstElement<T>(arr: T[]): T | undefined {
return arr[0];
}
// Constrained generic
function longest<T extends { length: number }>(a: T, b: T): T {
return a.length >= b.length ? a : b;
}
// Usage
const longerArray = longest([1, 2], [1, 2, 3]); // Returns [1, 2, 3]
const longerString = longest("abc", "defg"); // Returns "defg"
Contextual Typing:
TypeScript can infer function types based on context:
// TypeScript infers the callback parameter and return types
const numbers = [1, 2, 3, 4];
const doubled = numbers.map(n => n * 2); // TypeScript knows n is number
// and the result is number[]
Best Practices:
- Always specify return types for public API functions to create better documentation
- Use function type expressions with type aliases for reusable function types
- Consider using generics for functions that operate on various data types
- Use overloads for functions that can handle multiple parameter type combinations with different return types
Beginner Answer
Posted on Mar 26, 2025In TypeScript, typing functions is all about declaring what types of data go in (parameters) and what type of data comes out (return value).
Basic Function Typing:
There are three main ways to add types to functions:
- Parameter types: Specify what type each parameter should be
- Return type: Specify what type the function returns
- Function type: Define the entire function signature as a type
Example of Parameter and Return Types:
// Parameter types and return type
function add(x: number, y: number): number {
return x + y;
}
Arrow Function Example:
// Arrow function with types
const multiply = (x: number, y: number): number => {
return x * y;
};
Function Type Example:
// Define a function type
type MathFunction = (x: number, y: number) => number;
// Use the type
const divide: MathFunction = (a, b) => {
return a / b;
};
Tip: TypeScript can often infer return types, but it's good practice to explicitly declare them for better code readability and to catch errors early.
Explain how to use optional and default parameters in TypeScript functions and the differences between them.
Expert Answer
Posted on Mar 26, 2025TypeScript's optional and default parameters provide flexible function signatures while maintaining type safety. They serve different purposes and have distinct behaviors in the type system.
Optional Parameters (Detailed View):
Optional parameters are defined using the ?
modifier and create union types that include undefined
.
Type Signatures with Optional Parameters:
// The signature treats config as: { timeout?: number, retries?: number }
function fetchData(url: string, config?: { timeout?: number; retries?: number }) {
const timeout = config?.timeout ?? 5000;
const retries = config?.retries ?? 3;
// Implementation
}
// Parameter types under the hood
// title parameter is effectively of type (string | undefined)
function greet(name: string, title?: string) {
// Implementation
}
Default Parameters (Detailed View):
Default parameters provide a value when the parameter is undefined
or not provided. They don't change the parameter type itself.
Type System Behavior with Default Parameters:
// In the type system, count is still considered a number, not number|undefined
function repeat(text: string, count: number = 1): string {
return text.repeat(count);
}
// Default values can use expressions
function getTimestamp(date: Date = new Date()): number {
return date.getTime();
}
// Default parameters can reference previous parameters
function createRange(start: number = 0, end: number = start + 10): number[] {
return Array.from({ length: end - start }, (_, i) => start + i);
}
Technical Distinctions:
Comparison:
Optional Parameters | Default Parameters |
---|---|
Creates a union type with undefined |
Maintains original type (not a union type) |
No runtime initialization if omitted | Runtime initializes with default value if undefined |
Must come after required parameters | Can be placed anywhere, but follow special rules for required parameters after them |
Value is undefined when omitted |
Value is the default when omitted |
Advanced Parameter Patterns:
Rest Parameters with Types:
// Rest parameters with TypeScript
function sum(...numbers: number[]): number {
return numbers.reduce((total, n) => total + n, 0);
}
// Rest parameters with tuples
function createUser(name: string, age: number, ...skills: string[]): object {
return { name, age, skills };
}
Required Parameters After Default Parameters:
// When a parameter with a default follows a required parameter
function sliceArray(
array: number[],
start: number = 0,
end: number
): number[] {
return array.slice(start, end);
}
// Must be called with undefined to use default value
sliceArray([1, 2, 3, 4], undefined, 2); // [1, 2]
Interaction with Destructuring:
Destructuring with Default and Optional Types:
// Object parameter with defaults and optional properties
function processConfig({
timeout = 1000,
retries = 3,
callback,
debug = false
}: {
timeout?: number;
retries?: number;
callback: (result: any) => void;
debug?: boolean;
}) {
// Implementation
}
// Array destructuring with defaults
function getRange([start = 0, end = 10]: [number?, number?] = []): number[] {
return Array.from({ length: end - start }, (_, i) => start + i);
}
Best Practices:
- Prefer default parameters over conditional logic within the function when possible
- Place all optional parameters after required ones
- Use destructuring with defaults for complex option objects
- Consider the nullish coalescing operator (
??
) for runtime defaults of optional parameters - Document default values in function JSDoc comments
Functional Programming with Optional Parameters:
// Partial application with default parameters
function multiply(a: number, b: number = 1): number {
return a * b;
}
const double = (n: number) => multiply(n, 2);
const triple = (n: number) => multiply(n, 3);
// Higher-order function with optional configuration
function createLogger(prefix: string, options?: {
timestamp?: boolean;
level?: "info" | "warn" | "error";
}) {
return function(message: string) {
const time = options?.timestamp ? new Date().toISOString() : "";
const level = options?.level || "info";
console.log(`${time} [${level}] ${prefix}: ${message}`);
};
}
const appLogger = createLogger("APP", { timestamp: true });
Beginner Answer
Posted on Mar 26, 2025TypeScript lets you create flexible functions with two special types of parameters:
Optional Parameters:
Parameters that don't have to be provided when calling the function. You mark these with a question mark (?
) after the parameter name.
Optional Parameter Example:
function greet(name: string, title?: string) {
if (title) {
return `Hello, ${title} ${name}!`;
}
return `Hello, ${name}!`;
}
// Both of these work:
greet("Smith"); // "Hello, Smith!"
greet("Smith", "Mr."); // "Hello, Mr. Smith!"
Default Parameters:
Parameters that have a predefined value if no value is provided. You set these by adding = defaultValue
after the parameter type.
Default Parameter Example:
function countdown(start: number = 10) {
console.log(`Counting down from ${start}`);
// Countdown logic here...
}
// Both of these work:
countdown(); // "Counting down from 10"
countdown(5); // "Counting down from 5"
Main Differences:
- Optional parameters (with
?
) will beundefined
if not provided - Default parameters (with
= value
) will use the default value if not provided
Tip: Optional parameters must come after required parameters in the function declaration.
Combining Both:
function createUser(
name: string, // Required
age: number = 30, // Default value
email?: string // Optional
) {
// Function body
return {
name,
age,
email: email || "No email provided"
};
}
createUser("Alice"); // { name: "Alice", age: 30, email: "No email provided" }
createUser("Bob", 25); // { name: "Bob", age: 25, email: "No email provided" }
createUser("Charlie", 40, "c@c.com"); // { name: "Charlie", age: 40, email: "c@c.com" }
Explain how to define classes in TypeScript and their basic structure.
Expert Answer
Posted on Mar 26, 2025TypeScript classes provide a rich object-oriented programming pattern that extends JavaScript's prototype-based inheritance with more traditional class-based inheritance patterns. Understanding the nuances of TypeScript classes is essential for designing scalable applications.
Class Declaration Components:
- Properties: Class fields with type annotations
- Constructor: Initialization logic executed during instantiation
- Methods: Functions bound to the class prototype
- Accessors: Getters and setters for controlled property access
- Static members: Properties and methods attached to the class itself
- Access modifiers: Visibility controls (public, private, protected)
- Inheritance mechanisms: extends and implements keywords
- Abstract classes: Base classes that cannot be instantiated directly
Comprehensive Class Example:
// Base abstract class
abstract class Vehicle {
// Static property
static manufacturer: string = "Generic Motors";
// Abstract method (must be implemented by deriving classes)
abstract getDetails(): string;
// Protected property accessible by derived classes
protected _model: string;
private _year: number;
constructor(model: string, year: number) {
this._model = model;
this._year = year;
}
// Getter accessor
get year(): number {
return this._year;
}
// Method with implementation
getAge(currentYear: number): number {
return currentYear - this._year;
}
}
// Interface for additional functionality
interface ElectricVehicle {
batteryLevel: number;
charge(amount: number): void;
}
// Derived class with interface implementation
class ElectricCar extends Vehicle implements ElectricVehicle {
batteryLevel: number;
constructor(model: string, year: number, batteryLevel: number = 100) {
super(model, year); // Call to parent constructor
this.batteryLevel = batteryLevel;
}
// Implementation of abstract method
getDetails(): string {
return `${this._model} (${this.year}) - Battery: ${this.batteryLevel}%`;
}
charge(amount: number): void {
this.batteryLevel = Math.min(100, this.batteryLevel + amount);
}
// Method overriding with super call
getAge(currentYear: number): number {
console.log("Calculating age for electric car");
return super.getAge(currentYear);
}
}
// Usage
const tesla = new ElectricCar("Model S", 2020, 90);
console.log(ElectricCar.manufacturer); // Static access: "Generic Motors"
console.log(tesla.getDetails()); // "Model S (2020) - Battery: 90%"
tesla.charge(15);
console.log(tesla.batteryLevel); // 100 (capped at maximum)
TypeScript Class Compilation:
TypeScript classes are transpiled into JavaScript functions and prototype-based inheritance patterns. The TypeScript compiler generates:
- A constructor function for instantiation
- Prototype methods for instance methods
- Static properties attached directly to the constructor function
- Prototype chains for inheritance hierarchies
Advanced Pattern: TypeScript classes can leverage decorators (an experimental feature) for metaprogramming capabilities:
function Logger(target: any) {
console.log(`Class ${target.name} was defined`);
}
@Logger
class Example {
constructor() {
console.log("Example instance created");
}
}
// Output: "Class Example was defined"
const instance = new Example();
// Output: "Example instance created"
Performance Note: Class inheritance in TypeScript creates longer prototype chains, which may impact property access performance in performance-critical applications. Consider composition patterns for complex object relationships.
Beginner Answer
Posted on Mar 26, 2025Classes in TypeScript allow you to create blueprints for objects with properties and methods. They help organize your code in an object-oriented way.
Basic Class Structure:
A TypeScript class typically contains:
- Properties: data variables belonging to the class
- Constructor: special method that runs when an object is created
- Methods: functions that define the class behavior
Example:
class Person {
// Properties
name: string;
age: number;
// Constructor
constructor(name: string, age: number) {
this.name = name;
this.age = age;
}
// Method
greet() {
return `Hello, my name is ${this.name} and I am ${this.age} years old.`;
}
}
// Creating an instance of the class
const john = new Person("John", 30);
console.log(john.greet()); // Outputs: Hello, my name is John and I am 30 years old.
Tip: You can use shorthand property declaration in the constructor by adding access modifiers:
class Person {
constructor(public name: string, public age: number) {
// No need to write this.name = name; etc.
}
greet() {
return `Hello, my name is ${this.name} and I am ${this.age} years old.`;
}
}
Explain the public, private, and protected access modifiers in TypeScript classes and how they control property/method visibility.
Expert Answer
Posted on Mar 26, 2025Access modifiers in TypeScript implement encapsulation, one of the four pillars of object-oriented programming. They provide compile-time enforcement of access control that helps maintain proper abstraction barriers and invariants in your codebase.
Access Modifier Semantics:
- public: No access restrictions (default modifier if unspecified)
- private: Access restricted to the containing class only
- protected: Access restricted to the containing class and derived classes
Additionally, TypeScript 3.8+ introduced:
- private #fields: ECMAScript private fields with true runtime privacy guarantees
Comprehensive Example with Inheritance:
class Base {
public publicProp = "accessible anywhere";
protected protectedProp = "accessible in Base and derived classes";
private privateProp = "accessible only in Base";
#truePrivate = "hard private with runtime enforcement";
constructor() {
// All properties are accessible within the class
this.publicProp;
this.protectedProp;
this.privateProp;
this.#truePrivate;
}
public publicMethod(): void {
console.log("Public method can be called from anywhere");
}
protected protectedMethod(): void {
console.log("Protected method, available in Base and derived classes");
}
private privateMethod(): void {
console.log("Private method, only available in Base");
}
public accessPrivateMembers(): void {
// Private members are accessible inside their own class
console.log(this.privateProp);
this.privateMethod();
console.log(this.#truePrivate);
}
}
class Derived extends Base {
constructor() {
super();
// Public and protected members are accessible in derived class
console.log(this.publicProp); // OK
console.log(this.protectedProp); // OK
// Private members are not accessible in derived class
// console.log(this.privateProp); // Error: Property 'privateProp' is private
// this.privateMethod(); // Error: Method 'privateMethod' is private
// console.log(this.#truePrivate); // Error: Property '#truePrivate' is not accessible
this.publicMethod(); // OK
this.protectedMethod(); // OK
}
// Method override preserving visibility
protected protectedMethod(): void {
super.protectedMethod();
console.log("Extended functionality in derived class");
}
}
// Usage outside classes
const base = new Base();
const derived = new Derived();
// Public members accessible everywhere
console.log(base.publicProp);
base.publicMethod();
console.log(derived.publicProp);
derived.publicMethod();
// Protected and private members inaccessible outside their classes
// console.log(base.protectedProp); // Error: 'protectedProp' is protected
// base.protectedMethod(); // Error: 'protectedMethod' is protected
// console.log(base.privateProp); // Error: 'privateProp' is private
// base.privateMethod(); // Error: 'privateMethod' is private
// console.log(base.#truePrivate); // Error: Property '#truePrivate' is not accessible
Type System Enforcement vs. Runtime Enforcement:
It's important to understand that TypeScript's private
and protected
modifiers are enforced only at compile-time:
Access Modifier Enforcement:
Modifier | Compile-time Check | Runtime Enforcement | JavaScript Output |
---|---|---|---|
public | Yes | No (unnecessary) | Regular property |
protected | Yes | No | Regular property |
private | Yes | No | Regular property |
#privateField | Yes | Yes | ECMAScript private field |
JavaScript Output for TypeScript Access Modifiers:
// TypeScript
class Example {
public publicProp = 1;
protected protectedProp = 2;
private privateProp = 3;
#truePrivate = 4;
}
Transpiles to:
// JavaScript (simplified)
class Example {
constructor() {
this.publicProp = 1;
this.protectedProp = 2;
this.privateProp = 3;
this.#truePrivate = 4; // Note: This remains a true private field
}
}
Advanced Tip: Understanding TypeScript's type-only enforcement has important security implications:
class User {
constructor(private password: string) {}
validatePassword(input: string): boolean {
return input === this.password;
}
}
const user = new User("secret123");
// TypeScript prevents direct access
// console.log(user.password); // Error: private property
// But at runtime, JavaScript has no privacy protection
// A malicious actor could access the password directly:
console.log((user as any).password); // "secret123" (type casting bypasses checks)
// In security-critical code, use closures or ECMAScript private fields (#)
// for true runtime privacy
Design Pattern Note: Access modifiers help enforce design patterns like:
- Information Hiding: Use private for implementation details
- Template Method Pattern: Use protected for hooks in base classes
- Interface Segregation: Use public only for the intended API surface
Beginner Answer
Posted on Mar 26, 2025Access modifiers in TypeScript are keywords that control where properties and methods can be accessed from. They help you control the visibility of class members.
The Three Access Modifiers:
- public: Can be accessed from anywhere (default if not specified)
- private: Can only be accessed within the same class
- protected: Can be accessed within the class and any classes that inherit from it
Example:
class Person {
// Public - accessible everywhere
public name: string;
// Private - only accessible within this class
private ssn: string;
// Protected - accessible in this class and child classes
protected age: number;
constructor(name: string, ssn: string, age: number) {
this.name = name;
this.ssn = ssn;
this.age = age;
}
// Public method (can be called from anywhere)
public introduce(): string {
return `Hi, I'm ${this.name}`;
}
// Private method (only accessible within this class)
private getSSN(): string {
return this.ssn;
}
}
// Create a new Person
const person = new Person("John", "123-45-6789", 30);
console.log(person.name); // Works: "John"
console.log(person.introduce()); // Works: "Hi, I'm John"
// These would cause errors because they're not accessible:
// console.log(person.ssn); // Error: Property 'ssn' is private
// console.log(person.age); // Error: Property 'age' is protected
// console.log(person.getSSN()); // Error: Method 'getSSN' is private
Child Class Example:
class Employee extends Person {
private employeeId: string;
constructor(name: string, ssn: string, age: number, employeeId: string) {
super(name, ssn, age);
this.employeeId = employeeId;
}
public getDetails(): string {
// Can access protected property (age) from parent class
return `${this.name}, ${this.age} years old, ID: ${this.employeeId}`;
// Cannot access private property (ssn) from parent class
// this.ssn would cause an error
}
}
Tip: You can also use access modifiers directly in constructor parameters as a shorthand:
class Person {
// This shorthand automatically creates and initializes the properties
constructor(
public name: string,
private ssn: string,
protected age: number
) {
// No need to write this.name = name, etc.
}
}
Explain the concepts of union and intersection types in TypeScript, their syntax, and use cases. How do they differ from each other, and what problems do they solve?
Expert Answer
Posted on Mar 26, 2025Union and intersection types are core features of TypeScript's structural type system that enable precise modeling of complex data structures and relationships.
Union Types: Discriminated Unions Pattern
While union types represent values that could be one of several types, they become truly powerful when combined with discriminated unions (tagged unions):
Discriminated Union Pattern:
// Each type in the union contains a common property with literal type
type ApiResponse =
| { status: "success"; data: any; timestamp: number }
| { status: "error"; error: Error; code: number }
| { status: "loading" };
function handleResponse(response: ApiResponse) {
// TypeScript can narrow down the type based on the discriminant
switch (response.status) {
case "success":
// TypeScript knows we have `data` and `timestamp` here
console.log(response.data, response.timestamp);
break;
case "error":
// TypeScript knows we have `error` and `code` here
console.log(response.error.message, response.code);
break;
case "loading":
// TypeScript knows this is the loading state
showLoadingSpinner();
break;
}
}
Distributive Conditional Types with Unions
Union types have special distributive behavior in conditional types:
// Pick properties of a specific type from an interface
type PickType<T, U> = {
[P in keyof T]: T[P] extends U ? P : never
}[keyof T];
interface User {
id: number;
name: string;
isAdmin: boolean;
createdAt: Date;
}
// Will distribute over the union of all properties
// and result in "isAdmin"
type BooleanProps = PickType<User, boolean>;
Intersection Types: Mixin Pattern
Intersection types are fundamental to implementing the mixin pattern in TypeScript:
Mixin Implementation:
// Define class types (not instances)
type Constructor<T = {}> = new (...args: any[]) => T;
// Timestampable mixin
function Timestampable<TBase extends Constructor>(Base: TBase) {
return class extends Base {
createdAt = new Date();
updatedAt = new Date();
update() {
this.updatedAt = new Date();
}
};
}
// Identifiable mixin
function Identifiable<TBase extends Constructor>(Base: TBase) {
return class extends Base {
id = Math.random().toString(36).substring(2);
};
}
// Base class
class User {
constructor(public name: string) {}
}
// Apply mixins using intersection types
const TimestampableUser = Timestampable(User);
const IdentifiableTimestampableUser = Identifiable(TimestampableUser);
// Instance has all properties from all mixins
const user = new IdentifiableTimestampableUser("Alice");
console.log(user.id, user.name, user.createdAt);
user.update();
console.log(user.updatedAt);
Deep Type System Implications
Union Type Assignability Rules:
A value is assignable to a union type if it is assignable to at least one constituent type. Conversely, you can only safely access properties that exist in all constituent types.
Intersection Type Assignability Rules:
A value is assignable to an intersection type only if it is assignable to all constituent types. You can access any property from any constituent type.
Advanced: Handling Type Conflicts in Intersections
When identical property names have incompatible types in an intersection, the result is never
:
type A = { prop: string };
type B = { prop: number };
// The type of `prop` is `string & number`, which is `never`
// This makes objects of type `A & B` impossible to create
type AB = A & B;
// To solve this, use discriminated properties:
type A = { type: "a"; value: string };
type B = { type: "b"; value: number };
// Now we can safely use a union instead
type AorB = A | B;
Advanced Comparison:
Feature | Union Types | Intersection Types |
---|---|---|
Type widening behavior | Widens the set of possible values | Narrows the set of possible values |
Algebraic structure | Forms a sum type (logical OR) | Forms a product type (logical AND) |
Type inference | Often inferred from control flow | Usually explicitly declared |
Common use cases | APIs with multiple response types, state machines | Mixins, extension patterns, trait composition |
Beginner Answer
Posted on Mar 26, 2025Union and intersection types in TypeScript are powerful features that help you describe complex type relationships.
Union Types:
A union type lets a value be one of several types. Think of it like saying "this can be either X or Y".
Example:
// A variable that can be either a string or a number
let id: string | number;
id = "abc123"; // Valid - string
id = 456; // Valid - number
id = true; // Error - boolean is not allowed
Intersection Types:
An intersection type combines multiple types into one. Think of it like saying "this must be both X and Y".
Example:
// Define two types
type Employee = {
id: number;
name: string;
};
type Manager = {
subordinates: string[];
department: string;
};
// Combine them - ManagerEmployee has ALL properties from both types
type ManagerEmployee = Employee & Manager;
// Must have all properties from both types
const director: ManagerEmployee = {
id: 123,
name: "Jane",
subordinates: ["Bob", "Alice"],
department: "Engineering"
};
Union vs. Intersection:
Union (|) | Intersection (&) |
---|---|
Value can be one of the specified types | Value must satisfy all specified types |
OR relationship between types | AND relationship between types |
Restricts to properties common to all types | Combines all properties from all types |
Tip: Think of union types (|) when you want flexibility in what types are allowed, and intersection types (&) when you need to combine the features of multiple types together.
Explain the concept of type guards and type narrowing in TypeScript. What different types of type guards are available, and how do they help with type safety? Provide examples of user-defined type guards and built-in type guards.
Expert Answer
Posted on Mar 26, 2025Type guards and type narrowing are mechanisms in TypeScript's control flow analysis that refine types to more specific subtypes within conditional blocks. Type narrowing is a cornerstone of TypeScript's discriminated union and flow-based type analysis systems.
The Type Narrowing Architecture
TypeScript's compiler performs control flow analysis to track type information through different branches of code. This allows the type checker to understand how conditions affect the possible types of variables:
// Example of TypeScript's control flow analysis
function process(value: string | number | undefined) {
// Type of value: string | number | undefined
if (value === undefined) {
// Type of value: undefined
return "No value";
}
// Type of value: string | number
if (typeof value === "string") {
// Type of value: string
return value.toUpperCase();
}
// Type of value: number
return value.toFixed(2);
}
Comprehensive Type Guard Taxonomy
1. Primitive Type Guards
// typeof type guards for JavaScript primitives
function handleValue(val: unknown) {
if (typeof val === "string") {
// string operations
} else if (typeof val === "number") {
// number operations
} else if (typeof val === "boolean") {
// boolean operations
} else if (typeof val === "undefined") {
// undefined handling
} else if (typeof val === "object") {
// null or object (be careful - null is also "object")
if (val === null) {
// null handling
} else {
// object operations
}
} else if (typeof val === "function") {
// function operations
} else if (typeof val === "symbol") {
// symbol operations
} else if (typeof val === "bigint") {
// bigint operations
}
}
2. Class and Instance Guards
// instanceof for class hierarchies
abstract class Vehicle {
abstract move(): string;
}
class Car extends Vehicle {
move() { return "driving"; }
honk() { return "beep"; }
}
class Boat extends Vehicle {
move() { return "sailing"; }
horn() { return "hooooorn"; }
}
function getVehicleSound(vehicle: Vehicle): string {
if (vehicle instanceof Car) {
// TypeScript knows this is a Car
return vehicle.honk();
} else if (vehicle instanceof Boat) {
// TypeScript knows this is a Boat
return vehicle.horn();
}
return "unknown";
}
3. Property Presence Checks
// "in" operator checks for property existence
interface Admin {
name: string;
privileges: string[];
}
interface Employee {
name: string;
startDate: Date;
}
type UnknownEmployee = Employee | Admin;
function printDetails(emp: UnknownEmployee) {
console.log(`Name: ${emp.name}`);
if ("privileges" in emp) {
// TypeScript knows emp is Admin
console.log(`Privileges: ${emp.privileges.join(", ")}`);
}
if ("startDate" in emp) {
// TypeScript knows emp is Employee
console.log(`Start Date: ${emp.startDate.toISOString()}`);
}
}
4. Discriminated Unions with Literal Types
// Using discriminants (tagged unions)
interface Square {
kind: "square";
size: number;
}
interface Rectangle {
kind: "rectangle";
width: number;
height: number;
}
interface Circle {
kind: "circle";
radius: number;
}
type Shape = Square | Rectangle | Circle;
function calculateArea(shape: Shape): number {
switch (shape.kind) {
case "square":
// TypeScript knows shape is Square
return shape.size * shape.size;
case "rectangle":
// TypeScript knows shape is Rectangle
return shape.width * shape.height;
case "circle":
// TypeScript knows shape is Circle
return Math.PI * shape.radius ** 2;
default:
// Exhaustiveness check using never type
const _exhaustiveCheck: never = shape;
throw new Error(`Unexpected shape: ${_exhaustiveCheck}`);
}
}
5. User-Defined Type Guards with Type Predicates
// Creating custom type guard functions
interface ApiResponse<T> {
data?: T;
error?: {
message: string;
code: number;
};
}
// Type guard to check for success response
function isSuccessResponse<T>(response: ApiResponse<T>): response is ApiResponse<T> & { data: T } {
return response.data !== undefined;
}
// Type guard to check for error response
function isErrorResponse<T>(response: ApiResponse<T>): response is ApiResponse<T> & { error: { message: string; code: number } } {
return response.error !== undefined;
}
async function fetchUserData(): Promise<ApiResponse<User>> {
// fetch implementation...
return { data: { id: 1, name: "John" } };
}
async function processUserData() {
const response = await fetchUserData();
if (isSuccessResponse(response)) {
// TypeScript knows response.data exists and is a User
console.log(`User: ${response.data.name}`);
return response.data;
} else if (isErrorResponse(response)) {
// TypeScript knows response.error exists
console.error(`Error ${response.error.code}: ${response.error.message}`);
throw new Error(response.error.message);
} else {
// Handle unexpected case
console.warn("Response has neither data nor error");
return null;
}
}
6. Assertion Functions
TypeScript 3.7+ supports assertion functions that throw if a condition isn't met:
// Assertion functions throw if condition isn't met
function assertIsString(val: any): asserts val is string {
if (typeof val !== "string") {
throw new Error(`Expected string, got ${typeof val}`);
}
}
function processValue(value: unknown) {
assertIsString(value);
// TypeScript now knows value is a string
return value.toUpperCase();
}
// Generic assertion function
function assertIsDefined<T>(value: T): asserts value is NonNullable<T> {
if (value === undefined || value === null) {
throw new Error(`Expected non-nullable value, got ${value}`);
}
}
function processElement(element: HTMLElement | null) {
assertIsDefined(element);
// TypeScript knows element is HTMLElement (not null)
element.classList.add("active");
}
Advanced Type Narrowing Techniques
Narrowing with Type-Only Declarations
// Using type queries and lookup types for precise narrowing
type EventMap = {
click: { x: number; y: number; target: Element };
keypress: { key: string; code: string };
focus: { target: Element };
};
function handleEvent<K extends keyof EventMap>(
eventName: K,
handler: (event: EventMap[K]) => void
) {
// Implementation...
}
// TypeScript knows exactly which event object shape to expect
handleEvent("click", (event) => {
console.log(`Clicked at ${event.x}, ${event.y}`);
});
handleEvent("keypress", (event) => {
console.log(`Key pressed: ${event.key}`);
});
Type Guards with Generic Constraints
// Type guard for checking if object has a specific property with type
function hasProperty<T extends object, K extends string>(
obj: T,
prop: K
): obj is T & Record<K, unknown> {
return Object.prototype.hasOwnProperty.call(obj, prop);
}
interface User {
id: number;
name: string;
}
function processUser(user: User) {
if (hasProperty(user, "email")) {
// TypeScript knows user has an email property of unknown type
// Need further refinement for exact type
if (typeof user.email === "string") {
// Now we know it's a string
console.log(user.email.toLowerCase());
}
}
}
The Compiler Perspective: How Type Narrowing Works
TypeScript's control flow analysis maintains a "type state" for each variable that gets refined through conditional blocks. This involves:
- Initial Type Assignment: Starting with the declared or inferred type
- Branch Analysis: Tracking implications of conditionals
- Aliasing Awareness: Handling references to the same object
- Unreachable Code Detection: Determining when type combinations are impossible
Advanced Tip: Type narrowing doesn't persist across function boundaries by default. When narrowed information needs to be preserved, explicit type predicates or assertion functions should be used to communicate type refinements to the compiler.
Design Patterns for Effective Type Narrowing
- Early Return Pattern: Check and return early for special cases, narrowing the remaining type
- Type Discrimination: Add common discriminant properties to related types
- Exhaustiveness Checking: Use the
never
type to catch missing cases - Factory Functions: Return precisely typed objects based on parameters
- Type Refinement Libraries: For complex validation scenarios, consider libraries like io-ts, zod, or runtypes
Beginner Answer
Posted on Mar 26, 2025Type guards and type narrowing in TypeScript help you work with variables that could be multiple types. They let you check what type a variable is at runtime, and TypeScript will understand that check in your code.
Why Type Guards Are Needed
When you have a variable that could be one of several types (like with union types), TypeScript doesn't know which specific type it is at a given point in your code. Type guards help TypeScript (and you) narrow down the possibilities.
Problem Without Type Guards:
function process(value: string | number) {
// Error: Property 'toLowerCase' does not exist on type 'string | number'
// TypeScript doesn't know if value is a string here
return value.toLowerCase();
}
Basic Type Guards
1. typeof Type Guard
Checks the JavaScript type of a value:
function process(value: string | number) {
if (typeof value === "string") {
// Inside this block, TypeScript knows value is a string
return value.toLowerCase();
} else {
// Here, TypeScript knows value is a number
return value.toFixed(2);
}
}
2. instanceof Type Guard
Checks if an object is an instance of a class:
class Dog {
bark() { return "Woof!"; }
}
class Cat {
meow() { return "Meow!"; }
}
function makeSound(animal: Dog | Cat) {
if (animal instanceof Dog) {
// TypeScript knows animal is a Dog here
return animal.bark();
} else {
// TypeScript knows animal is a Cat here
return animal.meow();
}
}
3. Property Checks
Checking if a property exists on an object:
type Bird = { fly: () => void, name: string };
type Fish = { swim: () => void, name: string };
function move(animal: Bird | Fish) {
if ("fly" in animal) {
// TypeScript knows animal is a Bird
return `${animal.name} is flying`;
} else {
// TypeScript knows animal is a Fish
return `${animal.name} is swimming`;
}
}
4. Custom Type Guards
You can create your own type checking functions:
// This is a type guard function - note the special return type
function isFish(animal: Bird | Fish): animal is Fish {
return (animal as Fish).swim !== undefined;
}
function feed(animal: Bird | Fish) {
if (isFish(animal)) {
// TypeScript knows animal is a Fish here
return "Fish food";
} else {
// TypeScript knows animal is a Bird here
return "Bird seeds";
}
}
Tip: Type guards make your code safer by preventing you from accidentally using methods or properties that don't exist on a particular type.
Common Uses
- Working with API responses that could have different shapes
- Handling potentially undefined or null values
- Processing mixed data types in a type-safe way
- Implementing different behaviors based on specific subtypes
What are generics in TypeScript and why are they useful? Provide examples of their practical applications.
Expert Answer
Posted on Mar 26, 2025TypeScript generics provide a way to create reusable components that maintain type safety across different data types. They act as type variables that allow you to capture the types provided by the user for later use in function signatures, return values, and other contexts.
Core Mechanics of Generics:
- Type Parameterization: Creating placeholder types that get filled in later
- Type Inference: TypeScript can often deduce the intended generic type
- Type Preservation: The relationship between input and output types is maintained
- Higher-Order Type Operations: Types can be composed and transformed
Multiple Type Parameters:
// Multiple generic type parameters
function pair<T, U>(first: T, second: U): [T, U] {
return [first, second];
}
const result = pair("hello", 42); // type: [string, number]
Advanced Generic Patterns:
Generic Classes:
class DataContainer<T> {
private data: T[];
constructor(initialData: T[] = []) {
this.data = initialData;
}
add(item: T): void {
this.data.push(item);
}
getItems(): T[] {
return this.data;
}
getItemAtIndex(index: number): T | undefined {
return this.data[index];
}
}
// Type safety enforced across usage
const numbers = new DataContainer<number>([1, 2, 3]);
numbers.add(4); // Ok
// numbers.add("five"); // Error: Argument of type 'five' is not assignable to parameter of type 'number'
Generic Interfaces and Type Aliases:
// Generic interface
interface ApiResponse<T> {
data: T;
status: number;
message: string;
timestamp: number;
}
// Using generic interface
type UserData = { id: number; name: string };
type ProductData = { id: number; title: string; price: number };
function fetchUser(id: number): Promise<ApiResponse<UserData>> {
// Implementation...
return Promise.resolve({
data: { id, name: "User" },
status: 200,
message: "Success",
timestamp: Date.now()
});
}
function fetchProduct(id: number): Promise<ApiResponse<ProductData>> {
// Implementation with different return type but same structure
return Promise.resolve({
data: { id, title: "Product", price: 99.99 },
status: 200,
message: "Success",
timestamp: Date.now()
});
}
Type Parameter Defaults:
TypeScript supports default values for generic type parameters, similar to default function parameters:
interface RequestConfig<T = any> {
url: string;
method: "GET" | "POST";
data?: T;
}
// No need to specify type parameter, defaults to any
const basicConfig: RequestConfig = {
url: "/api/data",
method: "GET"
};
// Explicit type parameter
const postConfig: RequestConfig<{id: number}> = {
url: "/api/update",
method: "POST",
data: { id: 123 }
};
Performance Implications:
It's important to understand that generics exist only at compile time. After TypeScript is transpiled to JavaScript, all generic type information is erased. This means generics have zero runtime performance impact - they're purely a development-time tool for type safety.
Generics vs. Union Types vs. Any:
Approach | Advantages | Disadvantages |
---|---|---|
Generics | Preserves type relationships, highly flexible | Can be complex to understand initially |
Union Types | Explicit about allowed types | Doesn't preserve type relationships across a function |
Any | Simplest to implement | Provides no type safety |
Tip: Generics should be used to express a relationship between parameters and return types. If you're only using them to allow multiple types without maintaining any relationship, consider using union types instead.
Beginner Answer
Posted on Mar 26, 2025TypeScript generics are a way to create reusable components that can work with a variety of data types rather than just one specific type. Think of generics like a variable for types.
Why Generics Are Useful:
- Code Reusability: Write a function once that works with different types
- Type Safety: Keep the benefits of TypeScript's type checking
- Reduce Duplication: Avoid writing similar functions for different data types
Basic Generic Function Example:
// Without generics - only works with numbers
function returnNumber(value: number): number {
return value;
}
// With generics - works with any type
function returnAnything<T>(value: T): T {
return value;
}
// Using the generic function
const number = returnAnything(42); // type is number
const text = returnAnything("hello"); // type is string
const bool = returnAnything(true); // type is boolean
Common Use Cases:
- Arrays and Collections: Create type-safe arrays
- Promise Handling: Specify what type a Promise will resolve to
- Component APIs: Create flexible, reusable components in UI libraries
Practical Array Example:
// Generic array function
function firstElement<T>(array: T[]): T | undefined {
return array[0];
}
// TypeScript knows the return types automatically
const first1 = firstElement([1, 2, 3]); // type: number
const first2 = firstElement(["a", "b", "c"]); // type: string
const first3 = firstElement([]); // type: undefined
Tip: Think of generics like containers where you decide what goes inside when you use them, not when you define them.
How do you implement generic constraints in TypeScript? Explain the syntax, use cases, and provide practical examples of when and how to use them.
Expert Answer
Posted on Mar 26, 2025Generic constraints in TypeScript provide a mechanism to restrict the set of possible types that can satisfy a generic type parameter. They enforce a contract between the generic type and the code that uses it, allowing for both flexibility and type safety.
Core Generic Constraint Patterns:
1. Interface-Based Constraints:
interface HasId {
id: number;
}
function retrieveById<T extends HasId>(entities: T[], id: number): T | undefined {
return entities.find(entity => entity.id === id);
}
// Works with any object having an id property
const users = [
{ id: 1, name: "Alice" },
{ id: 2, name: "Bob" }
];
const products = [
{ id: 1, name: "Laptop", price: 1200 },
{ id: 2, name: "Phone", price: 800 }
];
const user = retrieveById(users, 1); // Type: { id: number, name: string } | undefined
const product = retrieveById(products, 2); // Type: { id: number, name: string, price: number } | undefined
2. Multiple Constraints Using Intersection Types:
interface Printable {
print(): void;
}
interface Loggable {
log(message: string): void;
}
// T must satisfy both Printable AND Loggable interfaces
function processItem<T extends Printable & Loggable>(item: T): void {
item.print();
item.log("Item processed");
}
class AdvancedDocument implements Printable, Loggable {
print() { console.log("Printing document..."); }
log(message: string) { console.log(`LOG: ${message}`); }
// Additional functionality...
}
// Works because AdvancedDocument implements both interfaces
processItem(new AdvancedDocument());
Advanced Constraint Techniques:
1. Using keyof for Property Constraints:
// T is any type, K must be a key of T
function getProperty<T, K extends keyof T>(obj: T, key: K): T[K] {
return obj[key];
}
const person = {
name: "John",
age: 30,
address: "123 Main St"
};
// TypeScript knows the exact return types
const name = getProperty(person, "name"); // Type: string
const age = getProperty(person, "age"); // Type: number
// Compilation error - "email" is not a key of person
// const email = getProperty(person, "email");
2. Constraints with Default Types:
// T extends object with default type of any object
interface CacheOptions {
expiry?: number;
refresh?: boolean;
}
class Cache<T extends object = {}> {
private data: Map<string, T> = new Map();
private options: CacheOptions;
constructor(options: CacheOptions = {}) {
this.options = options;
}
set(key: string, value: T): void {
this.data.set(key, value);
}
get(key: string): T | undefined {
return this.data.get(key);
}
}
// Uses default type (empty object)
const simpleCache = new Cache();
simpleCache.set("key1", {});
// Specific type
const userCache = new Cache<{id: number, name: string}>();
userCache.set("user1", {id: 1, name: "Alice"});
// userCache.set("user2", {name: "Bob"}); // Error: missing 'id' property
3. Factory Pattern with Generic Constraints:
interface Constructor<T> {
new(...args: any[]): T;
}
class Entity {
id: number;
constructor(id: number) {
this.id = id;
}
}
// T must extend Entity, and we need a constructor for T
function createEntity<T extends Entity>(EntityClass: Constructor<T>, id: number): T {
return new EntityClass(id);
}
class User extends Entity {
name: string;
constructor(id: number, name: string) {
super(id);
this.name = name;
}
}
class Product extends Entity {
price: number;
constructor(id: number, price: number) {
super(id);
this.price = price;
}
}
// TypeScript correctly types these based on the class passed
const user = createEntity(User, 1); // Type: User
const product = createEntity(Product, 2); // Type: Product
// This would fail because string doesn't extend Entity
// createEntity(String, 3);
Constraint Limitations and Edge Cases:
Generic constraints have some limitations to be aware of:
- No Negated Constraints: TypeScript doesn't support negated constraints (e.g., T that is not X)
- No Direct Primitive Constraints: You can't directly constrain to primitive types without interfaces
- No Overloaded Constraints: You can't have different constraints for the same type parameter in different overloads
Workaround for Primitive Type Constraints:
// This doesn't directly constrain to number
// function processValue<T extends number>(value: T) { /* ... */ }
// Instead, use conditional types with distribution
type Numeric = number | bigint;
function processNumeric<T extends Numeric>(value: T): T {
if (typeof value === 'number') {
return (value * 2) as T; // Cast is needed
} else if (typeof value === 'bigint') {
return (value * 2n) as T; // Cast is needed
}
return value;
}
const num = processNumeric(42); // Works with number
const big = processNumeric(42n); // Works with bigint
// const str = processNumeric("42"); // Error: string not assignable to Numeric
Tip: When designing APIs with generic constraints, aim for the minimum constraint necessary. Over-constraining reduces the flexibility of your API, while under-constraining might lead to type errors or force you to use type assertions.
Constraint Strategy Comparison:
Constraint Style | Best For | Limitations |
---|---|---|
Interface Constraint | Ensuring specific properties/methods | Can't constrain to exact types |
Class-based Constraint | Inheritance hierarchies | Limited to class structures |
keyof Constraint | Property access, mapped types | Only works with object properties |
Conditional Type Constraint | Complex type relationships | Can be verbose and complex |
Beginner Answer
Posted on Mar 26, 2025Generic constraints in TypeScript allow you to limit the types that can be used with your generics. Think of them as setting rules for what kinds of types can be used with your generic functions or classes.
Basic Syntax:
You use the extends
keyword to define constraints:
function myFunction<T extends SomeType>(arg: T): T {
// Function body
return arg;
}
In this example, T
is limited to only types that are compatible with SomeType
.
Simple Example: Property Access
A common use for constraints is when you need to access specific properties on a generic type:
// Without constraint - this would cause an error
// because TypeScript doesn't know if T has a length property
function getLength<T>(item: T): number {
// Error: Property 'length' does not exist on type 'T'
return item.length;
}
// With constraint - now we're saying T must have a length property
function getLength<T extends { length: number }>(item: T): number {
return item.length; // Works fine now!
}
// These work because they have length properties
getLength("hello"); // String has length
getLength([1, 2, 3]); // Array has length
getLength({ length: 5 }); // Object with length property
// This would cause an error
// getLength(123); // Error: Number doesn't have a length property
When to Use Generic Constraints:
- Accessing Properties: When you need to access specific properties on generic types
- Class Hierarchies: Limiting generics to classes that extend from a base class
- Interface Conformance: Ensuring your generic types implement specific interfaces
- Type Safety: Providing more specific type checking while still keeping flexibility
Constraint Using an Interface:
// Define an interface
interface Identifiable {
id: number;
name: string;
}
// Function that requires objects with id and name
function displayInfo<T extends Identifiable>(item: T): void {
console.log(`ID: ${item.id}, Name: ${item.name}`);
}
// Works fine
displayInfo({ id: 1, name: "John", age: 30 });
// Error: Missing properties
// displayInfo({ id: 2 }); // Missing 'name' property
// displayInfo({ name: "Mary" }); // Missing 'id' property
Tip: Generic constraints help you strike a balance between flexibility (allowing different types) and safety (ensuring those types have what you need).
Explain what enums are in TypeScript, how they work, and provide examples of different ways to use them. Include information about numeric vs string enums and when to use them.
Expert Answer
Posted on Mar 26, 2025Enums in TypeScript provide a way to define a set of named constants, creating a discrete type that can only have specified values. TypeScript supports several types of enums with different behaviors.
Numeric Enums:
These are the default and most common type of enum:
enum Direction {
Up, // 0
Down, // 1
Left, // 2
Right // 3
}
When initializing enum values, TypeScript auto-increments from the previous value:
enum StatusCode {
OK = 200,
BadRequest = 400,
Unauthorized, // 401 (auto-incremented)
PaymentRequired, // 402
Forbidden // 403
}
String Enums:
These require each member to be string-initialized. They don't auto-increment but provide better debugging and serialization:
enum Direction {
Up = "UP",
Down = "DOWN",
Left = "LEFT",
Right = "RIGHT"
}
Heterogeneous Enums:
These mix string and numeric values (generally not recommended):
enum BooleanLikeHeterogeneousEnum {
No = 0,
Yes = "YES",
}
Computed and Constant Members:
Enum members can be computed at runtime:
enum FileAccess {
// constant members
None = 0,
Read = 1 << 0, // 1
Write = 1 << 1, // 2
// computed member
ReadWrite = Read | Write, // 3
// function call
G = "123".length // 3
}
Const Enums:
For performance optimization, const enums are completely removed during compilation, inlining all references:
const enum Direction {
Up,
Down,
Left,
Right
}
// Compiles to just: let dir = 0;
let dir = Direction.Up;
Ambient Enums:
Used for describing existing enum shapes from external code:
declare enum Enum {
A = 1,
B,
C = 2
}
Reverse Mapping:
Numeric enums get automatic reverse mapping from value to name (string enums do not):
enum Direction {
Up = 1,
Down,
Left,
Right
}
console.log(Direction[2]); // Outputs: "Down"
Performance Considerations: Standard enums generate more code than necessary. For optimal performance:
- Use const enums when you only need the value
- Consider using discriminated unions instead of enums for complex patterns
- Be aware that string enums don't get reverse mappings and thus generate less code
Enum Type Comparison:
Type | Pros | Cons |
---|---|---|
Numeric | Default, bidirectional mapping | Values not meaningful |
String | Self-documenting values, better for debugging | No reverse mapping, more verbose |
Const | Better performance, smaller output | Limited to compile-time usage |
Beginner Answer
Posted on Mar 26, 2025Enums in TypeScript are a way to give more friendly names to sets of numeric values. Think of them as creating a group of named constants that make your code more readable.
Basic Enum Example:
enum Direction {
Up,
Down,
Left,
Right
}
// Using the enum
let myDirection: Direction = Direction.Up;
console.log(myDirection); // Outputs: 0
How Enums Work:
By default, enums start numbering from 0, but you can customize the values:
enum Direction {
Up = 1,
Down = 2,
Left = 3,
Right = 4
}
console.log(Direction.Up); // Outputs: 1
Tip: You can also use string values in enums if you want more meaningful values:
enum Direction {
Up = "UP",
Down = "DOWN",
Left = "LEFT",
Right = "RIGHT"
}
console.log(Direction.Up); // Outputs: "UP"
When to Use Enums:
- When you have a fixed set of related constants (like days of week, directions, status codes)
- When you want to make your code more readable by using names instead of magic numbers
- When you want TypeScript to help ensure you only use valid values from a specific set
Explain what literal types are in TypeScript, how they differ from regular types, and how to use const assertions. Include examples of their usage and practical applications.
Expert Answer
Posted on Mar 26, 2025Literal types and const assertions are powerful TypeScript features that enable precise type control and immutability. They form the foundation for many advanced type patterns and are essential for type-safe code.
Literal Types in Depth:
Literal types are exact value types derived from JavaScript primitives. They allow for precise constraints beyond general types:
// Primitive types
let id: number; // Any number
let name: string; // Any string
let isActive: boolean; // true or false
// Literal types
let exactId: 42; // Only the number 42
let status: "pending" | "approved" | "rejected"; // Only these three strings
let flag: true; // Only boolean true
Literal types become particularly powerful when combined with unions, intersections, and mapped types:
// Use with union types
type HttpMethod = "GET" | "POST" | "PUT" | "DELETE" | "PATCH";
type SuccessCode = 200 | 201 | 204;
type ErrorCode = 400 | 401 | 403 | 404 | 500;
type StatusCode = SuccessCode | ErrorCode;
// Function with literal type parameters
function request(url: string, method: HttpMethod): Promise {
return fetch(url, { method });
}
// Type guard with literal return type
function isSuccess(code: StatusCode): code is SuccessCode {
return code < 300;
}
Template Literal Types:
TypeScript 4.1+ extends literal types with template literal types for pattern-based type creation:
type Color = "red" | "green" | "blue";
type Size = "small" | "medium" | "large";
// Combines all possibilities
type CSSClass = `${Size}-${Color}`;
// Result: "small-red" | "small-green" | "small-blue" | "medium-red" | etc.
function applyClass(element: HTMLElement, className: CSSClass) {
element.classList.add(className);
}
applyClass(element, "medium-blue"); // Valid
// applyClass(element, "giant-yellow"); // Error
Const Assertions:
The as const
assertion works at multiple levels, applying these transformations:
- Literal types instead of wider primitive types
- Readonly array types instead of mutable arrays
- Readonly tuple types instead of mutable tuples
- Readonly object properties instead of mutable properties
- Recursively applies to all nested objects and arrays
// Without const assertion
const config = {
endpoint: "https://api.example.com",
timeout: 3000,
retries: {
count: 3,
backoff: [100, 200, 500]
}
};
// Type: { endpoint: string; timeout: number; retries: { count: number; backoff: number[] } }
// With const assertion
const configConst = {
endpoint: "https://api.example.com",
timeout: 3000,
retries: {
count: 3,
backoff: [100, 200, 500]
}
} as const;
// Type: { readonly endpoint: "https://api.example.com"; readonly timeout: 3000;
// readonly retries: { readonly count: 3; readonly backoff: readonly [100, 200, 500] } }
Advanced Patterns with Literal Types and Const Assertions:
1. Discriminated Unions:
type Success = {
status: "success";
data: unknown;
};
type Failure = {
status: "error";
error: string;
};
type ApiResponse = Success | Failure;
function handleResponse(response: ApiResponse) {
if (response.status === "success") {
// TypeScript knows response is Success type here
console.log(response.data);
} else {
// TypeScript knows response is Failure type here
console.log(response.error);
}
}
2. Exhaustiveness Checking:
type Shape =
| { kind: "circle"; radius: number }
| { kind: "square"; size: number }
| { kind: "rectangle"; width: number; height: number };
function calculateArea(shape: Shape): number {
switch (shape.kind) {
case "circle":
return Math.PI * shape.radius ** 2;
case "square":
return shape.size ** 2;
case "rectangle":
return shape.width * shape.height;
default:
// This ensures all cases are handled
const exhaustiveCheck: never = shape;
return exhaustiveCheck;
}
}
3. Type-Safe Event Systems:
const EVENTS = {
USER_LOGIN: "user:login",
USER_LOGOUT: "user:logout",
CART_ADD: "cart:add",
CART_REMOVE: "cart:remove"
} as const;
// Event payloads
type EventPayloads = {
[EVENTS.USER_LOGIN]: { userId: string; timestamp: number };
[EVENTS.USER_LOGOUT]: { userId: string };
[EVENTS.CART_ADD]: { productId: string; quantity: number };
[EVENTS.CART_REMOVE]: { productId: string };
};
// Type-safe event emitter
function emit(
event: E,
payload: EventPayloads[E]
) {
console.log(`Emitting ${event} with payload:`, payload);
}
// Type-safe usage
emit(EVENTS.USER_LOGIN, { userId: "123", timestamp: Date.now() });
// emit(EVENTS.CART_ADD, { productId: "456" }); // Error: missing quantity
Performance Implications:
- Const assertions have zero runtime cost - they only affect type checking
- Literal types help TypeScript generate more optimized JavaScript by enabling dead code elimination
- Extensive use of complex literal types can increase TypeScript compilation time
Comparison: When to choose which approach
Scenario | Approach | Rationale |
---|---|---|
Fixed set of allowed values | Union of literal types | Explicit documentation of valid values |
Object with fixed properties | const assertion | Automatically infers literal types for all properties |
Dynamic value with fixed format | Template literal types | Type safety for pattern-based strings |
Type-safe constants | enum vs const object as const | Prefer const objects with as const for better type inference |
Beginner Answer
Posted on Mar 26, 2025Literal types and const assertions in TypeScript allow you to be more specific about exactly what values a variable can have, beyond just saying it's a string or number.
Literal Types Basics:
A literal type is a more specific subtype of a primitive type. Instead of saying "this is a string," you can say "this is exactly the string 'hello'."
// Regular string type - can be any string
let greeting: string = "Hello";
greeting = "Hi"; // This is allowed
// String literal type - can only be "Hello"
let exactGreeting: "Hello" = "Hello";
// exactGreeting = "Hi"; // Error! Type "Hi" is not assignable to type "Hello"
Common Uses for Literal Types:
// Union of literal types
type Direction = "up" | "down" | "left" | "right";
// Function that only accepts specific values
function move(direction: Direction) {
console.log(`Moving ${direction}`);
}
move("up"); // Works
move("north"); // Error! Argument of type "north" is not assignable to parameter of type Direction
Const Assertions:
The as const
syntax tells TypeScript to infer the most specific type possible and make all properties read-only.
// Without const assertion
const colors = ["red", "green", "blue"];
// Type is string[] - array of strings that can be modified
// With const assertion
const colorsConst = ["red", "green", "blue"] as const;
// Type is readonly ["red", "green", "blue"] - cannot be modified
Tip: Const assertions are especially useful for objects:
// Without const assertion
const settings = {
theme: "dark",
fontSize: 14
};
// Properties can be changed
settings.theme = "light"; // OK
// With const assertion
const settingsConst = {
theme: "dark",
fontSize: 14
} as const;
// Nothing can be changed
// settingsConst.theme = "light"; // Error!
When to Use These Features:
- Use literal types when you want to restrict a variable to specific values
- Use
as const
when you want to create immutable objects or arrays - These features help catch errors at compile time, not runtime
Explain how to extend and merge interfaces in TypeScript. What are the use cases for these features?
Expert Answer
Posted on Mar 26, 2025Interface extension and declaration merging in TypeScript provide sophisticated mechanisms for type composition and augmentation that align with both object-oriented and functional programming paradigms.
Interface Extension - Deep Dive:
Interface extension in TypeScript implements structural subtyping, allowing you to create derived interfaces that preserve the contract of the base interface while extending it with additional members.
Multiple Interface Extension:
interface Identifiable {
id: string | number;
}
interface Timestamped {
createdAt: Date;
updatedAt: Date;
}
interface Resource extends Identifiable, Timestamped {
name: string;
owner: string;
}
// Resource now requires all members from both parent interfaces
const document: Resource = {
id: "doc-123",
name: "Important Report",
owner: "Alice",
createdAt: new Date("2023-01-15"),
updatedAt: new Date("2023-03-20")
};
Extension supports multiple inheritance patterns through comma-separated base interfaces, a pattern TypeScript handles with union types when conflicts arise.
Advanced Extension Patterns:
Conditional Extension with Generic Constraints:
interface BasicEntity {
id: number;
}
interface WithTimestamps {
createdAt: Date;
updatedAt: Date;
}
// Conditional extension using generics and constraints
type EnhancedEntity<T extends BasicEntity> = T & WithTimestamps;
// Usage
interface User extends BasicEntity {
name: string;
email: string;
}
type TimestampedUser = EnhancedEntity<User>;
// TimestampedUser now has id, name, email, createdAt, and updatedAt
Declaration Merging - Implementation Details:
Declaration merging follows specific rules when combining properties and methods:
- Non-function members: Must be identical across declarations or a compile-time error occurs
- Function members: Overloaded function signatures are created when multiple methods share the same name
- Generics: Parameters must have the same constraints when merged
Declaration Merging with Method Overloading:
interface APIRequest {
fetch(id: number): Promise<Record<string, any>>;
}
// Merged declaration - adds method overload
interface APIRequest {
fetch(criteria: { [key: string]: any }): Promise<Record<string, any>[]>;
}
// Using the merged interface with overloaded methods
async function performRequest(api: APIRequest) {
// Single item by ID
const item = await api.fetch(123);
// Multiple items by criteria
const items = await api.fetch({ status: "active" });
}
Module Augmentation:
A specialized form of declaration merging that allows extending modules and namespaces:
Extending Third-Party Modules:
// Original library definition
// node_modules/some-lib/index.d.ts
declare module "some-lib" {
export interface Options {
timeout: number;
retries: number;
}
}
// Your application code
// augmentations.d.ts
declare module "some-lib" {
export interface Options {
logger?: (msg: string) => void;
cacheResults?: boolean;
}
}
// Usage after augmentation
import { Options } from "some-lib";
const options: Options = {
timeout: 3000,
retries: 3,
logger: console.log, // Added through augmentation
cacheResults: true // Added through augmentation
};
Performance Considerations:
Interface extension and merging have zero runtime cost as they exist purely at compile time. However, extensive interface merging across many files can impact type-checking performance in large codebases.
Advanced Tip: To optimize type-checking performance in large projects, consider using interface merging selectively and bundling related interface extensions in fewer files.
Design Pattern Applications:
- Mixins: Implementing the mixin pattern with interfaces
- Progressive Enhancement: Gradually extending types as features evolve
- Adapter Pattern: Using extension to adapt between different interface contracts
- Module Augmentation: Extending third-party library typings without forking
Beginner Answer
Posted on Mar 26, 2025Interface extension and merging in TypeScript are powerful features that help you build upon existing interfaces and combine multiple interfaces together.
Interface Extension:
Extension lets you create a new interface that inherits all the properties of another interface, plus adds its own properties.
Example of Interface Extension:
// Basic interface
interface Animal {
name: string;
makeSound(): void;
}
// Extended interface
interface Dog extends Animal {
breed: string;
wagTail(): void;
}
// Using the extended interface
const myDog: Dog = {
name: "Buddy",
breed: "Golden Retriever",
makeSound() { console.log("Woof!"); },
wagTail() { console.log("Tail wagging!"); }
};
In this example, Dog
inherits all properties from Animal
and adds two more.
Interface Merging:
Interface merging happens when you declare multiple interfaces with the same name - TypeScript automatically combines them into a single interface.
Example of Interface Merging:
// First declaration
interface User {
name: string;
email: string;
}
// Second declaration (will be merged)
interface User {
id: number;
isActive: boolean;
}
// The merged interface is equivalent to:
// interface User {
// name: string;
// email: string;
// id: number;
// isActive: boolean;
// }
const user: User = {
name: "John",
email: "john@example.com",
id: 123,
isActive: true
};
Tip: Interface merging is especially useful when working with third-party libraries. You can add properties to existing interfaces without modifying the original code.
Common Use Cases:
- Extension: Creating more specialized types based on generic ones
- Merging: Adding properties to interfaces from libraries
- Merging: Splitting complex interfaces across multiple files
- Extension: Creating a hierarchy of related interfaces
What are index signatures in TypeScript? How can you use them in interfaces, and what are the practical applications and limitations?
Expert Answer
Posted on Mar 26, 2025Index signatures in TypeScript provide a mechanism for type-checking objects with dynamic property names while enforcing homogeneous value types. They represent a powerful feature at the intersection of static typing and JavaScript's dynamic nature.
Index Signature Specifications:
An index signature follows the syntax [keyName: keyType]: valueType
where:
keyName
is a placeholder variable (semantically meaningful but not used in type-checking)keyType
must be assignable to eitherstring
,number
, orsymbol
valueType
defines the allowed types for all property values
Type Constraints and Property Type Relationships:
Type Compatibility Rules in Index Signatures:
interface StringIndexSignature {
[key: string]: any;
// All explicit properties must conform to the index signature
length: number; // OK - number is assignable to 'any'
name: string; // OK - string is assignable to 'any'
}
interface RestrictedStringIndex {
[key: string]: number;
// length: string; // Error: Property 'length' of type 'string' is not assignable to 'number'
count: number; // OK - matches index signature value type
// title: boolean; // Error: Property 'title' of type 'boolean' is not assignable to 'number'
}
When an interface combines explicit properties with index signatures, all explicit properties must have types compatible with (assignable to) the index signature's value type.
Dual Index Signatures and Type Hierarchy:
Number and String Index Signatures Together:
interface MixedIndexes {
[index: number]: string;
[key: string]: string | number;
// The number index return type must be assignable to the string index return type
}
// Valid implementation:
const validMix: MixedIndexes = {
0: "zero", // Numeric index returns string
"count": 5, // String index can return number
"label": "test" // String index can also return string
};
// Internal type representation (simplified):
// When accessing with numeric index: string
// When accessing with string index: string | number
This constraint exists because in JavaScript, numeric property access (obj[0]
) is internally converted to string access (obj["0"]
), so the types must be compatible in this direction.
Advanced Index Signature Patterns:
Mapped Types with Index Signatures:
// Generic record type with typed keys and values
type Record<K extends string | number | symbol, T> = {
[P in K]: T;
};
// Partial type that makes all properties optional
type Partial<T> = {
[P in keyof T]?: T[P];
};
// Using mapped types with index signatures
interface ApiResponse {
userId: number;
id: number;
title: string;
completed: boolean;
}
// Creates a type with the same properties but all strings
type StringifiedResponse = Record<keyof ApiResponse, string>;
// All properties become optional
type OptionalResponse = Partial<ApiResponse>;
Handling Specific and Dynamic Properties Together:
Using Union Types with Index Signatures:
// Define known properties and allow additional dynamic ones
interface DynamicConfig {
// Known specific properties
endpoint: string;
timeout: number;
retries: number;
// Dynamic properties with specific value types
[key: string]: string | number | boolean;
}
const config: DynamicConfig = {
endpoint: "https://api.example.com",
timeout: 3000,
retries: 3,
// Dynamic properties
enableLogging: true,
cacheStrategy: "memory",
maxConnections: 5
};
// Retrieve at runtime when property name isn't known in advance
function getValue(config: DynamicConfig, key: string): string | number | boolean | undefined {
return config[key];
}
Performance and Optimization Considerations:
Index signatures affect TypeScript's structural type checking and can impact inference performance:
- They force TypeScript to consider all possible property accesses as potentially valid
- This can slow down type checking in large objects or when mixed with discriminated unions
- They reduce the ability of TypeScript to catch misspelled property names
Advanced Tip: Use more specific interfaces when possible. Consider Record<K, T>
or Map
for truly dynamic collections to get better type checking.
Index Signatures with Symbol Keys:
Using Symbol-Keyed Index Signatures:
// Symbol-keyed index signature
interface SymbolIndex {
[key: symbol]: string;
}
// Usage with symbol keys
const nameSymbol = Symbol("name");
const idSymbol = Symbol("id");
const symbolObj: SymbolIndex = {};
symbolObj[nameSymbol] = "Alice";
symbolObj[idSymbol] = "123";
// This provides truly private properties since symbols are unique
Limitations and Solutions:
Index Signature Limitations:
Limitation | Solution |
---|---|
All properties must share the same type | Use union types or unknown with type guards |
No auto-completion for dynamic keys | Use template literal types in TypeScript 4.1+ |
No compile-time checking for misspelled keys | Use keyof with mapped types where possible |
Homogeneous value types only | Use discriminated unions or branded types |
TypeScript 4.1+ Enhancements: Template Literal Types with Index Signatures
Advanced Typed Access with Template Literals:
// Define possible prefixes and suffixes
type CSSPropertyPrefix = "margin" | "padding" | "border";
type CSSPropertySuffix = "Top" | "Right" | "Bottom" | "Left";
// Generate all combinations with template literals
type CSSProperty = `${CSSPropertyPrefix}${CSSPropertySuffix}`;
// Type-safe CSS properties object
interface CSSProperties {
[prop: string]: string | number;
// These specific properties are now auto-completed and type-checked
marginTop: string | number;
marginRight: string | number;
// And all other generated combinations...
}
const styles: CSSProperties = {
marginTop: "10px",
borderBottom: "1px solid black",
// The editor will suggest all valid combinations!
};
Beginner Answer
Posted on Mar 26, 2025Index signatures in TypeScript are a powerful feature that let you create objects with flexible property names, while still maintaining type safety.
What Are Index Signatures?
An index signature allows you to define the type of properties that an object can have without knowing the exact property names in advance. It's like saying "this object can have any number of properties with names of a certain type, and their values will be of another specified type."
Basic Index Signature Example:
interface Dictionary {
[key: string]: string;
}
// This is valid because we can add any string keys with string values
const colors: Dictionary = {
red: "#FF0000",
green: "#00FF00",
blue: "#0000FF"
};
// We can add new properties dynamically
colors.purple = "#800080";
// We can access properties with bracket notation
console.log(colors["red"]); // "#FF0000"
Using Index Signatures in Interfaces:
Index signatures are particularly useful in interfaces when you want to define objects that work like dictionaries, maps, or have dynamic properties.
Combining Index Signatures with Specific Properties:
interface User {
id: number;
name: string;
[attribute: string]: string | number; // Can have any string properties with string or number values
}
const user: User = {
id: 123, // Required specific property
name: "Alice", // Required specific property
age: 30, // Additional property (number)
email: "alice@example.com", // Additional property (string)
role: "admin" // Additional property (string)
};
Types of Index Signatures:
- String Index Signatures: For accessing properties with strings (most common)
- Number Index Signatures: For accessing properties with numbers (like arrays)
Number Index Signature:
interface NumberDictionary {
[index: number]: string;
}
// Acts similar to an array
const phoneticNumbers: NumberDictionary = {
0: "zero",
1: "one",
2: "two"
};
console.log(phoneticNumbers[1]); // "one"
Tip: When using both string and number index signatures in the same interface, the number index type must be assignable to the string index type. This is because in JavaScript, when you access an object with a number, it's actually converted to a string.
Common Use Cases:
- Dictionaries/Maps: When you need to store key-value pairs
- Dynamic properties: When property names are determined at runtime
- Configuration objects: For flexible settings objects
- API responses: When dealing with JSON data that may have various properties
Explain the purpose of tsconfig.json and how to configure it for different project requirements. What are the most important configuration options and when would you use them?
Expert Answer
Posted on Mar 26, 2025The tsconfig.json
file serves as the project configuration for TypeScript, defining compilation settings, type checking rules, module resolution strategies, and file handling instructions. Understanding its nuances is crucial for optimizing TypeScript development workflows.
Configuration Hierarchy and Resolution:
TypeScript resolves configuration through a specific hierarchy:
- Command-line flags (highest precedence)
- Referenced tsconfig.json files via project references
- Inherited configurations via extends property
- Base tsconfig.json settings
Project Structure Configuration:
{
"compilerOptions": {/* compiler settings */},
"include": ["src/**/*"],
"exclude": ["node_modules", "**/*.spec.ts"],
"files": ["src/specific-file.ts"],
"references": [
{ "path": "../otherproject" }
],
"extends": "./base-tsconfig.json"
}
The references
property enables project references for monorepos, while extends
allows for configuration inheritance and composition patterns.
Critical Compiler Options by Category:
Type Checking:
- strict: Enables all strict type checking options
- noImplicitAny: Raises error on expressions and declarations with implied
any
type - strictNullChecks: Makes null and undefined have their own types
- strictFunctionTypes: Enables contravariant parameter checking for function types
- strictPropertyInitialization: Ensures non-undefined class properties are initialized in the constructor
- noUncheckedIndexedAccess: Adds undefined to indexed access results
Module Resolution:
- moduleResolution: Strategy used for importing modules (node, node16, nodenext, classic, bundler)
- baseUrl: Base directory for resolving non-relative module names
- paths: Path mapping entries for module names to locations relative to baseUrl
- rootDirs: List of roots for virtual merged file system
- typeRoots: List of folders to include type definitions from
- types: List of type declaration packages to include
Emission Control:
- declaration: Generates .d.ts files
- declarationMap: Generates sourcemaps for .d.ts files
- sourceMap: Generates .map files for JavaScript sources
- outDir: Directory for output files
- outFile: Bundle all output into a single file (requires AMD or System module)
- removeComments: Removes comments from output
- noEmit: Disables emitting files (for type checking only)
Advanced Configuration Patterns:
Path Aliases Configuration:
{
"compilerOptions": {
"baseUrl": ".",
"paths": {
"@core/*": ["src/core/*"],
"@utils/*": ["src/utils/*"],
"@components/*": ["src/components/*"]
}
}
}
Configuration for Different Environments:
Library Configuration | Web Application Configuration |
---|---|
|
|
Project References Pattern for Monorepos:
Root tsconfig.json:
{
"files": [],
"references": [
{ "path": "./packages/core" },
{ "path": "./packages/client" },
{ "path": "./packages/server" }
]
}
Performance Tip: For large projects, use include
and exclude
carefully to limit the files TypeScript processes. The skipLibCheck
option can significantly improve compilation speed by skipping type-checking of declaration files.
The incremental
flag with tsBuildInfoFile
enables incremental compilation, creating a file that tracks changes between compilations for improved performance in CI/CD pipelines and development environments.
Beginner Answer
Posted on Mar 26, 2025The tsconfig.json
file is like a recipe book for your TypeScript project. It tells TypeScript how to understand, check, and transform your code.
Basic Purpose:
When you add a tsconfig.json
file to a directory, it marks that directory as the root of a TypeScript project. This file contains various settings that control how TypeScript behaves.
A Simple tsconfig.json Example:
{
"compilerOptions": {
"target": "es2016",
"module": "commonjs",
"outDir": "./dist",
"rootDir": "./src",
"strict": true
},
"include": ["src/**/*"],
"exclude": ["node_modules"]
}
Key Sections Explained:
- compilerOptions: The main settings that control how TypeScript works
- include: Tells TypeScript which files to process (using patterns)
- exclude: Tells TypeScript which files to ignore
Important Settings to Know:
- target: Which JavaScript version to compile to (like ES6 or ES2016)
- module: What style of import/export to use in the output code
- outDir: Where to put the compiled JavaScript files
- rootDir: Where your TypeScript source files are located
- strict: Turns on stricter type checking (recommended)
Tip: You can create a basic tsconfig.json file by running tsc --init
in your project folder if you have TypeScript installed.
Think of the tsconfig.json as telling TypeScript "how strict to be" with your code and "where to put things" when it compiles.
Explain the different module systems in TypeScript. How do CommonJS, AMD, UMD, ES Modules, and System.js differ? When would you choose each module format and how do you configure TypeScript to use them?
Expert Answer
Posted on Mar 26, 2025TypeScript's module system is a critical architectural component that impacts runtime behavior, bundling strategies, and compatibility across different JavaScript environments. The module system dictates how modules are loaded, evaluated, and resolved at runtime.
Module System Architecture Comparison:
Feature | CommonJS | ES Modules | AMD | UMD | System.js |
---|---|---|---|---|---|
Loading | Synchronous | Async (static imports), Async (dynamic imports) | Asynchronous | Sync or Async | Async with polyfills |
Resolution Time | Runtime | Parse-time (static), Runtime (dynamic) | Runtime | Runtime | Runtime |
Circular Dependencies | Partial support | Full support | Supported | Varies | Supported |
Tree-Shaking | Poor | Excellent | Poor | Poor | Moderate |
Primary Environment | Node.js | Modern browsers, Node.js 14+ | Legacy browsers | Universal | Polyfilled environments |
Detailed Module System Analysis:
1. CommonJS
The synchronous module system originating from Node.js:
// Exporting
const utils = {
add: (a: number, b: number): number => a + b
};
module.exports = utils;
// Alternative: exports.add = (a, b) => a + b;
// Importing
const utils = require('./utils');
const { add } = require('./utils');
Key Implementation Details:
- Uses
require()
function andmodule.exports
object - Modules are evaluated once and cached
- Synchronous loading blocks execution until dependencies resolve
- Circular dependencies resolved through partial exports
- Resolution algorithm searches node_modules directories hierarchically
2. ES Modules (ESM)
The official JavaScript standard module system:
// Exporting
export const add = (a: number, b: number): number => a + b;
export default class Calculator { /* ... */ }
// Importing - static
import { add } from './utils';
import Calculator from './utils';
import * as utils from './utils';
// Importing - dynamic
const mathModule = await import('./math.js');
Key Implementation Details:
- Static import structure analyzed at parse-time before execution
- Modules are evaluated only once and bindings are live
- Top-level await supported in modules
- Import specifiers must be string literals in static imports
- TDZ (Temporal Dead Zone) applies to imports
- Supports both named and default exports
3. AMD (Asynchronous Module Definition)
Module system optimized for browser environments:
// Defining a module
define('utils', ['dependency1', 'dependency2'], function(dep1, dep2) {
return {
add: (a: number, b: number): number => a + b
};
});
// Using a module
require(['utils'], function(utils) {
console.log(utils.add(1, 2));
});
Key Implementation Details:
- Designed for pre-ES6 browsers where async loading was critical
- Uses
define()
andrequire()
functions - Dependencies are loaded in parallel, non-blocking
- Commonly used with RequireJS loader
- Configuration allows for path mapping and shims
4. UMD (Universal Module Definition)
A pattern that combines multiple module systems:
(function(root, factory) {
if (typeof define === 'function' && define.amd) {
// AMD
define(['dependency'], factory);
} else if (typeof module === 'object' && module.exports) {
// CommonJS
module.exports = factory(require('dependency'));
} else {
// Browser globals
root.myModule = factory(root.dependency);
}
}(typeof self !== 'undefined' ? self : this, function(dependency) {
// Module implementation
return {
add: (a: number, b: number): number => a + b
};
}));
Key Implementation Details:
- Not a standard but a pattern that detects the environment
- Adapts to AMD, CommonJS, or global variable depending on context
- Useful for libraries that need to work across environments
- More verbose than other formats
- Less efficient for tree-shaking and bundling
5. System.js
A universal dynamic module loader:
// Configuration
System.config({
map: {
'lodash': 'node_modules/lodash/lodash.js'
}
});
// Importing
System.import('./module.js').then(module => {
module.doSomething();
});
Key Implementation Details:
- Polyfill for the System module format
- Can load all module formats (ESM, CommonJS, AMD, UMD)
- Supports dynamic importing through promises
- Useful for runtime loading in browsers
- Can be configured for complex module resolution
TypeScript Configuration for Module Systems:
{
"compilerOptions": {
"module": "esnext", // Module emit format
"moduleResolution": "node", // Module resolution strategy
"esModuleInterop": true, // CommonJS/AMD/UMD to ESM interop
"allowSyntheticDefaultImports": true,
"target": "es2020",
"lib": ["es2020", "dom"],
"baseUrl": ".",
"paths": {
"@app/*": ["src/app/*"]
}
}
}
Module Resolution Strategies:
TypeScript supports different module resolution strategies, controlled by the moduleResolution
compiler option:
- classic: Legacy TypeScript resolution (rarely used now)
- node: Node.js-style resolution (follows require() rules)
- node16/nodenext: For Node.js with ECMAScript modules
- bundler: For bundlers like webpack, Rollup (TS 5.0+)
Performance Optimization: Use moduleResolution: "bundler"
for projects using modern bundlers to get enhanced path resolution and more accurate type checking of packages that use subpath exports.
Module Format Selection Guidelines:
- Node.js Applications:
module: "commonjs"
for older Node ormodule: "node16"
for newer Node with ES modules - Browser Libraries:
module: "esnext"
withmoduleResolution: "bundler"
to maximize tree-shaking - Cross-Platform Libraries: Use
module: "esnext"
and let bundlers handle conversion, or generate both formats using multiple tsconfig files - Legacy Browser Support:
module: "amd"
ormodule: "umd"
when targeting older browsers without bundlers
Advanced Module Pattern: Dual Package Exports
Modern libraries often support both ESM and CommonJS simultaneously via package.json:
{
"name": "my-library",
"type": "module",
"exports": {
".": {
"import": "./dist/esm/index.js",
"require": "./dist/cjs/index.js",
"types": "./dist/types/index.d.ts"
},
"./feature": {
"import": "./dist/esm/feature.js",
"require": "./dist/cjs/feature.js",
"types": "./dist/types/feature.d.ts"
}
}
}
This pattern, combined with TypeScript's outDir
and multiple tsconfig files, enables creating module-format-specific builds that support both Node.js and browser environments optimally.
Beginner Answer
Posted on Mar 26, 2025A module in TypeScript is simply a way to organize code into separate files that can be imported and used in other files. Think of modules like chapters in a book - they help break down your code into manageable pieces.
Main Module Formats:
- CommonJS: The traditional Node.js way
- ES Modules: The modern JavaScript standard
- AMD: Designed for browsers (older style)
- UMD: Works in multiple environments
Using Modules in TypeScript:
Exporting in a file (math.ts):
// Named exports
export function add(a: number, b: number) {
return a + b;
}
export function subtract(a: number, b: number) {
return a - b;
}
// Default export
export default function multiply(a: number, b: number) {
return a * b;
}
Importing in another file:
// Import specific functions
import { add, subtract } from "./math";
// Import the default export
import multiply from "./math";
// Import everything
import * as math from "./math";
console.log(add(5, 3)); // 8
console.log(multiply(4, 2)); // 8
console.log(math.subtract(10, 5)); // 5
Module Settings in tsconfig.json:
You can tell TypeScript which module system to use in your tsconfig.json file:
{
"compilerOptions": {
"module": "commonjs" // or "es2015", "esnext", "amd", "umd", etc.
}
}
When to Use Each Format:
- CommonJS: Use for Node.js applications
- ES Modules: Use for modern browsers and newer Node.js versions
- AMD/UMD: Use when your code needs to work in multiple environments
Tip: Most new projects use ES Modules (ESM) because it's the standard JavaScript way of handling modules and has good support in modern environments.
Think of module systems as different "languages" that JavaScript environments use to understand imports and exports. TypeScript can translate your code into any of these languages depending on where your code needs to run.