DEV Community

Cover image for Write Clean, Efficient, and Scalable Code πŸ‘Œ
Pierre-Henry Soria ✨
Pierre-Henry Soria ✨

Posted on • Updated on

Write Clean, Efficient, and Scalable Code πŸ‘Œ

Learn the best practices and coding standards for clean and professional quality code that lasts long

Every day, I review hundreds of lines of code. Brand new micro-services, new features, refactoring, hotfixes, and so on. I've seen so many different coding flavors, good and bad coding habits, etc. Below is everything I've learned for over 10 years in the industry.


The β€œOne Thing” principle 1️⃣

When writing a function, remind yourself that it should (ideally) do only one (simple) thing. Think about what you have already learned concerning the comments. The code should say everything. No comments should be needed. Splitting the code into small readable functions and reusable portions of code will drastically make your code readable and eliminate the need to copy/paste the same piece of code just because it hasn’t been properly moved into reusable functions/classes.

❌ Non-readable function

function retrieveName(user) {
  if (user.name && user.name !=== 'admin' && user.name.length >= 5) {
    return user.name;
  }
  // ...
}
Enter fullscreen mode Exit fullscreen mode

βœ… One Thing. Neat & Clean

const isRegularUser = (name) => {
  return name !=== config.ADMIN_USERNAME;
}

const isValidNameLength = (name, minimumLength = 5) => {
  return name.length >= minimumLength;
}

const isEligibleName(name) {
  return isRegularUser(name) && isValidNameLength(name);
}

// …

function retrieveName(user) {
  const name = user?.name;

  if (isEligibleName(name)) {
    return user.name;
  }
}
Enter fullscreen mode Exit fullscreen mode

Don’t comment on what it does ❌ Write what it does βœ…

It's crucial to name your functions and variables in simple and explicit words so that they say what they do (just by reading their names).

If the code requires too many comments to be understood, it means the code needs to be refactored. The code has to be understood by reading it. Not by reading the comments. And the same applies when you write tests. Having to justify what the code does is usually a bad sign of a code smell.

Your code has to be your comments. At the end of the day, as a developer, we tend to be lazy and we don't read the comment (carefully). However, the code, we always do.

Icing on the cake, it’s always more rewarding and requires less time to write self-descriptive code rather than commenting it.

❌ Bad practices

let validName = false;
// We check if name is valid by checking its length
if (name.length >= 3 && name.length <= 20) {
  validName = true;
  // Now we know that the name is valid
  // …
}
Enter fullscreen mode Exit fullscreen mode
const sr = 8.79; // Saving Rate
Enter fullscreen mode Exit fullscreen mode

βœ… Good example

const isValidName = (name) => {
  return (
    name.length >= config.name.minimum && name.length <= config.name.maximum
  );
};
// …

if (isValidName('Peter')) {
  // Valid βœ…
}
Enter fullscreen mode Exit fullscreen mode
const savingRate = 8.79;
Enter fullscreen mode Exit fullscreen mode

Remember, your job is to write efficient and meaningful code, not endless comments.

Boat anchor (AKA Tree Shaking 🌳)

Never keep some unused code or commented code, just in case for history reason.

Sadly, it’s still very common to find commented code in pull requests.

Nowadays, everybody uses a version control system like git, so there is always a history where you can look and go backwards if needed.

❌ Downside of keeping unused code

  1. We think we will come back removing it when it’s time. Very likely, we will et busy on something else and we will forget removing it.
  2. The unused code will add more complexity for a later refactoring.
  3. Even if unused, it will still show up when searching in our codebase (which adds more complexity too).
  4. For new developers joining the project, they don’t know if they can remove it or not.

βœ… Action to take

Add a BitBucket/GitHub pipeline or a git hook on your project level for rejecting any unused, dead and commented code.

Minimalist code

Coding in a minimalist way is the best pattern you can follow! Simplicity over complexity always wins! πŸ†

Each time you need to create a new feature or add something to a project, see how you can reduce the amount of code.

There are so many ways to achieve a solution. And there is always a shorten and cleaner version which should always be the chosen one.

Think twice before starting writing your code. Ask yourself β€œwhat would be the simplest and most elegant solution I can write”, so that the written code can be well-maintained over time and very easily understood by other developers who don't have the context/acceptance criteria in mind.

Brainstorm about it. Later, you will save much more time while writing your code.

You Aren't Gonna Need It (YAGNI)

