内容简介:Using ES2015 modules you can chunk the application code into reusable, encapsulated, one-task focused modules.That’s all good, but how do you structure modules? How many functions, classes a module should have?This post presents 4 best practices on how to
Using ES2015 modules you can chunk the application code into reusable, encapsulated, one-task focused modules.
That’s all good, but how do you structure modules? How many functions, classes a module should have?
This post presents 4 best practices on how to organize better your JavaScript modules.
1. Prefer named exports
When I started using JavaScript modules, I had used the default syntax to export the single piece that my module defines, either a class or a function.
For example, here’s a module greeter
that exports the class Greeter
as a default :
// greeter.js export default class Greeter { constructor(name) { this.name = name; } greet() { return `Hello, ${this.name}!`; } }
In time I’ve noticed the difficulty in refactoring the classes (or functions) that were default exported. When the original class is renamed, the class name inside the consumer module doesn’t change.
Worse, the editor doesn’t provide autocomplete suggestions of the class name being imported.
I’ve concluded that the default export doesn’t give visible benefits. Then I’ve tried switching to named exports.
Let’s change greeter
module to namely export the Greeter
class:
// greeter.js export class Greeter { constructor(name) { this.name = name; } greet() { return `Hello, ${this.name}!`; } }
With the usage of named exports, the editor does better renaming: every time you change the original class name, all consumer modules also change the class name.
The autocomplete also suggests the imported class:
So, here’s my advice:
Favor named module exports to benefit from renaming refactoring and code autocomplete.
Note: when using 3rd party modules like React, Lodash, is generally ok to use default import. The default import name is usually a constant that doesn’t change (like React
and _
).
2. No work during import
The module-level scope defines functions, classes, light objects, and variables. The module can export some of these components. That’s all.
// Module-level scope export function myFunction() { // myFunction Scope }
The module-level scope shouldn’t do any payload computation like parsing JSON, making HTTP requests, reading local storage, etc.
For example, the following module configuration
parses the configuration from the global variable bigJsonString
:
// configuration.js export const configuration = { // Bad data: JSON.parse(bigJsonString)};
This is a problem because the parsing of bigJsonString
is done at the module-level scope. The parsing of bigJsonString
happens when configuration
module is imported:
// Bad: parsing happens when the module is imported import { configuration } from 'configuration'; export function AboutUs() { return <p>{configuration.data.siteName}</p>; }
At a higher level, the module-level scope’s role is to define the module components, import dependencies, and export public components: that’s the dependencies resolution process . It should be separated from the runtime : when the user interacts with the application.
Let’s refactor the configuration
module to perform lazy parsing:
// configuration.js let parsedData = null; export const configuration = { // Good get data() { if (parsedData === null) { parsedData = JSON.parse(bigJsonString); } return parsedData; } };
Because data
property is defined as a getter, the bigJsonString
is parsed only when the consumer accesses configuration.data
.
// Good: JSON parsing doesn't happen when the module is imported import { configuration } from 'configuration'; export function AboutUs() { // JSON parsing happens now return <p>{configuration.data.companyDescription}</p>;}
The consumer knows better when to perform a heavy operation. The consumer might decide to perform the operation when the browser is idle. Or the consumer might import the module, but for some reason never use it. This opens the opportunity for deeper time to interactive optimizations.
When imported, the module shouldn’t execute any heavy work. Rather, the consumer should decide when to perform runtime operations.
3. Favor high cohesive modules
Cohesion describes the degree to which the components inside a module belong together.
The functions, classes or variables of a high cohesive module are closely related. They are focused on a single task.
The module formatDate
is high cohesive because its functions are closely related and focus on date formatting:
// formatDate.js const MONTHS = [ 'January', 'February', 'March','April', 'May', 'June', 'July', 'August', 'September', 'October', 'November', 'December' ]; function ensureDateInstance(date) { if (typeof date === 'string') { return new Date(date); } return date; } export function formatDate(date) { date = ensureDateInstance(date); const monthName = MONTHS[date.getMonth())]; return `${monthName} ${date.getDate()}, ${date.getFullYear()}`; }
formatDate()
, ensureDateInstance()
and MONTHS
are closely-related to each other.
Deleting either MONTHS
or ensureDateInstance()
would break formatDate()
: that’s the sign of high cohesion.
3.1 The problem of low cohesion modules
On the other side, there are low cohesion modules. Those that contain components that are unrelated to each other.
The following utils
module has 3 functions that perform different tasks:
// utils.js import cookies from 'cookies'; export function getRandomInRange(start, end) { return start + Math.floor((end - start) * Math.random()); } export function pluralize(itemName, count) { return count > 1 ? `${itemName}s` : itemName; } export function cookieExists(cookieName) { const cookiesObject = cookie.parse(document.cookie); return cookieName in cookiesObject; }
getRandomInRange()
, pluralize()
and cookieExists()
perform different tasks: generate a random number, format a string and check the existence of a cookie. Deleting any of these functions doesn’t affect the functionality of the remaining ones: that’s the sign of low cohesion.
Because the low cohesion module focuses on multiple mostly unrelated tasks, it’s difficult to reason about such a module.
Plus, the low cohesion module forces the consumer to depend on modules that it doesn’t always need, i.e. unneeded transitive dependencies.
For example, the component ShoppingCartCount
imports pluralize()
function from utils
module:
// ShoppingCartCount.jsx import { pluralize } from 'utils'; export function ShoppingCartCount({ count }) { return ( <div> Shopping cart has {count} {pluralize('product', count)} </div> ); }
While ShoppingCartCount
module uses only the pluralize()
function out of the utils
module, it has a transitive dependency on the cookies
module (which is imported inside utils
).
The good solution is to split the low cohesion module utils
into several high cohesive ones: utils/random
, utils/stringFormat
and utils/cookies
.
Now, if ShoppingCard
module imports utils/stringFormat
, it wouldn’t have a transitive dependency on cookies
:
// ShoppingCartCount.jsx import { pluralize } from 'utils/stringFormat'; // ...
The best examples of high cohesive modules are Node built-in modules, like fs
, path
, assert
.
Favor high cohesive modules whose functions, classes, variables are closely related and perform a common task. Refactor big low cohesion modules by splitting them into multiple high cohesive modules.
4. Avoid long relative paths
I find difficult to understand the path of a module that contains one, or even more parent folders:
import { compareDates } from '../../date/compare';import { formatDate } from '../../date/format'; // Use compareDates and formatDate
While having one parent selector ../
is usually not a problem, having 2 or more is generally difficult to grasp.
That’s why I’d recommend to avoid the parent folders in favor of absolute paths:
import { compareDates } from 'utils/date/compare';import { formatDate } from 'utils/date/format'; // Use compareDates and formatDate
While the absolute paths are sometimes longer to write, using them makes it clear the location of the imported module.
To mitigate the long absolute paths, you can introduce new root directories. This is possible using babel-plugin-module-resolver , for example.
Use absolute paths instead of the long relative paths.
5. Conclusion
The JavaScript modules are great to split the logic of your application into small, self-contained chunks.
To make the usage of JavaScript modules even more productive, you can apply a few best practices.
By using named exports instead of default exports, you could benefit from easier renaming refactoring and editor autocomplete assistance when importing the named component.
The sole purpose of import { myFunc } from 'myModule'
is to import myFunc
component, and nothing more. The module-level scope of myModule
should only define classes, functions, or variables with light content.
How many functions or classes a component should have, and how do these components should relative to each one? The answer is to favor modules of high cohesion: its components should be closely related and perform a common task.
Long relative paths containing many parent folders ../
are difficult to understand. Refactor them to absolute paths.
What JavaScript modules best practices do you use?
以上所述就是小编给大家介绍的《4 Best Practices To Write Quality JavaScript Modules》,希望对大家有所帮助,如果大家有任何疑问请给我留言,小编会及时回复大家的。在此也非常感谢大家对 码农网 的支持!
猜你喜欢:本站部分资源来源于网络,本站转载出于传递更多信息之目的,版权归原作者或者来源机构所有,如转载稿涉及版权问题,请联系我们。
UNIX系统编程: 通信、并发与线程
【美】Kay Robbins、Steve Robbins / 师蓉 / 电子工业出版社 / 2018-5 / 198
《UNIX系统编程: 通信、并发与线程》是一本基于最新UNIX标准的完备的参考书,对UNIX编程的要点进行了清晰易懂的介绍,从一些用于说明如何使用系统调用的短小代码段开始,逐渐过渡到能帮助读者扩展自己技能水平的实际项目中。《UNIX系统编程: 通信、并发与线程》中对通信、并发和线程问题进行了深入探讨,对复杂的概念(如信号和并发)进行了全面且清晰的解释,还覆盖了与文件、信号、信号量、POSIX线程和......一起来看看 《UNIX系统编程: 通信、并发与线程》 这本书的介绍吧!