1. Code
  2. Coding Fundamentals

30 JavaScript Best Practices for Beginners

Scroll to top

As a follow-up to "30 HTML and CSS Best Practices", this week, we'll review JavaScript!

1. Use === Instead of ==

JavaScript uses two different kinds of equality operators: === and !== are the strict equality operators, while ==  and != are the non-strict operators. It is considered best practice to always use strict equality when comparing.

"If two operands are of the same type and value, then === produces true and !== produces false." - JavaScript: The Good Parts

However, when working with == and !=, you'll run into issues when working with different types. When the values you're comparing have different types, the non-strict operators will try to coerce their values, and you may get unexpected results.

2. eval() Is Bad

For those unfamiliar, the eval() function gives us access to JavaScript's compiler. Essentially, we can execute a string's result by passing it as a parameter of eval().

Not only will this decrease your script's performance substantially, but it also poses a huge security risk because it grants far too much power to the passed-in text. Avoid it!

3. Don't Use Shorthand

Technically, you can get away with omitting most curly braces and semi-colons. Most browsers will correctly interpret the following:

1
if (someVariableExists)
2
   x = false

However, consider this:

1
if (someVariableExists)
2
   x = false
3
   anotherFunctionCall();

You might think that the code above would be equivalent to:

1
if (someVariableExists) {
2
   x = false;
3
   anotherFunctionCall();
4
}

Unfortunately, you'd be wrong. In reality, it means:

1
if (someVariableExists) {
2
   x = false;
3
}
4
anotherFunctionCall();

As you'll notice, the indentation mimics the functionality of the curly brace. Needless to say, this is a terrible practice that should be avoided at all costs. The only time that curly braces should be omitted is with one-liners, and even this is a highly debated topic.

1
if(2 + 2 === 4) return 'nicely done';

Always Consider the Future

What if, at a later date, you need to add more commands to this if statement? In order to do so, you would need to rewrite this block of code. Bottom line—tread with caution when omitting.

4. Use JSLint

JSLint is a debugger written by Douglas Crockford. Simply paste in your script, and it'll quickly scan for any noticeable issues and errors in your code.

"JSLint takes a JavaScript source and scans it. If it finds a problem, it returns a message describing the problem and an approximate location within the source. The problem is not necessarily a syntax error, although it often is. JSLint looks at some style conventions as well as structural problems. It does not prove that your program is correct. It just provides another set of eyes to help spot problems." - JSLint Documentation

Before signing off on a script, run it through JSLint just to be sure that you haven't made any careless mistakes.

5. Place Scripts at the Bottom of Your Page

This tip has already been recommended in the previous article in this series. As it's highly appropriate, though, I'll paste in the information.

Place JS at bottomPlace JS at bottomPlace JS at bottom

Remember—the primary goal is to make the page load as quickly as possible for the user. When loading a script, the browser can't continue until the entire file has been loaded. Thus, the user will have to wait longer before noticing any progress.

If you have JS files whose only purpose is to add functionality—for example, after a button is clicked—go ahead and place those files at the bottom, just before the closing body tag. This is absolutely a best practice.

Better

1
<p>And now you know my favorite kinds of corn. </p>
2
<script type="text/javascript" src="path/to/file.js"></script>
3
<script type="text/javascript" src="path/to/anotherFile.js"></script>
4
</body>
5
</html>

6. Declare Variables Outside of the For Statement

When executing lengthy for statements, don't make the engine work any harder than it must. For example:

Bad

1
for(let i = 0; i < someArray.length; i++) {
2
   let container = document.getElementById('container');
3
   container.innerHtml += 'my number: ' + i;
4
   console.log(i);
5
}

Notice how we must determine the length of the array for each iteration, and how we traverse the DOM to find the "container" element each time—highly inefficient!

Better

1
let container = document.getElementById('container');
2
for(let i = 0, len = someArray.length; i < len;  i++) {
3
   container.innerHtml += 'my number: ' + i;
4
   console.log(i);
5
}

