Alright, let's jump into the fascinating world of compile-time metaprogramming in TypeScript using template literal types. This powerful feature allows us to create some seriously cool type-level magic that can make our code safer and more expressive.
First off, what exactly are template literal types? They're a way to manipulate and create new types based on string literals. It's like having a mini programming language just for your types. Pretty neat, right?
Let's start with a simple example:
type Greeting<T extends string> = `Hello, ${T}!`;
type Result = Greeting<"World">; // "Hello, World!"
Here, we've created a type that takes a string and wraps it in a greeting. The TypeScript compiler figures out the resulting type at compile-time. This is just scratching the surface, though.
We can use template literal types to create more complex transformations. For instance, let's say we want to create a type that converts snake_case to camelCase:
type SnakeToCamel<S extends string> = S extends `${infer T}_${infer U}`
? `${T}${Capitalize<SnakeToCamel<U>>}`
: S;
type Result = SnakeToCamel<"hello_world_typescript">; // "helloWorldTypescript"
This type recursively transforms the input string, capitalizing each part after an underscore. The infer
keyword is crucial here - it lets us extract parts of the string into new type variables.
But why stop there? We can use these techniques to build entire domain-specific languages (DSLs) within our type system. Imagine creating a type-safe SQL query builder:
type Table = "users" | "posts" | "comments";
type Column = "id" | "name" | "email" | "content";
type Select<T extends Table, C extends Column> = `SELECT ${C} FROM ${T}`;
type Where<T extends string> = `WHERE ${T}`;
type Query<T extends Table, C extends Column, W extends string> =
`${Select<T, C>} ${Where<W>}`;
type UserQuery = Query<"users", "name" | "email", "id = 1">;
// "SELECT name, email FROM users WHERE id = 1"
This setup ensures that we're only selecting valid columns from valid tables, all checked at compile-time. No more runtime errors from mistyped column names!
We can take this even further by implementing more complex type-level computations. Let's create a type that can perform basic arithmetic:
type Digit = '0' | '1' | '2' | '3' | '4' | '5' | '6' | '7' | '8' | '9';
type AddDigits<A extends Digit, B extends Digit> =
// ... (implementation details omitted for brevity)
type Add<A extends string, B extends string> =
// ... (implementation details omitted for brevity)
type Result = Add<"123", "456">; // "579"
This type can add two numbers represented as strings. The actual implementation is quite complex and involves a lot of conditional types and recursion, but the end result is pure compile-time magic.
One practical application of these techniques is in creating advanced form validation schemas. We can define a type that describes the shape of our form and use it to generate validation rules:
type Form = {
name: string;
email: string;
age: number;
};
type ValidationRule<T> = T extends string
? "isString"
: T extends number
? "isNumber"
: never;
type ValidationSchema<T> = {
[K in keyof T]: ValidationRule<T[K]>;
};
type FormValidation = ValidationSchema<Form>;
// { name: "isString", email: "isString", age: "isNumber" }
This schema can then be used to generate runtime validation code, ensuring that our validation logic always matches our type definitions.
Template literal types also enable us to create more flexible APIs. We can use them to implement method chaining with proper type inference:
type Chainable<T> = {
set: <K extends string, V>(key: K, value: V) => Chainable<T & { [P in K]: V }>;
get: () => T;
};
declare function createChainable<T>(): Chainable<T>;
const result = createChainable()
.set("foo", 123)
.set("bar", "hello")
.get();
// result type: { foo: number, bar: string }
This pattern allows us to build objects step by step, with the type system keeping track of the accumulated properties at each step.
One of the most powerful aspects of compile-time metaprogramming is the ability to generate new types based on existing ones. We can use this to create utility types that transform other types in useful ways. For example, let's create a type that makes all properties of an object optional, but only at the first level:
type ShallowPartial<T> = {
[P in keyof T]?: T[P] extends object ? T[P] : T[P] | undefined;
};
type User = {
name: string;
address: {
street: string;
city: string;
};
};
type PartialUser = ShallowPartial<User>;
// {
// name?: string | undefined;
// address?: {
// street: string;
// city: string;
// } | undefined;
// }
This type makes the top-level properties optional, but leaves nested objects unchanged. It's a more nuanced version of TypeScript's built-in Partial
type.
We can also use template literal types to create more expressive error messages. Instead of getting cryptic type errors, we can guide developers to the exact problem:
type AssertEqual<T, U> = T extends U
? U extends T
? true
: `Expected ${U}, but got ${T}`
: `Expected ${U}, but got ${T}`;
type Test1 = AssertEqual<"hello", "hello">; // true
type Test2 = AssertEqual<"hello", "world">; // "Expected "world", but got "hello""
This technique can be especially useful in library development, where providing clear feedback to users is crucial.
Another interesting application is in creating type-safe event emitters. We can use template literal types to ensure that event names and their corresponding payloads are correctly matched:
type EventMap = {
"user:login": { userId: string };
"item:added": { itemId: number; quantity: number };
};
type EventName = keyof EventMap;
class TypedEventEmitter<T extends Record<string, any>> {
emit<E extends EventName>(event: E, data: T[E]): void {
// Implementation details omitted
}
on<E extends EventName>(event: E, callback: (data: T[E]) => void): void {
// Implementation details omitted
}
}
const emitter = new TypedEventEmitter<EventMap>();
emitter.emit("user:login", { userId: "123" }); // OK
emitter.emit("item:added", { itemId: 456, quantity: 2 }); // OK
emitter.emit("user:login", { itemId: 789 }); // Type error!
This setup ensures that we're always emitting and listening for events with the correct payload types.
Template literal types can also be used to implement type-level state machines. This can be incredibly useful for modeling complex workflows or protocols:
type State = "idle" | "loading" | "success" | "error";
type Event = "fetch" | "success" | "failure" | "reset";
type Transition<S extends State, E extends Event> =
S extends "idle"
? E extends "fetch"
? "loading"
: S
: S extends "loading"
? E extends "success"
? "success"
: E extends "failure"
? "error"
: S
: S extends "success" | "error"
? E extends "reset"
? "idle"
: S
: never;
type Machine<S extends State = "idle"> = {
state: S;
transition: <E extends Event>(event: E) => Machine<Transition<S, E>>;
};
declare function createMachine<S extends State>(initialState: S): Machine<S>;
const machine = createMachine("idle")
.transition("fetch")
.transition("success")
.transition("reset");
type FinalState = typeof machine.state; // "idle"
This state machine is fully type-safe - it won't allow invalid transitions and will track the current state accurately.
In conclusion, compile-time metaprogramming with template literal types in TypeScript opens up a world of possibilities. It allows us to create more expressive, type-safe, and self-documenting code. We can catch errors earlier, provide better developer experiences, and even generate code based on types. While these techniques can be complex, they offer powerful tools for building robust and flexible systems. As with any advanced feature, it's important to use them judiciously - sometimes simpler solutions are more maintainable. But when used well, compile-time metaprogramming can significantly enhance the quality and reliability of our TypeScript code.
Our Creations
Be sure to check out our creations:
Investor Central | Smart Living | Epochs & Echoes | Puzzling Mysteries | Hindutva | Elite Dev | JS Schools
We are on Medium
Tech Koala Insights | Epochs & Echoes World | Investor Central Medium | Puzzling Mysteries Medium | Science & Epochs Medium | Modern Hindutva
Top comments (0)