On this article, we’ll dive into decorators in JavaScript: what they’re, how they work, what they’re helpful for, and the best way to use them. We’ll cowl decorator composition, parameter decorators, asynchronous decorators, creating customized decorators, utilizing decorators in varied frameworks, decorator factories, and the professionals and cons of JavaScript decorators.
What are Decorators in JavaScript?
A decorator is a operate that provides some superpower to an present methodology. It permits for the modification of an object’s habits — with out altering its authentic code, however extending its performance.

Decorators are nice for enhancing code readability, maintainability, and reusability. In JavaScript, decorators are features that may modify lessons, strategies, properties, and even parameters. They supply a method so as to add habits or metadata to varied components of your code with out altering the supply code.
Decorators are usually used with lessons and prefixed with the @ image:
operate log(goal, key, descriptor) {
  console.log(`Logging ${key} operate`);
  return descriptor;
}
class Instance {
  @log
  greet() {
    console.log("Hi there, world!");
  }
}
const instance = new Instance();
instance.greet(); 
The code above demonstrates how a decorator might modify the habits of a category methodology by logging a message earlier than the strategy’s execution.
Decorator Composition
Decorators have the highly effective options of being composed and nested. It means we will apply a number of decorators to the identical piece of code, and so they’ll execute in a particular order. It helps in constructing complicated and modular functions.
An instance of decorator composition
Let’s discover a use case the place a number of decorators apply to the identical code. Take into account an online utility the place we wish to prohibit entry to sure routes primarily based on consumer authentication and authorization ranges. We are able to obtain this by composing decorators like this:
@requireAuth
@requireAdmin
class AdminDashboard {
  
}
Right here, requireAuth and requireAdmin are decorators that make sure the consumer is authenticated and has admin privileges earlier than accessing the AdminDashboard.
Parameter Decorators
Parameter decorators permit us to switch methodology parameters. They’re much less widespread than different decorator sorts, however they are often priceless in sure conditions, similar to validating or reworking operate arguments.
An instance of a parameter decorator
Right here’s an instance of a parameter decorator that ensures a operate parameter is inside a specified vary:
operate validateParam(min, max) {
  return operate (goal, key, index) {
    const originalMethod = goal[key];
    goal[key] = operate (...args) {
      const arg = args[index];
      if (arg < min || arg > max) {
        throw new Error(`Argument at index ${index} is out of vary.`);
      }
      return originalMethod.apply(this, args);
    };
  };
}
class MathOperations {
  @validateParam(0, 10)
  multiply(a, b) {
    return a * b;
  }
}
const math = new MathOperations();
math.multiply(5, 12); 
The code defines a decorator named validateParam utilized to a technique referred to as multiply within the MathOperations class. The validateParam decorator checks if the parameters of the multiply methodology fall inside the specified vary (0 to 10). When the multiply methodology calls with the arguments 5 and 12, the decorator detects that 12 is out of vary and throws an error.
Asynchronous Decorators
Asynchronous decorators deal with asynchronous operations in fashionable JavaScript functions. They’re useful when coping with async/await and guarantees.
An asynchronous decorator instance
Take into account a state of affairs the place we wish to restrict the decision price of a selected methodology. We are able to create @throttle decorator:
operate throttle(delay) {
  let lastExecution = 0;
  return operate (goal, key, descriptor) {
    const originalMethod = descriptor.worth;
    descriptor.worth = async operate (...args) {
      const now = Date.now();
      if (now - lastExecution >= delay) {
        lastExecution = now;
        return originalMethod.apply(this, args);
      } else {
        console.log(`Technique ${key} throttled.`);
      }
    };
  };
}
class DataService {
  @throttle(1000)
  async fetchData() {
    
  }
}
const dataService = new DataService();
dataService.fetchData(); 
Right here, the outlined decorator throttle applies to the fetchData methodology within the DataService class. The throttle decorator ensures the fetchData methodology solely executes as soon as per second. If it’s referred to as extra incessantly, the decorator logs a message indicating that the strategy has throttled.
This code demonstrates how decorators can management the speed at which a technique invokes, which will be useful in situations like rate-limiting API requests.
Creating Customized Decorators
Whereas JavaScript offers some built-in decorators like @deprecated or @readonly, there are circumstances the place we have to create customized decorators tailor-made to our particular mission necessities.
Customized decorators are user-defined features that modify the habits or properties of lessons, strategies, properties, or parameters in JavaScript code. These decorators encapsulate and reuse particular performance or implement sure conventions persistently throughout our codebase.
Examples of customized decorators
Decorators include the @ image. Let’s create a customized decorator that logs a message earlier than and after the execution of a technique. This decorator will assist illustrate the essential construction of customized decorators:
operate logMethod(goal, key, descriptor) {
  const originalMethod = descriptor.worth; 
  
  descriptor.worth = operate (...args) {
    console.log(`Earlier than ${key} is known as`);
    const consequence = originalMethod.apply(this, args);
    console.log(`After ${key} is known as`);
    return consequence;
  };
  return descriptor;
}
class Instance {
  @logMethod
  greet() {
    console.log("Hi there, world!");
  }
}
const instance = new Instance();
instance.greet();
On this instance, we’ve outlined the logMethod decorator, which wraps the greet methodology of the Instance class. The decorator logs a message earlier than and after the strategy’s execution, enhancing the habits of the greet methodology with out modifying its supply code.
Let’s take one other instance — customized @measureTime decorator that logs the execution time of a technique:
operate measureTime(goal, key, descriptor) {
  const originalMethod = descriptor.worth;
  descriptor.worth = operate (...args) {
    const begin = efficiency.now();
    const consequence = originalMethod.apply(this, args);
    const finish = efficiency.now();
    console.log(`Execution time for ${key}: ${finish - begin} milliseconds`);
    return consequence;
  };
  return descriptor;
}
class Timer {
  @measureTime
  heavyComputation() {
    
    for (let i = 0; i < 1000000000; i++) {}
  }
}
const timer = new Timer();
timer.heavyComputation(); 
The code above defines a customized decorator named measureTime and applies it to a technique inside the Timer class. This decorator measures the execution time of the embellished methodology. After we name the heavyComputation methodology, the decorator data the beginning time, runs the computation, data the tip time, calculates the elapsed time, and logs it to the console.
This code demonstrates how decorators add efficiency monitoring and timing performance to strategies, which will be priceless for optimizing code and figuring out bottlenecks.
Use circumstances of customized decorator functionalities
Customized decorators might present varied functionalities similar to validation, authentication, logging, or efficiency measurement. Listed below are some use circumstances:
- Validation. We are able to create decorators to validate methodology arguments, guaranteeing they meet particular standards, as demonstrated within the earlier instance with parameter validation.
- Authentication and Authorization. Decorators can be utilized to implement entry management and authorization guidelines, permitting us to safe routes or strategies.
- Caching. Decorators can implement caching mechanisms to retailer and retrieve information effectively, decreasing pointless computations.
- Logging. Decorators can log methodology calls, efficiency metrics, or errors, aiding debugging and monitoring.
- Memoization. Memoization decorators can cache operate outcomes for particular inputs, enhancing efficiency for repetitive computations.
- Retry Mechanism. We are able to create decorators that routinely retry a technique sure variety of instances in case of failures.
- Occasion Dealing with. Decorators can set off occasions earlier than and after a technique’s execution, enabling event-driven architectures.
Decorators in Totally different Frameworks
JavaScript frameworks and libraries like Angular, React, and Vue.js have their conventions for utilizing decorators. Understanding how decorators work in these frameworks helps us construct higher functions.
Angular: in depth use of decorators
Angular, a complete frontend framework, depends closely on decorators to outline varied areas of elements, companies, and extra. Listed below are some decorators in Angular:
- 
@Element. Used to outline a part, specifying metadata just like the part’s selector, template, and kinds:@Element({ selector: "app-example", template: "<p>Instance part</p>", }) class ExampleComponent {}
- 
@Injectable. Marks a category as a service that perhaps injected into different elements and companies:@Injectable() class ExampleService {}
- 
@Enterand@Output. These decorators permit us to outline enter and output properties for elements, facilitating communication between guardian and little one elements:@Enter() title: string; @Output() notify: EventEmitter<string> = new EventEmitter();
Angular’s decorators improve code group, making it simpler to construct complicated functions with a transparent and structured structure.
React: higher-order elements
React is a well-liked JavaScript library. It doesn’t have native decorators in the identical method Angular does. Nevertheless, React launched an idea often known as higher-order elements (HOCs), which act as a type of decorator. HOCs are features that take a part and return a brand new enhanced part. They work for code reuse, state abstraction, and props manipulation.
Right here’s an instance of a HOC that logs when a part renders:
operate withLogger(WrappedComponent) {
  return class extends React.Element {
    render() {
      console.log("Rendering", WrappedComponent.identify);
      return <WrappedComponent {...this.props} />;
    }
  };
}
const EnhancedComponent = withLogger(MyComponent);
On this instance, withLogger is a higher-order part that logs the rendering of any part it wraps. It’s a method of enhancing elements with further habits with out altering their supply code.
Vue.js: part choices with decorators
Vue.js is one other widespread JavaScript framework for constructing consumer interfaces. Whereas Vue.js doesn’t natively help decorators, some initiatives and libraries permit us to make use of decorators to outline part choices.
Right here’s an instance of defining a Vue part utilizing the vue-class-component library with decorators:
javascriptCopy code
import { Element, Prop, Vue } from 'vue-class-component';
@Element
class MyComponent extends Vue {
  @Prop() title: string;
  information() {
    return { message: 'Hi there, world!' };
  }
}
On this instance, the @Element decorator is used to outline a Vue part, and the @Prop decorator is used to make the prop on the part.
Decorator Factories
Decorator factories are features that return decorator features. As an alternative of defining a decorator straight, we create a operate that generates decorators primarily based on the arguments we cross. This makes it potential to customise the habits of decorators, making them extremely versatile and reusable.
The overall construction of a decorator manufacturing facility appears like this:
operate decoratorFactory(config) {
  return operate decorator(goal, key, descriptor) {
    
    
  };
}
Right here, decoratorFactory is the decorator manufacturing facility operate that accepts a config argument. It returns a decorator operate, which might modify the goal, key, or descriptor primarily based on the supplied configuration.
Let’s attempt one other instance — a decorator manufacturing facility that logs messages with totally different severity ranges:
operate logWithSeverity(severity) {
  return operate (goal, key, descriptor) {
    const originalMethod = descriptor.worth;
    descriptor.worth = operate (...args) {
      console.log(`[${severity}] ${key} referred to as`);
      return originalMethod.apply(this, args);
    };
  };
}
class Logger {
  @logWithSeverity("INFO")
  data() {
    
  }
  @logWithSeverity("ERROR")
  error() {
    
  }
}
const logger = new Logger();
logger.data(); 
logger.error(); 
Within the code above, customized decorators are getting used to boost strategies inside the Logger class. These decorators are by a decorator manufacturing facility referred to as logWithSeverity. When utilized to strategies, they log messages with particular severity ranges earlier than executing the unique methodology. On this case, the data and error strategies of the Logger class enhance to log messages with severity ranges INFO and ERROR respectively. After we name these strategies, the decorator logs messages indicating the strategy name and their severity ranges.
This code demonstrates how decorator factories can create customizable decorators so as to add habits to strategies, similar to logging, with out altering the supply code.
Sensible use circumstances of decorator factories
Decorator factories are notably helpful for creating decorators with totally different settings, situations, or behaviors. Listed below are some sensible use circumstances for decorator factories:
- 
Validation decorators. We are able to create a validation decorator manufacturing facility to generate decorators that validate particular situations for methodology parameters. For instance, a @validateParamdecorator manufacturing facility can implement totally different guidelines for various parameters, like minimal and most values:operate validateParam(min, max) { return operate (goal, key, descriptor) { }; } class MathOperations { @validateParam(0, 10) multiply(a, b) { return a * b; } }
- 
Logging decorators. Decorator factories can generate logging decorators with totally different log ranges or locations. For example, we will create a @logWithSeveritydecorator manufacturing facility that logs messages with various severity ranges:operate logWithSeverity(severity) { return operate (goal, key, descriptor) { }; } class Logger { @logWithSeverity("INFO") data() { } @logWithSeverity("ERROR") error() { } }
- 
Conditional decorators. Decorator factories permit us to create conditional decorators that apply the embellished habits solely in sure circumstances. For instance, we may create an @conditionallyExecutedecorator manufacturing facility that checks a situation earlier than executing the strategy:operate conditionallyExecute(shouldExecute) { return operate (goal, key, descriptor) { if (shouldExecute) { } else { } }; } class Instance { @conditionallyExecute(false) someMethod() { } }
Advantages of decorator factories
Among the advantages of decorator factories embrace:
- Configurability. Decorator factories allow us to outline decorators with varied configurations, adapting them to totally different use circumstances.
- Reusability. As soon as we’ve created a decorator manufacturing facility, we will reuse it throughout our codebase, producing constant habits.
- Clear Code. Decorator factories assist preserve our codebase clear by encapsulating particular habits and selling a extra modular construction.
- Dynamism. The dynamic nature of decorator factories makes them adaptable for complicated functions with various necessities.
Execs and Cons of Decorators in JavaScript
JavaScript decorators, whereas highly effective, include their very own set of optimization professionals and cons that builders ought to pay attention to.
JavaScript decorator optimization professionals
- Code Reusability. Decorators promote the reuse of code for widespread cross-cutting considerations. As an alternative of writing the identical logic in a number of locations, we will encapsulate it in a decorator and apply it wherever wanted. It reduces code duplication, making upkeep and updates simpler.
- Readability. Decorators can improve code readability by separating considerations. When decorators are used to handle logging, validation, or different non-core performance, it turns into simpler to concentrate on the core logic of the category or methodology.
- Modularity. Decorators promote modularity in our codebase. We simply create and independently keep decorators and higher add or take away performance with out affecting the core implementation.
- Efficiency Optimization. Decorators can optimize efficiency by permitting us to cache costly operate calls, as seen in memoization decorators. It may possibly considerably scale back execution time the place the identical inputs lead to the identical outputs.
- Testing and Debugging. Decorators will be useful for testing and debugging. We are able to create decorators that log methodology calls and their arguments, aiding in figuring out and fixing points throughout improvement and troubleshooting in manufacturing.
JavaScript decorator optimization cons
- Overhead. Utilizing decorators can introduce overhead into our codebase if we apply a number of decorators to the identical operate or class. Every decorator might deliver further code that executes earlier than or after the unique operate. It may possibly impression efficiency, particularly in time-critical functions.
- Complexity. As our codebase grows, utilizing decorators can add complexity. Decorators usually contain chaining a number of features collectively, and understanding the order of execution can change into difficult. Debugging such code will also be extra complicated.
- Upkeep. Whereas decorators can promote code reusability, they’ll additionally make the codebase more durable to take care of if used excessively. Builders should be cautious to not create extreme decorators, which might result in confusion and problem monitoring habits modifications.
- Restricted Browser Help. JavaScript decorators are nonetheless a proposal and never totally supported in all browsers. To make use of decorators in manufacturing, we might have to depend on transpilers like Babel, which might add additional complexity to your construct course of.
Conclusion
This text has supplied an in-depth exploration of decorators in JavaScript. Decorators are features that improve the habits of present strategies, lessons, properties, or parameters in a clear/modular method. They’re used so as to add performance or metadata to code with out altering its supply.
With the insights supplied right here, use decorators judiciously in JavaScript improvement.
You possibly can be taught extra concerning the ongoing improvement of decorators in JavaScript by studying the TC39 Decorators Proposal on GitHub.
FAQs about Decorators in JavaScript
Decorators are a proposed function in JavaScript that permit you to add metadata or habits to lessons, strategies, and properties. They’re utilized utilizing the @decorator syntax.
Decorators assist in separating considerations and enhancing code readability. They permit you to add options or performance to your code with out cluttering the core logic of your lessons.
Decorators can be utilized for varied functions, together with logging, validation, authorization, caching, and dependency injection. They’re notably helpful in frameworks like Angular and TypeScript.
Angular is a widely known framework that makes use of decorators extensively for outlining elements, companies, and extra. Mobx, a state administration library, additionally makes use of decorators for outlining observable information.
Whereas decorators are a handy method so as to add metadata and habits, you’ll be able to obtain comparable outcomes utilizing higher-order features, mixins, and different design patterns in JavaScript.



