Top Mistakes JavaScript Developers Make

Written by ana | Published 2021/08/11
Tech Story Tags: js | javascript | front-end-development | frontend | web-development | webdev | programming | coding

TLDR JavaScript is a programming language that allows you to implement complex features on web pages. It is the most popular programming language in 2019. We will show you some typical mistakes that almost every JS programmer has made during his career. 41% of programmers that took part in the survey have less than five years of professional coding experience. This article is mostly for those developers (0-2 years) New developers may find examples useful because itā€™s a bad code you can learn from. More experienced developers (3 + years) may get a smile by recognizing the mistakes you have made in the past.via the TL;DR App

JavaScript is a programming language that allows you to implement complex features on web pages and, to cut a long story short, you have already known a lot about JS since it is the most popular programming language in 2019 (itā€™s not our opinion, all figures we got fromĀ Developer Survey 2019Ā from Stackoverflow). If you donā€™t hear of this survey you should take a look, while we continue our introduction.Ā 
Since JavaScript is the basis of any web application, we are not going to discuss JS benefits or a list of JS possibilities. Instead, we will show you some typical mistakes that almost every JS programmer has made during his career.Ā 
According to the same Stackoverflow survey, 41% of programmers that took part in the survey have less than five years of professional coding experience.
This article is mostly for those developers. New developers (0-2 years) may find examples from the article useful because itā€™s a bad code you can learn from. More experienced developers (3 + years) may get a smile by recognizing the mistakes you have made in the past. Anyway spending some time reading this article gives you either knowledge or fun. Enjoy reading!Ā 
The list of mistakes:
  • Do you remember the difference between ā€œ=ā€œ, ā€œ==ā€œ and ā€œ===ā€œ?
  • Forgetting about the scope of variables.
  • Misunderstanding the difference between ā€œletā€, ā€œconstā€ and ā€œvarā€.
  • Incorrect references to instance methods.
  • Difficulties of using this.

Do you remember the difference between ā€œ=ā€œ, ā€œ==ā€œ and ā€œ===ā€œ?

Odds are you first encountered the problem with code like this:
var x = 1;
if (x = 7) { 
  alert("Hello"); 
} else {
  alert("Nope");
}
And you get ā€œHelloā€! Why? The answer is very simple: you donā€™t understand the difference between the 3 operators mentioned above. Itā€™s not a complicated mistake, and once you learn it you will not likely forget it. Since this mistake is very simple, you can overlook it when it comes to conditions of jumping out of a loop.
Letā€™s get this thing over with and go further:Ā 
ā€œ=ā€ is the equal operator, so itā€™s used for assignment. In our example, we assign seven to ā€œxā€ in the condition and get words of welcome ā€œHelloā€.Ā 
The correct code looks like this:
var x = 1;
if (x == 7) {
  alert("Hello");
} else {
  alert("Nope");
}
We get ā€œNopeā€.
ā€œ==ā€ is the loose equality comparison operator. Why loose? Because it allows converting values from one type to another to compare them. Even if we assign a string value ā€œ7ā€ to x, and compare it with number value ā€œ7ā€ the code returns to us ā€œHelloā€. However, the code below returns ā€œNopeā€:
Why? Because ā€œ===ā€ is the strict equality comparison operator. If this operator returns ā€œtrueā€ it means that our values are identical both in value and in type. There is an analog for ā€œ===ā€ ā€“ the method Object.is. It has some differences in the processing of -0, +0 and NaN values, but some of you know what these differences are, while others can turn toĀ JavaScript Guide. And in general, itā€™s a good practice:Ā 
If you have any doubts about JS methods or features, you can always google it.

Forgetting about the scope of variables