❌ Don't code things β€œjust in case” you might need it for later.

Don't spend time and resources on what you might not need.

βœ… You need to solve today's problem today, and tomorrow's problem for tomorrow.

Reuse your code across your different projects by packing them into small NPM libraries

❌ Wrong approach

My project is small (well, it always starts small).
I don’t want to spend time splitting functionalities into separated packages. Later on, somehow, my project grow bigger and bigger indeed. However, since I haven’t spent time splitting my code into packages at the beginning. Now, I think it will take even longer to refactor my code into reusable packages.
In short, I’m in a trap. My architecture is just not scalable.

βœ… Right approach

Always think about reusibility. No matter how small or big is your project.

Splitting your code into small reusable external packages will always speed you up in the long run. For instance, there will be times where you will need a very similar functionality to be used in another project for another client’s application.

Whether you are building a new project from scratch or implementing new features into it, always think about splitting your code early into small reusable internal NPM packages, so other potential products will be able to benefit from them and won’t have to reinvent the wheel.
Moreover, your code will gain in consistency thanks to reusing the same packages.

Finally, if there is an improvement or bug fix needed, you will have to change only one single place (the package) and not every impacted project.

Icing on the cake, you can make public some of your packages by open source them on GitHub and other online code repositories to get some free marketing coverage and potentially some good users of your library and contributors as well πŸ’ͺ

🏁 Tests come first. Never last

Never wait until the last moment to add some unit tests of the recent changes you have added.

Too many developers underestimate their tests during the development stage.

Don’t create a pull request without unit tests. The other developers reviewing your PR are not only reviewing your changes but also your tests.

Moreover, without unit tests, you have no idea if you introduce a new bug. Your new changes may not work as expected.
Lastly, there will be chances you won’t get time or rush up writing your tests if you push them for later.

❌ Stop doing

Stop neglecting the importance of unit tests. Tests are there to help you developing faster in the long run.

βœ… Start doing

Create your tests even before changing your code. Create or update the current tests to expect the new behavior you will introduce in the codebase. Your test will then fail. Then, update the src of the project with the desired changes.
Finally, run your unit tests. If the changes are correct and your tests are correctly written, your test should now pass πŸ‘ Well done! You are now following the TDD development approach πŸ’ͺ

Remember, unit tests are there to save your day πŸŽ‰

Import only what you need

Have the good practice of importing only the functions/variables you need. This will prevent against function/variable conflicts, but also optimizing your code/improving readability by only expose the needed functions.

❌ Importing everything

import _ from 'lodash';

// …

if (_.isEmpty(something)) {
  _.upperFirst(something);
}
Enter fullscreen mode Exit fullscreen mode

βœ… Import only the needed ones

import { isEmpty as _isEmpty, upperFirst as _upperFirst } from 'lodash';

// …

if (_isEmpty(something)) {
  _upperFirst(something);
}
Enter fullscreen mode Exit fullscreen mode

Refactoring conditions into clear functions

❌ Non-readable condition

const { active, feature, setting } = qrCodeData;

if (active && feature === 'visitor' && setting.name.length > 0) {
  // …
}
Enter fullscreen mode Exit fullscreen mode

The condition isn't easy to read, long, not reusable, and would very likely need to be documented as well (making the whole coding experience tedious).

βœ… Clear boolean function

const canQrCode = ({ active, feature, setting }, featureName) => {
  return active && feature === 'visitor' && setting.name.length > 0;
};

// …

if (canQrCode(qrCodeData, 'visitor')) {
  // …
}
Enter fullscreen mode Exit fullscreen mode

Here, the code doesn’t need to be commented. The boolean conditional function name says exactly what it does, producing a readable and clean code πŸš€

🍰 Cherry on the cake, the code is scalable. Indeed, the function canQrCode can be placed in a service or helper, increasing the reusability and decreasing the chance of duplicating code.

Readable Name: Variables

Mentioning clear good and explicit names for your variables is critical to prevent confusion. Sometimes, we spend more time understanding what a variable is supposed to contain rather than achieving the given task.

❌ Bad Variable Name

// `nbPages` naming doesn’t mean much ❌
const nbPages = postService.getAllItems();

let res = '';
for (let i = 1; i <= nbPages; i++) {
  res += '<a href="?page=' + i + '">' + i + '</a>';
  }
}
Enter fullscreen mode Exit fullscreen mode

