* fix: convert js algorithms and data structures * fix: revert some blocks back to blockquote * fix: reverted comparison code block to blockquotes * fix: change js to json Co-Authored-By: Oliver Eyton-Williams <ojeytonwilliams@gmail.com> * fix: convert various section to triple backticks * fix: Make the formatting consistent for comparisons
2.7 KiB
id, title, challengeType
id | title | challengeType |
---|---|---|
587d7b87367417b2b2512b3f | Explore Differences Between the var and let Keywords | 1 |
Description
var
keyword is that you can overwrite variable declarations without an error.
var camper = 'James';
var camper = 'David';
console.log(camper);
// logs 'David'
As you can see in the code above, the camper
variable is originally declared as James
and then overridden to be David
.
In a small application, you might not run into this type of problem, but when your code becomes larger, you might accidentally overwrite a variable that you did not intend to overwrite.
Because this behavior does not throw an error, searching and fixing bugs becomes more difficult.
A new keyword called let
was introduced in ES6 to solve this potential issue with the var
keyword.
If you were to replace var
with let
in the variable declarations of the code above, the result would be an error.
let camper = 'James';
let camper = 'David'; // throws an error
This error can be seen in the console of your browser.
So unlike var
, when using let
, a variable with the same name can only be declared once.
Note the "use strict"
. This enables Strict Mode, which catches common coding mistakes and "unsafe" actions. For instance:
"use strict";
x = 3.14; // throws an error because x is not declared
Instructions
let
keyword.
Tests
tests:
- text: <code>var</code> does not exist in code.
testString: getUserInput => assert(!getUserInput('index').match(/var/g),'<code>var</code> does not exist in code.');
- text: <code>catName</code> should be <code>Oliver</code>.
testString: assert(catName === "Oliver", '<code>catName</code> should be <code>Oliver</code>.');
- text: <code>quote</code> should be <code>"Oliver says Meow!"</code>
testString: assert(quote === "Oliver says Meow!", '<code>quote</code> should be <code>"Oliver says Meow!"</code>');
Challenge Seed
var catName;
var quote;
function catTalk() {
"use strict";
catName = "Oliver";
quote = catName + " says Meow!";
}
catTalk();
Solution
let catName;
let quote;
function catTalk() {
'use strict';
catName = 'Oliver';
quote = catName + ' says Meow!';
}
catTalk();