What are TypeScript Decorators and How Do They Work?
TypeScript decorators are a special kind of declaration that can be attached to a class declaration, method, accessor, property, or parameter.
Decorators use the form @expression, where expression must evaluate to a function that will be called at runtime with information about the decorated declaration. 
If you've ever felt like a wizard adorning your TypeScript code with mystical symbols that somehow empower it with more functionality, you've probably been using decorators.
In this article, we'll unravel the magic behind TypeScript decorators, explain how they work, and show you how to use them to enhance your code. Grab your wizard's hat, and let's dive into the enchanting world of decorators!
Part 1: Understanding TypeScript Decorators
The Basics of Decorators
Decorators are a stage 2 proposal for JavaScript and are available as an experimental feature of TypeScript.
They are a design pattern that allows for a more declarative programming style, where you can modify or annotate the behavior of classes or properties directly in the declaration rather than through inheritance.
Syntax and Configuration
To enable decorators in TypeScript, you must set the experimentalDecorators option to true in your tsconfig.json file:
{
  "compilerOptions": {
    "target": "ES5",
    "experimentalDecorators": true
  }
}A basic decorator looks something like this:
function sealed(target) {
  // do something with 'target'...
}
@sealed
class Greeter {
  greeting: string;
  constructor(message: string) {
    this.greeting = message;
  }
  greet() {
    return "Hello, " + this.greeting;
  }
}
In this example, @sealed is a decorator that might modify the Greeter class in some way at runtime.
Types of Decorators
TypeScript supports several types of decorators:
- Class Decorators: Applied to the constructor of the class. 
- Method Decorators: Applied to the methods of a class. 
- Accessor Decorators: Applied to the accessors (getters/setters) of a class. 
- Property Decorators: Applied to the properties of a class. 
- Parameter Decorators: Applied to the parameters of class methods. 
How Decorators Work
Decorators are functions that are called with specific arguments depending on what they are decorating.
For example, a class decorator receives the constructor function of the class as its argument. A method decorator receives the target (the prototype of the class), the property name (the name of the method), and the property descriptor as arguments.
Creating a Simple Decorator
Let's create a simple class decorator that logs whenever a class is instantiated:
function logClass(target: Function) {
  // Save a reference to the original constructor
  var original = target;
  // A utility function to generate instances of a class
  function construct(constructor, args) {
    var c: any = function () {
      return constructor.apply(this, args);
    }
    c.prototype = constructor.prototype;
    return new c();
  }
  // The new constructor behavior
  var f: any = function (...args) {
    console.log(`New instance of ${original.name}`);
    return construct(original, args);
  }
  // Copy prototype so instanceof operator still works
  f.prototype = original.prototype;
  // Return new constructor (will override original)
  return f;
}
@logClass
class Person {
  constructor(name: string) {
    console.log(`Person constructor: ${name}`);
  }
}
var p = new Person('John Doe');
This example shows a class decorator @logClass that logs a message whenever a new instance of the Person class is created.
Part 2: Advanced Usage and Real-World Applications of TypeScript Decorators
Now that we've covered the basics and seen a simple example of a TypeScript decorator, let's delve deeper into their advanced usage and explore how they can be applied in real-world scenarios.
Decorators can significantly enhance your code by adding new functionalities, improving readability, and facilitating the maintenance of your projects.
Method and Property Decorators
Method and property decorators add metadata or change the behavior of class methods and properties.
They are powerful tools for aspect-oriented programming, allowing you to inject behavior into methods or accessors without altering the original method code.
Logging Method Calls
Consider a scenario where you want to log every call to certain methods for debugging or auditing purposes. Instead of cluttering your business logic with logging statements, you can create a method decorator:
function logMethod(target: any, propertyName: string, descriptor: PropertyDescriptor) {
  const originalMethod = descriptor.value;
  descriptor.value = function (...args: any[]) {
    console.log(`Calling "${propertyName}" with args: ${JSON.stringify(args)}`);
    const result = originalMethod.apply(this, args);
    console.log(`"${propertyName}" returned: ${JSON.stringify(result)}`);
    return result;
  };
  return descriptor;
}
class Calculator {
  @logMethod
  add(x: number, y: number): number {
    return x + y;
  }
}
const calc = new Calculator();
console.log(calc.add(5, 3));
This @logMethod decorator wraps the original method, adding logging before and after its execution, without touching the method's core functionality.
Auto-bind This
JavaScript's this can be tricky, especially when event handlers or callbacks are involved. A decorator can ensure this is always correctly bound:
function autobind(_: any, _2: string, descriptor: PropertyDescriptor): PropertyDescriptor {
  const originalMethod = descriptor.value;
  const adjDescriptor: PropertyDescriptor = {
    configurable: true,
    get() {
      const boundFn = originalMethod.bind(this);
      return boundFn;
    },
  };
  return adjDescriptor;
}
class Button {
  text: string;
  constructor(text: string) {
    this.text = text;
  }
  @autobind
  click() {
    console.log(this.text);
  }
}
const button = new Button('Click me');
const buttonElement = document.querySelector('button');
buttonElement.addEventListener('click', button.click);
This @autobind decorator automatically binds methods to their instance, ensuring this refers to the class instance, even when the method is detached and used as a callback.
Accessor Decorators
Accessor decorators work similarly to method decorators but are applied to getters and/or setters. They can be used to intercept and modify the behavior of accessing or setting a property.
ReadOnly Decorator
A common use case is creating a read-only property decorator, which modifies a setter to prevent changes:
function ReadOnly(target: any, propertyName: string, descriptor: PropertyDescriptor) {
  descriptor.writable = false;
}
class User {
  private _name: string;
  constructor(name: string) {
    this._name = name;
  }
  @ReadOnly
  get name() {
    return this._name;
  }
  // This setter won't work because of the ReadOnly decorator
  set name(value: string) {
    this._name = value;
  }
}
const user = new User("John");
console.log(user.name); // John
user.name = "Jane"; // This will silently fail or throw in strict mode
console.log(user.name); // Still John
Parameter Decorators
Parameter decorators are used to process or modify the behavior of function parameters. They are less common but can be useful for injecting dependencies or validating input.
Injecting Dependencies
Imagine a scenario where you want to inject services or dependencies into your class methods without hard-coding them:
function Inject(serviceIdentifier: string) {
  return function (target: any, methodName: string, parameterIndex: number) {
    // Dependency injection logic here
    console.log(`Injecting ${serviceIdentifier} into ${methodName} at index ${parameterIndex}`);
  };
}
class PaymentService {
  processPayment(@Inject('LoggerService') logger: any, amount: number) {
    // logger would be injected at runtime
    logger.log(`Processing payment of ${amount}`);
  }
}
Real-World Applications
Decorators shine in frameworks and libraries where they can abstract complex logic away from the developer, making the codebase cleaner and more expressive.
For instance, in Angular, decorators are used extensively for defining components, services, and handling dependency injection.
Similarly, in NestJS, a framework for building efficient, reliable, and scalable server-side applications, decorators are used for routing, middleware, and guards, among other things.
Conclusion
TypeScript decorators offer a powerful and expressive way to add custom behavior to classes, methods, properties, and parameters.
By understanding and leveraging decorators, you can write cleaner, more maintainable, and more declarative code.
Whether it's logging method calls, automatically binding this, making properties read-only, or injecting dependencies, decorators can handle a wide array of tasks, making them an indispensable tool in the modern TypeScript developer's toolkit.
Remember, with great power comes great responsibility. Decorators can make your code more concise and expressive, but they can also introduce complexity and overhead if used excessively or improperly.
Always consider the trade-offs and use decorators judaciously to enhance your TypeScript applications.