Giving i for the name of the increment variable is a terrible idea. Although, this is the standard for showing examples with the for loop, you should never do the same with your production application (sadly, plenty of developers just repeat what they've learned. Of course, we can’t blame them, but it's now time to change!).

Every time you declare a new variable, look at the best and short words you can use to describe what it stores.

βœ… Good example, with a clear variable name

// `totalItems` is a much better name βœ…
const totalItems = postService.getAllItems();
// …

let htmlPaginationLink = '';
for (let currentPage = 1; currentPage <= totalItems; currentPage++) {
  htmlPaginationLink +=
    '<a href="?page=' + currentPage + '">' + currentPage + '</a>';
}
Enter fullscreen mode Exit fullscreen mode

Readable Name: Functions

❌ Complicated (vague/unclear) function name

function cleaning(url) {
  const specialCharacters = /[^A-Za-z0-9]/g;
  // …
  return url.replace(specialCharacters, '');
}
Enter fullscreen mode Exit fullscreen mode

βœ… Explicit descriptive name

function removeSpecialCharactersInUrl(url) {
  const specialCharacters = /[^A-Za-z0-9]/g;
  // …
  return url.replace(specialCharacters, '');
}
Enter fullscreen mode Exit fullscreen mode

Also, each word of a function name should be capitalised except the first letter of the function. This is known as lowerCamelCase, like isNameValid().

Readable Name: Classes

❌ Generic/Vague name

class Helper { // 'Helper' doesn't mean anything

  stripUrl(url) {
    // ...
    return url.replace('&amp;', '');
  }

  // ...
}
Enter fullscreen mode Exit fullscreen mode

The class name is vague and doesn’t clearly communicate what it does. By reading the name, we don’t have a clear idea of what Helper contains and how to use it.

βœ… Clear/Explicit name

class Sanitizer { // <- Name is already more explicit

  constructor(value) {
    this.value = value;
  }

  url() {
    this.value.replace('&amp;', '');
    // ...
  }
}
Enter fullscreen mode Exit fullscreen mode

In this case, the class name clearly says what it does. It’s the opposite of a black box. By saying what it does, it should also follow the single responsibility principle of achieving only one single purpose.
Class names should be a (singular) noun that starts with a capital letter. The class can also contain more than one noun. If so, each word has to be capitalized (this is called UpperCamel case).

Fail Fast principle

When applying the fail-fast principle in your code, you will throw an error or trigger an exception as soon as something goes wrong, rather than trying to proceed in an unstable state. In addition, when a function instruction fails early, you will let the other layers/tiers of your application's architecture know about an error that needs to be treated first before proceeding to the higher-level components of your software.

Guard Clauses approach

Derived from the fail-fast principle seen earlier, the guard clauses technique is the way of leaving a function earlier by removing the redundant else {} blocks after a return statement.

Let’s see a snippet that doesn’t follow the guard clause pattern and a clean and readable example that does.

The two samples represent the body of a function. Inside the function, we have the following πŸ‘‡

❌ The β€œnot-readable” way

if (payment.bonus) {
  // … some logics
  if (payment.bonus.voucher) {
    return true; // eligible to a discount
  } else if (payment.confirmed) {
    if (payment.bonus.referral === 'friend') {
      return true;
    } else {
      return false;
    }
  }
  return false;
}
Enter fullscreen mode Exit fullscreen mode

βœ… Clean readable way

if (!payment.bonus) {
  return false;
}

if (payment.bonus.voucher) {
  return true;
}

if (payment.bonus.referral === 'friend') {
  return true;
}

return false;
Enter fullscreen mode Exit fullscreen mode

On this example, we can notice how we could remove the complicated nested conditionals thanks to exiting the function as early as possible with the return statement.

.gitignore and .gitattributes to every project

When you are about to distribute your library, you should always create a .gitignore and .gitattributes in your project to prevent undesirable files to be presented in there.

βœ… .gitignore

As soon as you commit files, your project needs a .gitignore file. It guarantees to exclude specific files from being committed in your codebase.

βœ… .gitattributes

When you publish your package to be used by a dependency manager, it’s crucial to exclude the developing files (such as the tests folders, .github configuration folder, CONTRIBUTING.md, SECURITY.me, .gitignore, .gitattributes itself, and so on…).
Indeed, when you install a new package through your favorite package manager (npm, yarn, …), you only want to download the required source files, that’s all without including the test files, pipeline configuration files, etc, not needed for production.

Demeter Law