7. The Fastest Way to Build a String

Don't always reach for your handy-dandy for statement when you need to loop through an array or object. Be creative and find the quickest solution for the job at hand.

1
let arr = ['item 1', 'item 2', 'item 3', ...];
2
let list = '<ul><li>' + arr.join('</li><li>') + '</li></ul>';

I won’t bore you with benchmarks; you’ll just have to believe me (or test for yourself). This is by far the fastest method!

Using native methods like join(), regardless of what’s going on behind the abstraction layer, is usually much faster than any non-native alternative. — James Padolsey, james.padolsey.com

8. Use Template Literals

Strings that we create with double or single quotes have a lot of limitations. You might want to replace some of your strings with template literals to make working with them a lot easier. Template literals are created using the backtick character (`), and they offer many advantages. You can put expressions inside them or create multi-line strings.

1
let person = 'Monty';
2
let fruits = 'apples';
3
let activity = 'playing games';
4
let day = 'Monday';
5
6
let sentence1 = person + ' will be eating ' + fruits + ' and ' + activity + ' on ' + day + '.';
7
console.log(sentence1);
8
// Output: Monty will be eating apples and playing games on Monday.

9
10
let sentence2 = `${person} will be eating ${fruits} and ${activity} on ${day}.`;
11
console.log(sentence2);
12
// Output: Monty will be eating apples and playing games on Monday.

As you can see, we did not have to constantly move in and out of our template literal, as we had to with a regular string literal created with single or double quotes. This reduces the chances of any typing-related errors and helps us write cleaner code.

9. Reduce Globals

"By reducing your global footprint to a single name, you significantly reduce the chance of bad interactions with other applications, widgets, or libraries." — Douglas Crockford

1
let name = 'Jeffrey';
2
let lastName = 'Way';
3
4
function doSomething() {...}
5
6
console.log(name); // Jeffrey -- or window.name

Better

1
let DudeNameSpace = {
2
   name : 'Jeffrey',
3
   lastName : 'Way',
4
   doSomething : function() {...}
5
}
6
console.log(DudeNameSpace.name); // Jeffrey

Notice how we've "reduced our footprint" to just the ridiculously named DudeNameSpace object.

10. Consider Using let and const 

The let keyword allows us to create local variables that are scoped within their own block. The const keyword allows us to create local block-scoped variables whose value cannot be reassigned. You should consider using the let and const keywords in appropriate situations when declaring your variables. Keep in mind that the const keyword only prevents reassignment. It does not make the variable immutable.

1
var person_name = "Adam";
2
let name_length = person_name.length;
3
const fav_website = "code.tutsplus.com";
4
5
if(person_name.length < 5) {
6
    var person_name = "Andrew";
7
    let name_length = person_name.length;
8
    
9
    // Throws an error if not commented out!

10
    // fav_website = "webdesign.tutsplus.com";

11
12
    console.log(`${person_name} has ${name_length} characters.`);
13
    // Output: Andrew has 6 characters.

14
}
15
16
console.log(`${person_name} has ${name_length} characters.`);
17
// Output: Andrew has 4 characters.

In the above example, the value of the person_name variable was updated outside the if block as well, after we modified it inside the block. On the other hand, name_length was block-scoped, so it retained its original value outside the block.

11. Comment Your Code

It might seem unnecessary at first, but trust me, you want to comment your code as well as possible. What happens when you return to the project months later, only to find that you can't easily remember what your line of thinking was? Or what if one of your colleagues needs to revise your code? Always, always comment important sections of your code.

1
// Cycle through array and echo out each name. 

2
for(var i = 0, len = array.length; i < len; i++) {
3
   console.log(array[i]);
4
}

12. Embrace Progressive Enhancement

Always compensate for when JavaScript is disabled. It might be tempting to think, "The majority of my viewers have JavaScript enabled, so I won't worry about it." However, this would be a huge mistake.

Have you taken a moment to view your beautiful slider with JavaScript turned off? (Download the Web Developer Toolbar for an easy way to do so.) It might break your site completely. As a rule of thumb, design your site assuming that JavaScript will be disabled. Then, once you've done so, begin to progressively enhance your layout!

13. Don't Pass a String to setInterval or setTimeOut

Consider the following code:

1
setInterval(
2
"document.getElementById('container').innerHTML += 'My new number: ' + i", 3000
3
);

Not only is this code inefficient, but it also functions in the same way as the eval function would. Never pass a string to setInterval and setTimeOut. Instead, pass a function name.

1
setInterval(someFunction, 3000); 

14. Use {} Instead of new Object()

There are multiple ways to create objects in JavaScript. Perhaps the more traditional method is to use the new constructor, like so:

1
var o = new Object();
2
o.name = 'Jeffrey';
3
o.lastName = 'Way';
4
o.someFunction = function() {
5
   console.log(this.name);
6
}

However, this method receives the "bad practice" stamp. It's not actually harmful, but it is a bit verbose and unusual. Instead, I recommend that you use the object literal method.

Better

1
var o = {
2
   name: 'Jeffrey',
3
   lastName = 'Way',
4
   someFunction : function() {
5
      console.log(this.name);
6
   }
7
};

Note that if you simply want to create an empty object, {} will do the trick.

1
var o = {};

"Object literals enable us to write code that supports lots of features yet still provide a relatively straightforward process for the implementers of our code. No need to invoke constructors directly or maintain the correct order of arguments passed to functions." — dyn-web.com

15. Use [] Instead of new Array()

The same applies for creating a new array.

Okay

1
var a = new Array();
2
a[0] = "Joe";
3
a[1] = 'Plumber';

Better

1
var a = ['Joe','Plumber'];

"A common error in JavaScript programs is to use an object when an array is required or an array when an object is required. The rule is simple: when the property names are small sequential integers, you should use an array. Otherwise, use an object." — Douglas Crockford

16. Use the Spread Operator

Have you ever been in a situation where you wanted to pass all the items of an array as individual elements to some other function or you wanted to insert all the values from one array into another? The spread operator (...) allows us to do exactly that. Here is an example:

1
let people = ["adam", "monty", "andrew"]
2
let more_people = ["james", "jack", ...people, "sajal"]
3
4
console.log(more_people)
5
// Output: Array(6) [ "james", "jack", "adam", "monty", "andrew", "sajal" ]

17. Be Careful With for ... in Statements

When looping through items in an object, you might find that you retrieve method functions or other inherited properties as well. In order to work around this, always wrap your code in an if statement which filters with hasOwnProperty.

1
for (key in object) {
2
   if (object.hasOwnProperty(key) {
3
      ...then do something...
4
   }
5
}

This tip is from JavaScript: The Good Parts, by Douglas Crockford.

18. Read, Read, Read...

While I'm a huge fan of web development blogs (like this one!), there really isn't a substitute for a book when grabbing some lunch, or just before you go to bed. Always keep a web development book on your bedside table. Here are some of my JavaScript favorites.

Read them... multiple times. I still do!

19. Self-Executing Functions

Rather than calling a function, it's quite simple to make a function run automatically when a page loads or a parent function is called. Simply wrap your function in parentheses, and then append an additional set, which essentially calls the function.

1
(function doSomething() {
2
   return {
3
      name: 'jeff',
4
      lastName: 'way'
5
   };
6
})();

20. Raw JavaScript Is Always Quicker Than Using a Library

JavaScript libraries, such as jQuery and lodash, can save you an enormous amount of time when coding—especially with AJAX operations. Having said that, always keep in mind that a library can never be as fast as raw JavaScript (assuming you code correctly).

jQuery's each() method is great for looping, but using a native for statement will always be an ounce quicker.

21. Quickly Assign Variable Values With Destructuring

We've already learned about the spread operator in JavaScript earlier in the article. Destructuring is somewhat similar in the sense that it also unpacks values stored inside arrays. The difference is that we can assign these unpacked values to unique variables.

The syntax is similar to creating an array using the [] shorthand. However, this time the brackets go on the left side of the assignment operator. Here is an example:

1
let [person, fruit, , day] = ['Monty', 'apple', 'reading', 'tomorrow'];
2
3
var sentence = `${person} will eat an ${fruit} ${day}.`;
4
5
console.log(sentence);
6
// Output: Monty will eat an apple tomorrow.

Did you notice how we just skipped the assignment of the third array element to any variable by not passing a variable name? This allows us to avoid variable assignments for values we don't need.

22. Iterators and for ... of Loops

Iterators in JavaScript are objects which implement the next() method to return an object that stores the next value in a sequence and true or false depending on whether or not there are any more values left. This means that you can create your own iterator objects if you implement the iterator protocol.

JavaScript also has some built-in iterators like StringArray, Map, etc. You can iterate over them using for ... of loops. This is more concise and less error-prone compared to regular for loops.

1
let people = ["Andrew", "Adam", "James", "Jack"];
2
let people_count = people.length;
3
4
for(let i = 0; i < people_count; i++) {
5
    console.log(people[i]);
6
}
7
/*

8
Andrew

9
Adam

10
James

11
Jack

12
*/
13
14
for(person of people) {
15
    console.log(person);
16
}
17
/*

18
Andrew

19
Adam

20
James

21
Jack

22
*/

With a for...of loop, we don't have to keep track of the total length of the array or the current index. This can reduce code complexity when creating nested loops.

23. async and await

You can use the async keyword to create asynchronous functions, which always return a promise either explicitly or implicitly. Asynchronous functions that you create can take advantage of the await keyword by stopping execution until the resolution of returned promises. The code outside your async function will keep executing normally.

1
async function delayed_hello() {
2
3
    console.log("Hello Adam!");
4
5
    let promise = new Promise((resolve) => {
6
        setTimeout(() => resolve("Hello Andrew!"), 2000)
7
    });
8
9
    let result = await promise;
10
11
    console.log(result);
12
}
13
14
console.log("Hello Monty!");
15
16
delayed_hello();
17
18
console.log("Hello Sajal!");
19
20
/*

21
Hello Monty!

22
Hello Adam!

23
Hello Sajal!

24
Hello Andrew!

25
*/

In the above example, "Hello Andrew" is logged after two seconds, while all other hellos are logged immediately. The call to the delayed_hello() function logs "Hello Adam" immediately but waits for the promise to resolve in order to log "Hello Andrew".

24. Use Arrow Functions

Another essential feature added to JavaScript recently is arrow functions. They come with a slew of benefits. To begin with, they make the functional elements of JavaScript more appealing to the eye and easier to write.

Take a look at how we would implement a filter without arrow functions:

1
const nums = [1,2,3,4,5,6,7,8];
2
3
const even_nums = nums.filter( function (num) { return num%2 == 0; } )

Here, the callback function we pass to the filter returns true for any even number.

Arrow functions make this much more readable and concise though: 

1
const nums = [1,2,3,4,5,6,7,8];
2
3
const even_nums = nums.filter(num => num%2 == 0)

Another notable benefit of arrow functions is that they do not define a scope, instead being within the parent scope. This prevents many of the issues that can occur when using the this keyword. There are no bindings for this in the arrow functions. this has the same value inside the arrow function as it does in the parent scope. However, this means arrow functions can't be used as constructors or methods.

25. Use the Javascript includes() Method

The includes() method in JavaScript determines whether or not a string contains the specified characters, or whether an array contains the specified element. If the string or element is found, this function returns true; otherwise, it returns false.

1
const str = 'This String contains the word accept';
2
console.log(str.includes('accept'));
3
4
//output:true

It's worth noting that the includes() method on Strings is case sensitive. If you want to match a string no matter the case, just make the target string lowercase first.

1
const str = 'This String contains the word accept';
2
console.log(str.toLowerCase().includes('string'));
3
4
//output: true

26. Run Promises in Parallel

It is preferable to run your asynchronous tasks in parallel as it can make your app much faster and more responsive. If your tasks don't rely on the results from one another, simply wrap them in Promise.all and run them in parallel.

It is really great to combine async / await and Promise.all, but you must be careful to think through what parts happen sequentially and what parts happen in parallel. Here's an example of fetching the text from an array of URLs concurrently with Promise.all and await.

1
const urls = ["https://en.wikipedia.org/wiki/Canada", "https://en.wikipedia.org/wiki/Nigeria", "https://en.wikipedia.org/wiki/Vietnam"]
2
3
const countryInfo = await Promise.all(urls.map( async url =>
4
  const resp = await fetch(url);
5
  return resp.text();
6
}));

This will map the URLs in the array to an array of async functions. Each async function will fetch the text from the URL and return it. Since this is an async function, it is actually a Promise. Promise.all will wait on those promises and return the array of text that they loaded when they are all complete.

27. Use Regex When Extracting or Working With Strings

Regex (regular expressions) is a really powerful and even fun tool. If you find yourself doing complicated searches and manipulations on strings using methods like indexOf() and substring(), you should reach for regex instead.

Regular expressions enable you to search for complex patterns, and replace or extract text matching those patterns.

A classic use of regex is to validate input. For example, the following regex can be used to validate a US five-digit zip code:

1
const zipRegex = /\d{5}/
2
3
console.log(zipRegex.test("12345"))
4
//output: true

5
6
console.log(zipRegex.text("B3K 1R2"))
7
//output: false

28. Put JavaScript in a Separate File

JavaScript can be written in a <script> tag in your HTML, or it can be kept in its own file and linked within your HTML. This helps keep different sorts of code isolated from one another this manner, and makes your code more understandable and well-organized.

Keeping your JavaScript in separate files outside of the HTML facilitates the reuse of code across multiple HTML files. It provides for easier code reading, and it saves loading time since web browsers can cache external JavaScript files.

29. Use Splice to Remove Items From an Array

I've seen developers use the delete method to remove an item from an array. This is incorrect, because the delete function substitutes the object with undefined rather than removing it. In JavaScript, the best approach to remove an element from an array based on its value is to use the indexOf() function to discover the index number of that value in the array, and then use the splice() function to delete that index value.

1
var items = ["apple","orange","berries","strawberry"];
2
items.splice(2,1);
3
4
console.log(items);
5
//output: ['apple', 'orange', 'strawberry']

30. Learn Unit Testing

When I first started adding unit tests as a developer, I frequently discovered bugs. Tests are the most effective way to ensure that your code is error-free. Jest is a great place to start, but there are other options that are just as easy to use. Before any code is deployed, it should be subjected to unit testing to ensure that it fulfills quality standards. This promotes a dependable engineering environment that prioritizes quality. Unit testing saves time and money during the product development lifecycle, and it helps developers design better, more efficient code.

That's All, Folks

So there you have it: 30 essential tips for beginning JavaScripters. Thanks for reading. 

And be sure to check out the thousands of JavaScript items available on Envato Market. There's sure to be something there to help you with your JavaScript development.

This post has been updated with contributions from Monty Shokeen and Ezekiel Lawson. Monty is a full-stack developer who also loves to write tutorials, and to learn about new JavaScript libraries. Ezekiel is a front-end developer who focuses on writing clean, maintainable code with web technologies like JavaScript, Vue.js, HTML, and CSS.

Did you find this post useful?
Want a weekly email summary?
Subscribe below and we’ll send you a weekly email summary of all new Code tutorials. Never miss out on learning about the next big thing.
Looking for something to help kick start your next project?
Envato Market has a range of items for sale to help get you started.