use strict mode
use strict
enforces a stricter parsing and error handling for our JavaScript code at runtime. Code errors that would otherwise have been ignored or would have failed silently will now generate errors or throw exceptions.
Using use strict
mode is a good practice.
Some benefits of using strict mode are:
Makes debugging easier. Code errors that would otherwise have been ignored or would have failed silently will now generate errors or throw exceptions, alerting you sooner to problems in your code and directing you more quickly to their source.
Prevents accidental globals. Without strict mode, assigning a value to an undeclared variable automatically creates a global variable with that name. This is one of the most common errors in JavaScript. In strict mode, attempting to do so throws an error.
Eliminates
this
coercion. Without strict mode, a reference to athis
value of null or undefined is automatically coerced to the global. This can cause many headaches and pull-out-your-hair kind of bugs. In strict mode, referencing athis
value of null or undefined throws an error.Disallows duplicate parameter values. Strict mode throws an error when it detects a duplicate named argument for a function (e.g.,
function foo(val1, val2, val1){}
), thereby catching what is almost certainly a bug in your code that you might otherwise have wasted lots of time tracking down.Note: It used to be (in ECMAScript 5) that strict mode would disallow duplicate property names (e.g.
var object = {foo: "bar", foo: "baz"};
) but as of ECMAScript 2015 this is no longer the case.
Makes eval() safer. There are some differences in the way
eval()
behaves in strict mode and in non-strict mode. Most significantly, in strict mode, variables and functions declared inside of aneval()
statement are not created in the containing scope (they are created in the containing scope in non-strict mode, which can also be a common source of problems).Throws error on invalid usage of
delete
. Thedelete
operator (used to remove properties from objects) cannot be used on non-configurable properties of the object. Non-strict code will fail silently when an attempt is made to delete a non-configurable property, whereas strict mode will throw an error in such a case.
Reference: Toptal Interview Questions
Last updated