JavaScript module patterns are design patterns that help developers organize and encapsulate code. They allow for better maintainability, reusability, and scope management. In this article, we’ll delve into three practical examples of JavaScript module patterns, showcasing their applications and benefits.
The Revealing Module Pattern is great for creating a clear interface for your module while keeping variables and functions private. This is useful when you want to expose only specific parts of your module to the outside world.
const UserModule = (function() {
// Private variables
let username = '';
let password = '';
// Private function
function validateInput(user, pass) {
return user.length > 0 && pass.length > 0;
}
// Public API
return {
setUser: function(user, pass) {
if (validateInput(user, pass)) {
username = user;
password = pass;
console.log('User set successfully');
} else {
console.log('Invalid input');
}
},
getUser: function() {
return username;
}
};
})();
// Usage
UserModule.setUser('john_doe', 'password123');
console.log(UserModule.getUser()); // Outputs: john_doe
username
and password
variables are private and cannot be accessed directly from outside the module, enhancing security.This pattern is useful for creating modules that maintain state between function calls. It’s beneficial when you need to keep track of data over time, like in a counter application.
const CounterModule = (function() {
let count = 0; // Private variable
return {
increment: function() {
count++;
console.log('Count:', count);
},
decrement: function() {
count--;
console.log('Count:', count);
},
reset: function() {
count = 0;
console.log('Count reset');
}
};
})();
// Usage
CounterModule.increment(); // Count: 1
CounterModule.increment(); // Count: 2
CounterModule.decrement(); // Count: 1
CounterModule.reset(); // Count reset
count
variable is encapsulated within the module, ensuring that it cannot be accessed or modified directly from outside.The AMD pattern is particularly useful in scenarios where you need to load modules asynchronously, such as in large web applications that require optimized loading times.
define(['jquery'], function($) {
const TodoModule = (function() {
const todos = [];
return {
addTodo: function(todo) {
todos.push(todo);
console.log('Todo added:', todo);
},
getTodos: function() {
return todos;
}
};
})();
return TodoModule;
});
// Usage (after the module is loaded)
TodoModule.addTodo('Learn JavaScript');
console.log(TodoModule.getTodos()); // Outputs: ['Learn JavaScript']
define
function is used to load the jQuery library as a dependency, showcasing how AMD allows for modular, asynchronous loading of code.