Another quite simple mistake:
let arr = [1,2,3,4,5,6,7];
var j;
for (j=0;  j < arr.length; j++) {
  console.log (arr[j]);
} 
// ā€¦some long code
console.log ( j ); // we get the number ā€œ7ā€
And itā€™s easy to forget that our variable changes its value after the loop. This mistake exists not only in the JS community but in general. In some languages, you define a variable only within a loop, and itā€™s destroyed once the loop ends, but not in JavaScript.
And the opposite situation, when you try to get access to a variable that was defined within their local scope (it refers to Function scope). Example:
function myFunction() {
  var me = "You can't touch me!";
} 
console.log(me);
ā€œmeā€ is not defined, sorry, you can contact your lawyer or just remember the scope of variables in JavaScript. The correct code is:
var me;
function myFunction() {
  me = "You can't touch me!";
}
console.log(me + ā€˜I Can, sorryā€™);
Another example since JS update in 2015, and the keywordĀ letĀ came to JS to declare variables (ECMAScript 6) is:
let arr = [1,2,3,4,5,6,7];
for (let j = 0; j < arr.length; j++) {
  console.log(arr[j]); // the output: 1, 2, 3, 4, 5, 6, 7
} 
console.log(j) // j = 0.
The keyword let didnā€™t change the variable ā€œjā€ compared to the first example. And this question is the topic of our next abstract.

Misunderstanding the difference between ā€œletā€, ā€œconstā€ and ā€œvarā€

Itā€™s closely related to the previous problem, but since almost everybody googled the difference betweenĀ var,Ā constĀ andĀ let we separate this question. Letā€™s first look at the code below:
console.log(x); // undefined
var x = 5;
console.log(x); // the output is 5
The code is logical as the output, no questions. Another example:
console.log(x); // Error: cannot access ā€œxā€ before the initialization
let x = 5;
console.log(x);
The reason is thatĀ varĀ is function scoped andĀ letĀ is block scoped. When you declare a variable withĀ letĀ keyword, they are moved to the beginning of the block. This may lead to a reference error when you try to access the variable before the initialization.
Itā€™s called ā€œtemporary dead zoneā€, if you want to know more information about it, you can visit an official web site for JS developersĀ Mozilla JavaScript Guide.
But we move on with our next participant and show an example to describe everything:
let a = 5;
var b = 10;
const c = 11;

if (a === 5) {
  let a = 4;    // The scope is inside the if-block
  var b = 1;    // The scope is global
  const c = 15; // The scope is inside the if-block

  console.log(a);   // 4, 
  console.log(b);   // 1
  console.log(c);   // 15
} 
console.log(a);  // 5, the value changes to the initial 
console.log(b);  // 1, the value from if-block saves
console.log(c);  // 11, the value changes to the initial
And the last code for this chapter:
a = 10;     // itā€™s OK, the value of a is changed to 10
b = 20;     // itā€™s OK, the value of b is changed to 20
c = 7;      // SyntaxError: Identifier "c" has already beed declared 
const c = 15;   // The same error
What happened? In ā€œif blockā€ we declared ā€œaā€ and ā€œcā€ variables in if-block and changed the value of a global variable ā€œbā€. Outside the block ā€œaā€ and ā€œCā€ returned to its initial values. After that, we tried to change the values of all variables:Ā letĀ andĀ varĀ allow us to do that, whileĀ constĀ returned an error. The reason is that theĀ constĀ declares a read-only reference to a value within a certain scope (it may be local or global). Thatā€™s why we managed to declare the new value of the ā€œCā€ variable in if-block but failed to change the value outside of it.

Incorrect references to instance methods

Letā€™s create a new object and use the prototype property of a function to add ā€œwhoAmIā€ method. Then create an instance ā€œobjā€ of our object (the code below):
var MyObject = function() {}
MyObject.prototype.whoAmI = function() { 
  console.log(this === window ? "window" : "MyObj"); 
}
var obj = new MyObject();
The preparatory phase ended, letā€™s start to make our life simpler: since we need to get access to a recently established method and we want to make it simple, so letā€™s create a reference to it and check if it works properly.
obj.whoAmI(); // MyObj
var anotherMethod = obj.whoAmI;
anotherMethod(); // window
And we get the output ā€œwindowā€ instead of expected ā€œMyObjā€.Ā 
Why? Well, when we create a referenceĀ var anotherMethodĀ =Ā obj.whoAmI, methodĀ whoAmIĀ has been defined in the global scope. A global scope is a window object in a browser, so the keywordĀ thisĀ becomes equal to the window, not the instance ofĀ MyObject. If we want to make a correct reference to an instance method, then we need to call this method from the object itself or make a reference to the object, but not just to the method of the object.
The right reference will look like this:
var obj = new MyObject(); 
var anotherObj = obj;
anotherObj.whoAmI() // MyObj
or
obj.link = obj.whoAmI
obj.link(); // MyObj
And we get the equal result finally.