The Demeter law, AKA the principle of least knowledge states that each unit of code should only have very limited knowledge about other units of code. They should only talk to their close friends, not to their strangers πŸ™ƒ It shouldn’t have any knowledge on the inner details of the objects it manipulates.

❌ Chaining methods

object.doA()?.doB()?.doC(); // violated deleter’s law
Enter fullscreen mode Exit fullscreen mode

Here, doB and doC might receive side-effects from their sub-chaining functions.

βœ… Non-chaining version

object.doA();
object.doB();
object.doC();
Enter fullscreen mode Exit fullscreen mode

Each method doesn’t rely on each other. They are independent and safe from eventual refactoring.

Debugging efficiently

When debugging with arrays or objects, it’s always a good practice to use console.table()

❌ console.log(array)

console.log makes the result harder to read. You should always aim for the most efficient option.

const favoriteFruits = ['apple', 'bananas', 'pears'];
console.log(favoriteFruits);
Enter fullscreen mode Exit fullscreen mode

Debugging with simple console.log

βœ… console.table(array)

Using console.table saves you time as the result is shown in a clear table, improving readability of the log when debugging an array or object.

Mozilla gives us a clear example to see how console.table can help you.

const favoriteFruits = ['apple', 'bananas', 'pears'];
console.table(favoriteFruits);
Enter fullscreen mode Exit fullscreen mode

With console.table

Fewer arguments is more efficient

If your functions have more than 3 arguments, it means you could have written a much better and cleaner code. In short, the purpose of your function does too much and violates the single responsibility principle, leading to debugging and reusability hells.

In short, the fewer arguments your function has, the more efficient it will become as you will prevent complexity in your code.

❌ Unclean code

function readItem(
  id: number,
  userModel: UserModel,
  siteInfoModel: SiteModel,
  security: SecurityCheck
) {}
Enter fullscreen mode Exit fullscreen mode

βœ… Clean code

user = new User(id);
// …
function readItem(user: User) {}
Enter fullscreen mode Exit fullscreen mode

With this version, because it has only relevant arguments, reusing the function elsewhere will be possible as the function doesn’t rely or depend on unnecessary arguments/objects.

Stub/mock only what you need

When you stub an object in your tests (with Sinon for instance), it’s a good and clean practice to decide only what functions you need to stub out, instead of stubbing out the entier object. Doing so, you also prevent overriding internal implementations of functions which cause all sorts of inconsistencies in your business logic.

❌ Everything is stubbed

sinon.stub(myObject);
Enter fullscreen mode Exit fullscreen mode

βœ… Only the function you need is stubbed

sinon.stub(myObject, 'myNeededFunction');
Enter fullscreen mode Exit fullscreen mode

Here, we only stub out the individual function we need.

Remove the redundant things

When we code, we often tend to write "unnecessary" things, which don't increase the readability of the code either.

For instance, in a switch-statement, having a default clause that isn’t used.

❌ Redundant version

const PRINT_ACTION = 'print';
const RETURN_ACTION = 'return';
const EVENT_ACTION = 'event';
// …
switch (action) {
  case PRINT_ACTION:
    console.log(message);
    break;

  case RETURN_ACTION:
    return message;
    break; // ❌ Redundant as we already exit the `switch` with `return`

  case EVENT_ACTION:
    throw new NotImplemented("Not implemented yet");
    break; // ❌ Redundant as the code won't be reached after error is thrown

  default: // ❌ This clause is redundant as no default instruction was used
    break;
}
Enter fullscreen mode Exit fullscreen mode

βœ… Neat version

const PRINT_ACTION = 'print';
const RETURN_ACTION = 'return';
// …
switch (action) {
  case PRINT_ACTION:
    console.log(message);
    break;
  case RETURN_ACTION:
    return message;

  default:
    throw new Error(`Invalid ${action}`);
}
Enter fullscreen mode Exit fullscreen mode

Here, we keep the default clause, but we take benefit of it by throwing an exception.

Ego is your enemy βœ‹

Too often I see developers taking the comments on their pull requests personally because they see what they have done as their own creation. When you receive a change request, don’t feel judged! This is actually an improvement reward for yourself πŸ†

If you want to be a good developer, leave your ego in your closet. Never bring it to work. This will just slow your progression down and could even pollute your brain space and the company culture.

❌ Taking what others say as personally

βœ… See every feedback as a learning experience

