The EventEmitter class is a core part of Node.js, allowing developers to create and manage custom events. By using this class, you can implement a pub/sub (publish/subscribe) model that enables different parts of your application to communicate without tightly coupling them. Below are three practical examples of using the EventEmitter class in various contexts.
In this example, we will create a simple event emitter that listens for a ‘greet’ event and responds with a greeting message.
const EventEmitter = require('events');
// Create an instance of EventEmitter
const eventEmitter = new EventEmitter();
// Define an event listener for the 'greet' event
eventEmitter.on('greet', () => {
console.log('Hello, World!');
});
// Emit the 'greet' event
eventEmitter.emit('greet');
In this example, we first import the events
module and create an instance of the EventEmitter
. We then define a listener for the ‘greet’ event, which simply logs a greeting message to the console. Finally, we emit the ‘greet’ event, triggering the listener.
Here, we will enhance our previous example by passing parameters to the event listener. This is useful when you need to send additional data when emitting the event.
const EventEmitter = require('events');
const eventEmitter = new EventEmitter();
// Define an event listener that takes parameters
eventEmitter.on('greet', (name) => {
console.log(`Hello, ${name}!`);
});
// Emit the 'greet' event with a parameter
eventEmitter.emit('greet', 'Alice');
In this case, we listen for the ‘greet’ event and include a parameter name
. When we emit the event, we pass ‘Alice’ as an argument, resulting in a personalized greeting.
In more complex applications, you may need to handle multiple events. This example demonstrates how to listen to multiple events and execute different functions based on the event type.
const EventEmitter = require('events');
const eventEmitter = new EventEmitter();
// Listener for 'start' event
eventEmitter.on('start', () => {
console.log('Process started.');
});
// Listener for 'complete' event
eventEmitter.on('complete', () => {
console.log('Process completed.');
});
// Emit the 'start' event
eventEmitter.emit('start');
// Emit the 'complete' event
eventEmitter.emit('complete');
In this example, we define two listeners: one for a ‘start’ event and another for a ‘complete’ event. By emitting both events sequentially, we simulate a simple process flow.
These examples illustrate the versatility of the EventEmitter class in Node.js. From basic event handling to managing multiple events and passing parameters, the EventEmitter is a powerful tool in a Node.js developer’s toolkit.