Difficulties of using this

JavaScript has become quite a complicated language.Ā ThisĀ is a keyword in JavaScript the value of which is evaluated during the run-time, depending on the context.
function myFunction() {
  var myObject = {
     objProperty: "some text",
     objMethod: function() {
        alert(objProperty);
        }
     }
  myObject.objMethod();
} 
myFunction();
And we get ReferenceError: objProperty is not defined. Functions defined on a JavaScript object accessing properties on that JavaScript object and failing to useĀ thisĀ reference identifier. The correct code looks like this:
function myFunction() {
  var myObject = {
     objProperty: "some text",
     objMethod: function() {
        alert(this.objProperty);
        }
     }
  myObject.objMethod();
}
myFunction();
The idea is simple: whenĀ myObject.objMethodĀ is called,Ā thisĀ becomesĀ myObjectĀ during the call ofĀ objMethod. When we define an object and want to access its properties and methods, we need to access the object itself first. (sounds logical) But there are also reverse situations whenĀ thisĀ is used incorrectly.
Game.prototype.restart = function () {
  this.clearLocalStorage();
  this.timer = setTimeout(function() {
    this.clearBoard(); 
  }, 0);
}
It returns to us another error: undefined is not a function.
The point is thatĀ thisĀ inĀ this.clearBoard()Ā line is unnecessary here because when you invokeĀ setTimeout()Ā you work withĀ window.setTimeout(), so you invoke the window object in the browser. The object window doesnā€™t have aĀ clearBoard()Ā method. The correct form will look like this:
Game.prototype.restart = function () {
  var self = this;
  this.clearLocalStorage();
  this.timer = setTimeout(function() {
    self.clearBoard(); // this = window
  }, 0);
}
And an example that has existed since EcmaScript 2015 was released:
Game.prototype.restart = function () {
  this.clearLocalStorage();
  this.timer = setTimeout(() => {
    this.clearBoard(); // this = Game
  }, 0);
}
That also became possible after ECMAScript 6. When we use an arrow function, we stay in the scope of the previous function without creating a new local scope.

Memory leaks, what lays beyond it

Letā€™s start with a code:
function myFunction() {
  me = "You can't touch me!";
}
Itā€™s an altered example from the second chapter of this article, can you see the difference?Ā 
If yes, itā€™s great ā€“ you are aware of declaring unnecessary global variables and stay careful when it comes to the speed of your code. The problem with this code is that when we call the functionĀ myFunction, we create an unnecessary global variable that is lurking in the background until the code doesnā€™t terminate. The global variable is created because we assign a value to a variable that hasnā€™t been declared before.
Although the variables donā€™t take a lot of memory, too much data stored as cash slows the page download speed and negatively affects the speed of your browser in general. There are several possible solutions:
Use local variables:
function myFunction() {
  var me = "You can't touch me!";
}
Use ā€œuse strictā€ Directive that doesnā€™t allow you to invoke undeclared variable:
function myFunction() {
  ā€œuse strictā€;
  me = "You can't touch me!"; //me is not defined
}
Memory leaks occur when an app stores the unnecessary data that the garbage collector doesnā€™t clean in its run. Another event that leads to memory leaks is when an app consumes memory for a specific task: once the task is completed, memory is released, but sometimes it is not. So the app keeps the memory for no reason (since the task is done).Ā 
Letā€™s consider another code:
var trigger = document.getElementById("trigger");
var elem = document.getElementById('elementToDelete');
trigger.addEventListener("click", function() {
  elem.remove();
});
When we execute the code, elementToDelete is removed from the DOM. But we still have the reference to it within the listener, and at this point the memory leak happens because allocated memory for the object is still used.Ā 
The solution is here:
var trigger = document.getElementById("trigger");
trigger.addEventListener("click", function() {
  var elem = document.getElementById('elementToDelete');
  elem.remove();
});
HereĀ elemĀ is declared inside the listener. Thus when we delete it, the path for the object is cut off and the memory will be released.

Written by ana | Head of PR at Flatlogic Templates (flatlogic.com)
Published by HackerNoon on 2021/08/11