When you write code, it’s not your code, it’s everybody’s else code. Don’t take what you write personally. It’s just a little part of the whole vessel.

Don’t use abbreviations 😐

Abbreviations are hard to understand. For new joiners who aren’t familiar with the company’s terms. And even with common English abbreviations, they can be quite difficult to be understood by non-native English speakers who might be hired in the future or when outsourcing developers from overseas.

Having as a golden rule to never use abbreviations in your codebase (so at least, you’ll never have to take any further decisions on this topic) is critical for preventing confusion later on.

❌ Difficult to read. Hard to remember over time

if (type === Type.PPL_CTRL) {
  // We are on People Controller
  // Logic comes here
}

if (type === Type.PPL_ACT) {
  // We are on People Action
  // …
}

if (type === Type.MSG_DMN_EVT) {
  // We are on Messaging Domain Event
  // …
}

// ...

const IndexFn = () => {
  // index function
}
Enter fullscreen mode Exit fullscreen mode

βœ… Clear names (without comments needed πŸ‘Œ)

if (type === Type.PEOPLE_CONTROLLER) {
  // Logic comes here
}

if (type === Type.PEOPLE_ACTION) {
  // Logic here
}

if (type === Type.MESSAGING_DOMAIN) {
  // Logic here
}

// ...

const index = () => {
  // No need to have `Fn` or Λ‹Function` as suffix in the name
  // Having Λ‹function` or Λ‹method` for an actual function is redundant and generally bad practice
  // ...
}
Enter fullscreen mode Exit fullscreen mode

πŸ‡ΊπŸ‡Έ American English spelling. The default choice when coding

I always recommend to use only US English in your code. If you mix both British and American spellings, it will introduce some sort of confusion for later and might lead to interrogations for new developers joining the development of your software.

Most of the 3rd-party libraries and JavaScript's reserved words are written in American English. As we use them in our codebase, we should prioritize US English as well in our code.
I’ve seen codebase with words such as β€œlicence” and β€œlicense”, β€œcolour” and β€œcolor”, or β€œorganisation” and β€œorganization”.
When you need to search for terms / refactor some code, and you find both spellings, it requires more time and consumes further brain space, which could have been avoided in the first place by following a consistent spellings.

Finally, I’ve noticed that it's easier to mispell words with the British spelling like typing β€œcolur” instead of β€œcolour”.

Destructing array elements - Make it readable

When you need to destruct an array with JavaScript (ES6 and newer), and you want to pickup only the second or third array, there is a much cleaner way than using the , to skip the previous array keys.

❌ Bad Way

const meals = [
  'Breakfast',
  'Lunch',
  'ApΓ©ro',
  'Dinner'
];

const [, , , favoriteMeal] = meals;
console.log(favoriteMeal); // Dinner
Enter fullscreen mode Exit fullscreen mode

βœ… Recommended readable way

const meals = [
  'Breakfast', // index 0
  'Lunch', // index 1
  'ApΓ©ro', // index 2
  'Dinner' // index 3
];

const { 3: favoriteMeal } = meals; // Get the 4th value, index '3'
console.log(favoriteMeal); // Dinner
Enter fullscreen mode Exit fullscreen mode

Here, we destruct the array as an object with its index number and give an alias name favoriteMeal to it.

Readable numbers

With JavaScript, you can use numeric separators and exponential notations to make numbers easier to read. The execution of the code remains exactly the same, but it’s definitely easier to read.

❌ Without numeric separators

const largeNumbers = 1000000000;
Enter fullscreen mode Exit fullscreen mode

βœ… Clear/readable numbers

const largeNumbers = 1_000_000_000;
Enter fullscreen mode Exit fullscreen mode

Note: numeric separators works also with other languages than JavaScript such as Python, Kotlin, …

Avoid β€œelse-statement”

Similar to what I mentioned concerning the importance of writing portions of code that only do β€œOne Thing”, you should also avoid using the if-else statement.

Too many times, we see code such as below with unnecessary and pointless else blocks.

❌ Conditions with unnecessary else {}

const getUrl = () => {
  if (options.includes('url')) {
    return options.url;
  } else {
    return DEFAULT_URL;
  }
}
Enter fullscreen mode Exit fullscreen mode

This code could easily be replaced by a clearer version.

βœ… Option 1. Use default values

const getUrl = () => {
  let url = DEFAULT_URL;

  if (options.includes('url')) {
    url = options.url;
  }
  return url;
}
Enter fullscreen mode Exit fullscreen mode

