Skip to main content

What does "use strict" do in JavaScript, and what is the reasoning behind it?

· 2 min read
Pablo Aballe

Question: What does "use strict" do in JavaScript, and what is the reasoning behind it?

What does "use strict" do in JavaScript, and what is the reasoning behind it?

Answer:

Ah, use strict! This little line of code can cause a big impact in how your JavaScript behaves. Introduced in ECMAScript 5, use strict is a directive that helps enforce stricter parsing and error handling in your JavaScript code. When you use use strict, it becomes easier to write "secure" JavaScript.

What it Does:

  1. Catches Common Coding Errors: It turns some silent errors into throw errors, helping you to identify issues that would otherwise have been overlooked.
  2. Prevents Accidental Globals: Without use strict, assigning a value to an undeclared variable automatically creates a global variable. With strict mode, this will throw an error, helping you to avoid potential pitfalls in larger applications.
  3. Disables Features with Questionable Usage: Some features of JavaScript are a bit outdated or have better alternatives. Strict mode blocks these, encouraging cleaner code.

Examples

1; Silent Error:

"use strict";
x = 3.14; // This will throw an error in strict mode

2; Accidental Global Variable:

"use strict";
myFunction();

function myFunction() {
y = 3.14; // This will throw an error in strict mode
}

3; Secure Context:

"use strict";
var x = 3.14;
delete x; // This will throw an error in strict mode

Reasoning Behind It

The main reasoning behind use strict is to make JavaScript more robust and reduce the likelihood of common errors. It's particularly helpful in larger applications where such issues can be difficult to trace. It's a way to opt-in to a restricted variant of JavaScript, thus making your code cleaner and less prone to bugs.

In a nutshell, use strict is like a personal coding assistant that keeps you in check, ensuring that you're following best practices. It's like having a vigilant co-pilot while coding, especially handy for those midnight coding sessions when the coffee wears off!

I hope this sheds some light on the purpose and functionality of use strict in JavaScript. It's one of those tools in a developer's toolkit that, when used properly, can greatly enhance the quality of your code.

Happy coding!