By having a default value declared in an upper variable, we remove the need of a else {} block.

βœ… Option 2. Use Guard Clauses approach

const getUrl = () => {
  if (options.includes('url')) {
    return options.url; // if true, we return `options.url` and leave the function
  }
  return DEFAULT_URL;
}
Enter fullscreen mode Exit fullscreen mode

With this approach, we leave the function early, preventing complicated and unreadable nested conditions in the future.

Prioritize async/await over Promises

❌ With promises

const isProfileNameAllowed = (id) => {
  return profileModel.get(id).then((profile) => {
    return Ban.name(profile.name);
  }).then((ban) => ({
    return ban.value
  }).catch((err) => {
    logger.error({ message: err.message });
  });
}
Enter fullscreen mode Exit fullscreen mode

Promises make your code harder to read and tend to increase code cyclomatic complexity.

βœ… With async/await

const isProfileNameAllowed = async (id) => {
  try {
    const profile await profileModel.get(id);
    const {value: result } = await Ban.name(profile.name);
    return result;
  } catch (err) {
    logger.error({ message: err.message });
  }
}
Enter fullscreen mode Exit fullscreen mode

By using async/await, you avoid callback hell, which happens with promises chaining when data are passed through a set of functions and leads to unmanageable code due to its nested fallbacks.

No magic numbers πŸ”’

Avoid as much as you can to hardcode changeable values which could change over time, such as the number of total posts to display, timeout delay, and other similar information.

❌ Code containing magic numbers

setTimeout(() => {
  window, (location.href = '/');
}, 3000);
Enter fullscreen mode Exit fullscreen mode
getLatestBlogPost(0, 20);
Enter fullscreen mode Exit fullscreen mode

βœ… No hardcoded numbers

setTimeout(() => {
  window, (location.href = '/');
}, config.REFRESH_DELAY_IN_MS);
Enter fullscreen mode Exit fullscreen mode
const POSTS_PER_PAGE = 20;

getLatestBlogPost(0, POSTS_PER_PAGE);
Enter fullscreen mode Exit fullscreen mode

Always use assert.strictEqual

With your test assertion library (e.g. chai), always consider using the strict equal assertion method.

❌ Don’t just use assert.equal

assert.equal('+63464632781', phoneNumber);
assert.equal(validNumber, true);
Enter fullscreen mode Exit fullscreen mode

βœ… Use appropriate strict functions from your assertion library

assert.strictEqual('+63464632781', phoneNumber);
assert.isTrue(validNumber);
Enter fullscreen mode Exit fullscreen mode

Updating an object - The right way

❌ Avoid Object.assign as it’s verbose and longer to read

const user = Object.assign(data, {
  name: 'foo',
  email: 'foo@bar.co',
  company: 'foo bar inc',
});
Enter fullscreen mode Exit fullscreen mode

βœ… Use destructing assignment, spread syntax

const user = {
  ...data,
  name: 'foo',
  email: 'foo@bar.co',
  company: 'foo bar inc',
};
Enter fullscreen mode Exit fullscreen mode

Stop using Date() when doing benchmarks

JavaScript is offering a much nicer alternative when you need to measure the performance of a page during a benchmark.

❌ Stop doing

const start = new Date();
// your code ...
const end = new Date();

const executionTime = start.getTime() - end.getTime();
Enter fullscreen mode Exit fullscreen mode

βœ… With performance.now()

const start = performance.now();
// your code ...
const end = performade.now();

const executionTime = start - end;
Enter fullscreen mode Exit fullscreen mode

Lock down your object πŸ”

It’s always a good idea to const lock the properties when creating an object. That way, the values of your properties object will only be read-only.

❌ Without locking an object

const canBeChanged = { name: 'Pierre' }:

canBeChanged.name = 'Henry'; // `name` is now "Henry"
Enter fullscreen mode Exit fullscreen mode

βœ… With as const to lock an object

const cannotBeChanged = { name: 'Pierre' } as const;

cannotBeChanged = 'Henry'; // Won't be possible. JS will throw an error as `name` is now readonly
Enter fullscreen mode Exit fullscreen mode

Consider aliases when destructing an object

❌ Without aliases

const { data } = getUser(profileId);
const profileName = data.name;
// ...
Enter fullscreen mode Exit fullscreen mode

βœ… With clear alias name

const { data: profile } = getUser(profileId);
// then, use `profile` as the new var name πŸ™‚
const profileName = profile.name;
// ...
Enter fullscreen mode Exit fullscreen mode

Always use the strict type comparison

When doing some kind of comparison, always use the === strict comparison.

❌ Don’t use loose comparisons

if ('abc' == true) {
} // this gives true ❌

if (props.address != details.address) {
} // result might not be what you expect
Enter fullscreen mode Exit fullscreen mode

βœ… Use strict comparisons

if ('abc' === true) {
} // This is false βœ…

if (props.address !== details.address) {
} // Correct expectation
Enter fullscreen mode Exit fullscreen mode

Avoid using export default as much as you can

The main reason why you should avoid export default is that is makes refactoring very complex when you need to rename a class or a component name.

You will have to update every name of your imports as it will need to match with the actual name of your default export class/function/component.

When working on a large-scale project, in addition to spending more time, you will also increase the chance of forgetting renaming an import (or simply having a typo).

Import each function/class seperately will helps your IDE's IntelliSense to picking up and auto-import correctly when refactoring, which won't be the case with a renamed default export.

At the end of the day though, being consistent with your project and your team on what coding flavour and convention you choose is also to take into consideration.

Always write pure functions

If a tree falls in the woods, does it make a sound?
If a pure function mutates some local data in order to produce an immutable return value, is this okay?

Rich Hickey. Creator of the Clojure

Given a specific input (argument) to a function, a pure function always returns the same output as the pure function doesn't modify their input values.

A pure function will never produce side effects, meaning that it doesn't change any external states from another function. The pure function only depends on its input arguments and on the function's scope itself. With them, you can focus your attention in only one place, which makes a huge difference when reading and debugging your code.

// A pure function
function addition(x, y) {
    return x + y;
}
Enter fullscreen mode Exit fullscreen mode

A trickier scenario can occur when you are passing an object.
Imagine you are passing a β€œuser” object to another function. If you modify the object β€œuser” in the function, it will modify the actual user object because the object passed in as a parameter is actually a reference of the object, which is the opposite of a distinct new cloned object.

To prevent this downside, you will have to deep-clone the object first (you can use the Lodash cloneDeep function) and then Object.freeze(copyUser) when returning it. This will guarantee the β€œcopyUser” to be immutabled.

For instance:

import { cloneDeep as _cloneDeep } from 'lodash';

function changeUser(user) {
  // copyUser = { …user };
  const copyUser = _cloneDeep(user);
  copyUser.name = 'Edward Ford';

  return Object.freeze(copyUser);
}
Enter fullscreen mode Exit fullscreen mode

βœ… By writing pure functions, you will make the code easier to read and understand. You only need to focus your attention on the function itself without having to look at the surrounding environments, states, and properties outside the function's scope, preventing you to spend hours debugging.

Use the TODO and FIXME prefix in your comments (when really need to comment)

If you have to come back and change something later, you might need to comment in your code, but then you must use the TODO or FIXME prefix, so that your code will be highlighted in the majority of IDEs.

Finally, I would also suggest you the VS Code extension TODO Tree that cretes a nice todo list.

βœ… Example πŸ‘‡

// TODO <JIRA-TICKET-ID> Change the logic to reflect to the release of productB
function somethingMeaningful() {}
Enter fullscreen mode Exit fullscreen mode

Linters and Formatters

Indentation is also very important. Having consistent code that follows the same coding conventions across your products will help to ship clean and readable code.

For doing so, it’s crucial to use ESLint and Prettier on your code editor (e.g., VS Code) as well as set up some git hooks (on pre-commit or pre-push hook) which will run ESLint as a pre-check for when you git commit/push your code.

Finally, you can very easily set up a GitHub workflow action for your project.

Conclusion

Writing clean and readable code that scales is crucial for tomorrow's development and maintenance. When we write code for a job, it's not our code, it's everybody's else code. That fact of writing code that doesn't require brain power will prevent misunderstandings or errors that could have been easily avoided by making the code easy to understand where it tells right away what it does.

β˜•οΈ Was it helpful? How about offering me a cup of coffee? https://ko-fi.com/phenry πŸ˜‹


Note: The post comes from my original clean coding guidebook available on my GitHub, github.com/pH-7/GoodJsCode

Top comments (1)

Collapse
 
pierre profile image
Pierre-Henry Soria ✨ • Edited

And you? πŸ‘‰ What's your favorite clean code and best practice habit you would like to share here?