865 lines
		
	
	
		
			52 KiB
		
	
	
	
		
			JSON
		
	
	
	
	
	
			
		
		
	
	
			865 lines
		
	
	
		
			52 KiB
		
	
	
	
		
			JSON
		
	
	
	
	
	
| {
 | |
|   "name": "ES6",
 | |
|   "order": 2,
 | |
|   "time": "5 hours",
 | |
|   "helpRoom": "Help",
 | |
|   "challenges": [
 | |
|     {
 | |
|       "id": "587d7b86367417b2b2512b3e",
 | |
|       "title": "Introduction to the ES6 Challenges",
 | |
|       "description": [
 | |
|         [
 | |
|           "",
 | |
|           "",
 | |
|           "ECMAScript is a standardized version of JavaScript with the goal of unifying the language's specifications and features. As all major browsers and JavaScript-runtimes follow this specification, the term <i>ECMAScript</i> is interchangeable with the term <i>JavaScript</i>.<br><br>Most of the challenges on freeCodeCamp use the ECMAScript 5 (ES5) specification of the language, finalized in 2009. But JavaScript is an evolving programming language. As features are added and revisions are made, new versions of the language are released for use by developers.<br><br>The most recent standardized version is called ECMAScript 6 (ES6), released in 2015. This new version of the language adds some powerful features that will be covered in this section of challenges, including:<br><br><ul><li>Arrow functions</li><li>Classes</li><li>Modules</li><li>Promises</li><li>Generators</li><li><code>let</code> and <code>const</code></li></ul><br><br><strong>Note</strong><br>Not all browsers support ES6 features. If you use ES6 in your own projects, you may need to use a program (transpiler) to convert your ES6 code into ES5 until browsers support ES6.",
 | |
|           ""
 | |
|         ]
 | |
|       ],
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeSeed": [],
 | |
|       "tests": [],
 | |
|       "type": "waypoint",
 | |
|       "challengeType": 7,
 | |
|       "isRequired": false,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b87367417b2b2512b3f",
 | |
|       "title": "Explore Problems with the var Keyword",
 | |
|       "description": [
 | |
|         "One of the biggest problems with declaring variables with the <code>var</code> keyword is that you can overwrite variable declarations without an error.",
 | |
|         "<blockquote>var camper = 'James';<br>var camper = 'David';<br>console.log(camper);<br>// logs 'David'</blockquote>",
 | |
|         "In a small application, you might not run into this type of problem, but when your code becomes larger, you might accidently overwrite a variable that you did not intend to overwrite. Because this behaviour does not throw an error, searching and fixing bugs becomes more difficult.",
 | |
|         "Another problem with the <code>var</code> keyword is that it is hoisted to the top of your code when it compiles. This means that you can use a variable before you declare it.",
 | |
|         "<blockquote>console.log(camper);<br>var camper = 'David';<br>// logs undefined</blockquote>",
 | |
|         "The code runs in the following order:",
 | |
|         "<ol><li>The variable <code>camper</code> is declared as undefined.</li><li>The value of <code>camper</code> is logged.</li><li>David is assigned to <code>camper</code>.</li></ol>",
 | |
|         "This code will run without an error.",
 | |
|         "A new keyword called <code>let</code> was introduced in ES6 to solve the problems with the <code>var</code> keyword. With the <code>let</code> keyword, all the examples we just saw will cause an error to appear. We can no longer overwrite variables or use a variable before we declare it. Some modern browsers require you to add <code>\"use strict\";</code> to the top of your code before you can use the new features of ES6.",
 | |
|         "Let's try using the <code>let</code> keyword.",
 | |
|         "<hr>",
 | |
|         "Fix the code so that it only uses the <code>let</code> keyword and makes the errors go away.",
 | |
|         "<strong>Note</strong><br>Remember to add <code>\"use strict\";</code> to the top of your code."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "var favorite = redNosedReindeer + \" is Santa's favorite reindeer.\";",
 | |
|         "var redNosedReindeer = \"Rudolph\";",
 | |
|         "var redNosedReindeer = \"Comet\";"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "assert(redNosedReindeer === \"Rudolph\", 'message: <code>redNosedReindeer</code> should be Rudolph.');",
 | |
|         "assert(favorite === \"Rudolph is Santa's favorite reindeer.\", \"message: <code>favorite</code> should return Santa's favorite reindeer.\");"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b87367417b2b2512b40",
 | |
|       "title": "Compare Scopes of the var and let Keywords",
 | |
|       "description": [
 | |
|         "When you declare a variable with the <code>var</code> keyword, it is declared globally, or locally if declared inside a function.",
 | |
|         "The <code>let</code> keyword behaves similarly, but with some extra features. When you declare a variable with the <code>let</code> keyword inside a block, statement, or expression, its scope is limited to that block, statement, or expression.",
 | |
|         "For example:",
 | |
|         "<blockquote>var numArray = [];<br>for (var i = 0; i < 3; i++) {<br>  numArray.push(i);<br>}<br>console.log(numArray);<br>// returns [0, 1, 2]<br>console.log(i);<br>// returns 3</blockquote>",
 | |
|         "With the <code>var</code> keyword, <code>i</code> is declared globally. So when <code>i++</code> is executed, it updates the global variable. This code is similiar to the following:",
 | |
|         "<blockquote>var numArray = [];<br>var i;<br>for (i = 0; i < 3; i++) {<br>  numArray.push(i);<br>}<br>console.log(numArray);<br>// returns [0, 1, 2]<br>console.log(i);<br>// returns 3</blockquote>",
 | |
|         "This behavior will cause problems if you were to create a function and store it for later use inside a for loop that uses the <code>i</code> variable. This is because the stored function will always refer to the value of the updated global <code>i</code> variable.",
 | |
|         "<blockquote>var printNumTwo;<br>for (var i = 0; i < 3; i++) {<br>  if(i === 2){<br>    printNumTwo = function() {<br>      return i;<br>    };<br>  }<br>}<br>console.log(printNumTwo());<br>// returns 3</blockquote>",
 | |
|         "As you can see, <code>printNumTwo()</code> prints 3 and not 2. This is because the value assigned to <code>i</code> was updated and the <code>printNumTwo()</code> returns the global <code>i</code> and not the value <code>i</code> had when the function was created in the for loop. The <code>let</code> keyword does not follow this behavior:",
 | |
|         "<blockquote>'use strict';<br>let printNumTwo;<br>for (let i = 0; i < 3; i++) {<br>  if (i === 2) {<br>    printNumTwo = function() {<br>      return i;<br>    };<br>  }<br>}<br>console.log(printNumTwo());<br>// returns 2<br>console.log(i);<br>// returns \"i is not defined\"</blockquote>",
 | |
|         "<code>i</code> is not defined because it was not declared in the global scope. It is only declared within the for loop statement. <code>printNumTwo()</code> returned the correct value because three different <code>i</code> variables with unique values (0, 1, and 2) were created by the <code>let</code> keyword within the loop statement.",
 | |
|         "<hr>",
 | |
|         "Fix the code so that <code>i</code> declared in the if statement is a separate variable than <code>i</code> declared in the first line of the function. Be certain not to use the <code>var</code> keyword anywhere in your code.",
 | |
|         "<strong>Note</strong><br>Remember to add <code>\"use strict\";</code> to the top of your code.",
 | |
|         "This exercise is designed to illustrate the difference between how <code>var</code> and <code>let</code> keywords assign scope to the declared variable. When programming a function similar to the one used in this exercise, it is often better to use different variable names to avoid confusion."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "function checkScope() {",
 | |
|         "  var i = \"function scope\";",
 | |
|         "  if (true) {",
 | |
|         "    i = \"block scope\";",
 | |
|         "    console.log(\"Block scope i is: \", i);",
 | |
|         "  }",
 | |
|         "  console.log(\"Function scope i is: \", i);",
 | |
|         "  return i;",
 | |
|         "}",
 | |
|         "// only change the code above this line",
 | |
|         "checkScope();"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "// TEMPORARILY COMMENTED OUT: assert(!/var/g.test(code) && /let/g.test(code), 'message: The <code>var</code> keyword should be replaced with <code>let</code>. (This test is temporarily disabled)');",
 | |
|         "assert(code.match(/(i\\s*=\\s*).*\\s*.*\\s*.*\\1('|\")block\\s*scope\\2/g), 'message: The variable <code>i</code> declared in the if statement should equal \"block scope\".');",
 | |
|         "assert(checkScope() === \"function scope\", 'message: <code>checkScope()</code> should return \"function scope\"');"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b87367417b2b2512b41",
 | |
|       "title": "Declare a Read-Only Variable with the const Keyword",
 | |
|       "description": [
 | |
|         "<code>let</code> is not the only new way to declare variables. In ES6, you can also declare variables using the <code>const</code> keyword.",
 | |
|         "<code>const</code> has all the awesome features that <code>let</code> has, with the added bonus that variables declared using <code>const</code> are read-only. They are a constant value, which means that once a variable is assigned with <code>const</code>, it cannot be reassigned.",
 | |
|         "<blockquote>\"use strict\"<br>const FAV_PET = \"Cats\";<br>FAV_PET = \"Dogs\"; // returns error</blockquote>",
 | |
|         "As you can see, trying to reassign a variable declared with <code>const</code> will throw an error. You should always name variables you don't want to reassign using the <code>const</code> keyword. This helps when you accidentally attempt to reassign a variable that is meant to stay constant. A common practice is to name your constants in all upper-cases and with an underscore to separate words (e.g. <code>EXAMPLE_VARIABLE</code>).",
 | |
|         "<hr>",
 | |
|         "Change the code so that all variables are declared using <code>let</code> or <code>const</code>. Use <code>let</code> when you want the variable to change, and <code>const</code> when you want the variable to remain constant. Also, rename variables declared with <code>const</code> to conform to common practices.",
 | |
|         "<strong>Note</strong><br>Don't forget to add <code>\"use strict\";</code> to the top of your code."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "// change 'var' to 'let' or 'const'",
 | |
|         "// rename constant variables",
 | |
|         "var pi = 3.14;",
 | |
|         "var radius = 10;",
 | |
|         "var calculateCircumference = function(r) {",
 | |
|         "  var diameter = 2 * r;",
 | |
|         "  var result = pi * diameter;",
 | |
|         "  return result;",
 | |
|         "};",
 | |
|         "// Test your code",
 | |
|         "console.log(calculateCircumference(radius));"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "// Test user replaced all var keyword",
 | |
|         "// Test PI is const",
 | |
|         "// Test calculateCircumference is const",
 | |
|         "// Test pi and calculateCircumference has been renamed"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b87367417b2b2512b42",
 | |
|       "title": "Mutate an Array Declared with const",
 | |
|       "description": [
 | |
|         "The <code>const</code> declaration has many use-cases in modern JavaScript.",
 | |
|         "Some developers prefer to assign all their variables using <code>const</code> by default, unless they know they will need to reassign the value. Only in that case, they use <code>let</code>.",
 | |
|         "However, it is important to understand that objects (including arrays and functions) assigned to a variable using <code>const</code> are still mutable. Using the <code>const</code> declaration only prevents reassignment of the variable identifier.",
 | |
|         "<blockquote>\"use strict\";<br>const s = [5, 6, 7];<br>s = [1, 2, 3]; // throws error, trying to assign a const<br>s[7] = 45; // works just as it would with an array declared with var</blockquote>",
 | |
|         "As you can see, you can mutate the object (<code>[5, 6, 7]</code>) itself and the variable identifier (<code>s</code>) will still point to the altered array. Like all arrays, the array assigned to <code>s</code> is mutable, but because <code>const</code> was used, you cannot use the variable identifier, <code>s</code>, to point to a different array using the assignment operator.",
 | |
|         "To make an object immutable, you can use <code>Object.freeze()</code>.",
 | |
|         "<hr>",
 | |
|         "An array is delcared as <code>const s = [5, 7, 2]</code>. Change the array to <code>[2, 5, 7]</code>.",
 | |
|         "<strong>Note</strong><br>Don't forget to add <code>\"use strict\";</code> to the top of your code."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "const s = [ 5, 7, 2 ];",
 | |
|         "// change code below this line",
 | |
|         "s = [2, 5, 7];",
 | |
|         "// change code above this line",
 | |
|         "// Test your code",
 | |
|         "console.log(s);"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "// Test user did not replace const keyword",
 | |
|         "// Test s is const",
 | |
|         "// Test s is sorted",
 | |
|         "// Test s is still mutable, and object freeze was not invoked"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b87367417b2b2512b43",
 | |
|       "title": "Use Arrow Functions to Write Concise Anonymous Functions",
 | |
|       "description": [
 | |
|         "In JavaScript, we often don't need to name our functions, especially when passing a function as an argument to another function. Instead, we create inline functions. We don't need to name these functions because we do not reuse them anywhere else.",
 | |
|         "To achieve this, we often use the following syntax:",
 | |
|         "<blockquote>const myFunc = function() {<br>  const myVar = \"value\";<br>  return myVar;<br>}</blockquote>",
 | |
|         "ES6 provides us with the syntactic sugar to not have to write anonymous functions this way. Instead, you can use <strong>arrow function syntax</strong>:",
 | |
|         "<blockquote>const myFunc = () => {<br>  const myVar = \"value\";<br>  return myVar;<br>}</blockquote>",
 | |
|         "When there is no function body, and only a return value, arrow function syntax allows you to omit the keyword <code>return</code> as well as the brackets surrounding the code. This helps simplify smaller functions into one-line statements:",
 | |
|         "<blockquote>const myFunc= () => \"value\"</blockquote>",
 | |
|         "This code will still return <code>value</code> by default.",
 | |
|         "<hr>",
 | |
|         "Rewrite the function assigned to the variable <code>magic</code> which returns a new <code>Date()</code> to use arrow function syntax. Also make sure nothing is defined using the keyword <code>var</code>.",
 | |
|         "Note",
 | |
|         "Don't forget to use strict mode."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "// change code below this line",
 | |
|         "var magic = function() {",
 | |
|         "  return new Date();",
 | |
|         "}",
 | |
|         "// change code above this line",
 | |
|         "// test your code",
 | |
|         "console.log(magic());"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "// Test user did replace var keyword",
 | |
|         "// Test magic is const",
 | |
|         "// Test magic is a function",
 | |
|         "// Test magic() returns the correct date",
 | |
|         "// Test function keyword was not used",
 | |
|         "// Test arrow => was used"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b88367417b2b2512b44",
 | |
|       "title": "Write Arrow Functions with Parameters",
 | |
|       "description": [
 | |
|         "Just like a normal function, you can pass arguments into arrow functions.",
 | |
|         "<blockquote>// doubles input value and returns it<br>const doubler = (item) => item * 2;</blockquote>",
 | |
|         "You can pass more than one argument into arrow functions as well.",
 | |
|         "<hr>",
 | |
|         "Rewrite the <code>myConcat</code> function which appends contents of <code>arr2</code> to <code>arr1</code> so that the function uses arrow function syntax.",
 | |
|         "Note",
 | |
|         "Don't forget to use strict mode."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "// change code below this line",
 | |
|         "var myConcat = function(arr1, arr2) {",
 | |
|         "  return arr1.concat(arr2);",
 | |
|         "}",
 | |
|         "// change code above this line",
 | |
|         "// test your code",
 | |
|         "console.log(myConcat([1, 2], [3, 4, 5]));"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "// Test user did replace var keyword",
 | |
|         "// Test myConcat is const",
 | |
|         "// Test myConcat is a function",
 | |
|         "// Test myConcat() returns the correct array",
 | |
|         "// Test function keyword was not used",
 | |
|         "// Test arrow => was used"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b88367417b2b2512b45",
 | |
|       "title": "Write Higher Order Arrow Functions",
 | |
|       "description": [
 | |
|         "It's time we see how powerful arrow functions are when processing data.",
 | |
|         "Arrow functions work really well with higher order functions, such as <code>map()</code>, <code>filter()</code>, and <code>reduce()</code>, that take other functions as arguments for processing collections of data.",
 | |
|         "Read the following code:",
 | |
|         "<blockquote>FBPosts.filter(function(post) {<br>  return post.thumbnail !== null && post.shares > 100 && post.likes > 500;<br>})</blockquote>",
 | |
|         "We have written this with <code>filter()</code> to at least make it somewhat readable. Now compare it to the following code which uses arrow function syntax instead:",
 | |
|         "<blockquote>FBPosts.filter((post) => post.thumbnail !== null && post.shares > 100 && post.likes > 500)</blockquote>",
 | |
|         "This code is more succinct and accomplishes the same task with fewer lines of code.",
 | |
|         "<hr>",
 | |
|         "Use arrow function syntax to compute the square of only the positive integers (fractions are not integers) in the array <code>realNumberArray</code> and store the new array in the variable <code>squaredIntegers</code>.",
 | |
|         "Note",
 | |
|         "Don't forget to use strict mode."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "const realNumberArray = [4, 5.6, -9.8, 3.14, 42, 6, 8.34];",
 | |
|         "// change code below this line",
 | |
|         "var squaredIntegers = realNumberArray;",
 | |
|         "// change code above this line",
 | |
|         "// test your code",
 | |
|         "console.log(squaredIntegers);"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "// Test user did replace var keyword",
 | |
|         "// Test squaredIntegers is const",
 | |
|         "// Test squaredIntegers is an array",
 | |
|         "// Test squaredIntegers is [16, 1764, 36]",
 | |
|         "// Test function keyword was not used",
 | |
|         "// Test arrow => was used",
 | |
|         "// Test loop was not used",
 | |
|         "// Test map and filter were used"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b88367417b2b2512b46",
 | |
|       "title": "Set Default Parameters for Your Functions",
 | |
|       "description": [
 | |
|         "In order to help us create more flexible functions, ES6 introduces <dfn>default parameters</dfn> for functions.",
 | |
|         "Check out this code:",
 | |
|         "<blockquote>function greeting(name = \"Anonymous\") {<br>  return \"Hello \" + name;<br>}<br>console.log(greeting(\"John\")); // Hello John<br>console.log(greeting()); // Hello Anonymous</blockquote>",
 | |
|         "The default parameter kicks in when the argument is not specified (it is undefined). As you can see in the example above, the parameter <code>name</code> will receive its default value <code>\"Anonymous\"</code> when you do not provide a value for the parameter. You can add default values for as many parameters as you want.",
 | |
|         "<hr>",
 | |
|         "Modify the function <code>increment</code> by adding default parameters so it will always return a valid number and it will add 1 to <code>number</code> if <code>value</code> is not specified.",
 | |
|         "<strong>Note</strong><br>Don't forget to use strict mode."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "function increment(number, value) {",
 | |
|         "    return number + value;",
 | |
|         "}",
 | |
|         "console.log(increment(5, 2)); // returns 7",
 | |
|         "console.log(increment(5)); // returns NaN"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "assert(increment(5, 2) === 7, \"The result of increment(5, 2) should be 7\");",
 | |
|         "assert(increment(5) === 6, \"The result of increment(5) should be 6\");",
 | |
|         "// Test default parameter was used for 'value'"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b88367417b2b2512b47",
 | |
|       "title": "Use the Rest Operator with Function Parameters",
 | |
|       "description": [
 | |
|         "In order to help us create more flexible functions, ES6 introduces the <dfn>rest operator</dfn> for function parameters. With the rest operator, you can create functions that take a variable number of arguments. These arguments are stored in an array that can be accessed later from inside the function.",
 | |
|         "Check out this code:",
 | |
|         "<blockquote>function howMany(...args) {<br>  return \"You have passed \" + args.length + \" arguments.\";<br>}<br>console.log(howMany(0, 1, 2)); // You have passed 3 arguments<br>console.log(howMany(\"string\", null, [1, 2, 3], { })); // You have passed 4 arguments.</blockquote>",
 | |
|         "The rest operator eliminates the need to check the <code>args</code> array and allows us to apply <code>map()</code>, <code>filter()</code> and <code>reduce()</code> on the parameters array.",
 | |
|         "<hr>",
 | |
|         "Modify the function <code>sum</code> so that is uses the rest operator and it works in the same way with any number of parameters.",
 | |
|         "<strong>Note</strong><br>Don't forget to use strict mode."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "function sum(x, y, z) {",
 | |
|         "    const array = [ x, y, z ];",
 | |
|         "    return array.reduce((a, b) => a + b, 0);",
 | |
|         "}",
 | |
|         "console.log(sum(1, 2, 3)); // 6"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "assert(sum(0,1,2) === 3, 'The result of sum(0,1,2) should be 3');",
 | |
|         "assert(sum(1,2,3,4) === 10, 'The result of sum(1,2,3,4) should be 10');",
 | |
|         "assert(sum(5) === 5, 'The result of sum(5) should be 5');",
 | |
|         "assert(sum() === 0, 'The result of sum() should be 0');"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b89367417b2b2512b48",
 | |
|       "title": "Use the Spread Operator to Evaluate Arrays In-Place",
 | |
|       "description": [
 | |
|         "ES6 introduces the <dfn>spread operator</dfn>, which allows us to expand arrays and other expressions in places where multiple parameters or elements are expected.",
 | |
|         "The ES5 code below uses <code>apply()</code> to compute the maximum value in an array:",
 | |
|         "<blockquote>var arr = [6, 89, 3, 45];<br>var maximus = Math.max.apply(null, arr); // returns 89</blockquote>",
 | |
|         "We had to use <code>Math.max.apply(null, arr)</code> because <code>Math.max(arr)</code> returns <code>NaN</code>. <code>Math.max()</code> expects comma-separated arguments, but not an array.",
 | |
|         "The spread operator makes this syntax much better to read and maintain.",
 | |
|         "<blockquote>const arr = [6, 89, 3, 45];<br>const maximus = Math.max(...arr); // returns 89</blockquote>",
 | |
|         "<code>...arr</code> returns an unpacked array. In other words, it <em>spreads</em> the array.",
 | |
|         "However, the spread operator only works in-place, like in an argument to a function or in an array literal. The following code will not work:",
 | |
|         "<blockquote>const spreaded = ...arr; // will throw a syntax error</blockquote>",
 | |
|         "<hr>",
 | |
|         "Copy all contents of <code>arr1</code> into another array <code>arr2</code> using the spread operator."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "const arr1 = ['JAN', 'FEB', 'MAR', 'APR', 'MAY'];",
 | |
|         "const arr2 = [];",
 | |
|         "// change code below this line",
 | |
|         "// change code above this line",
 | |
|         "arr1.push('JUN');",
 | |
|         "console.log(arr2); // arr2 should not be affected"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "// Test arr2 is correct copy of arr1",
 | |
|         "// Test arr1 has changed",
 | |
|         "// Test spread operator was used"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b89367417b2b2512b49",
 | |
|       "title": "Use Destructuring Assignment to Assign Variables from Objects",
 | |
|       "description": [
 | |
|         "We earlier saw how spread operator can effectively spread, or unpack, the contents of the array.",
 | |
|         "We can do something similar with objects as well. <dfn>Destructuring assignment</dfn> is special syntax for neatly assigning values taken directly from an object to variables.",
 | |
|         "Consider the following ES5 code:",
 | |
|         "<blockquote>var voxel = {x: 3.6, y: 7.4, z: 6.54 };<br>var x = voxel.x; // x = 3.6<br>var y = voxel.y; // y = 7.4<br>var z = voxel.z; // z = 6.54</blockquote>",
 | |
|         "Here's the same assignment statement with ES6 destructuring syntax:",
 | |
|         "<blockquote>const { x, y, z } = voxel; // x = 3.6, y = 7.4, z = 6.54</blockquote>",
 | |
|         "If instead you want to store the values of <code>voxel.x</code> into <code>a</code>, <code>voxel.y</code> into <code>b</code>, and <code>voxel.z</code> into <code>c</code>, you have that freedom as well.",
 | |
|         "<blockquote>const { x : a, y : b, z : c } = voxel // a = 3.6, b = 7.4, c = 6.54</blockquote>",
 | |
|         "You may read it as \"get the field <code>x</code> and copy the value into <code>a</code>,\" and so on.",
 | |
|         "<hr>",
 | |
|         "Use destructuring to obtain the length of the string <code>greeting</code>"
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "const greeting = 'itadakimasu';",
 | |
|         "// change code below this line",
 | |
|         "const length = 0; // change this",
 | |
|         "// change code above this line",
 | |
|         "console.log(length); // should be using destructuring"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "// Test len is 11",
 | |
|         "// Test destructuring was used"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b89367417b2b2512b4a",
 | |
|       "title": "Use Destructuring Assignment to Assign Variables from Nested Objects",
 | |
|       "description": [
 | |
|         "We can similarly destructure <em>nested</em> objects into variables.",
 | |
|         "Consider the following code:",
 | |
|         "<blockquote>const a = {<br>  start: { x: 5, y: 6},<br>  end: { x: 6, y: -9 }<br>};<br>const { start : { x: startX, y: startY }} = a;<br>console.log(startX, startY); // 5, 6</blockquote>",
 | |
|         "In the example above, the variable <code>start</code> is assigned the value of <code>a.start</code>, which is also an object.",
 | |
|         "<hr>",
 | |
|         "Use destructuring assignment to obtain <code>max</code> of <code>forecast.tomorrow</code> and assign it to <code>maxOfTomorrow</code>."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "const forecast = {",
 | |
|         "  today: { min: 72, max: 83 },",
 | |
|         "  tomorrow: { min: 73.3, max: 84.6 }",
 | |
|         "};",
 | |
|         "// change code below this line",
 | |
|         "const maxOfTomorrow = undefined; // change this line",
 | |
|         "// change code above this line",
 | |
|         "console.log(maxOfTomorrow); // should be 84.6"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "// Test maxOfTomorrow to be 84.6",
 | |
|         "// Test destructuring was used"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b89367417b2b2512b4b",
 | |
|       "title": "Use Destructuring Assignment to Assign Variables from Arrays",
 | |
|       "description": [
 | |
|         "ES6 makes destructuring arrays as easy as destructuring objects.",
 | |
|         "One key difference between the spread operator and array destructuring is that the spread operator unpacks all contents of an array into a comma-separated list. Consequently, you cannot pick and choose which elements or you want to assign to variables.",
 | |
|         "Destructuring an array lets us do exactly that:",
 | |
|         "<blockquote>const [a, b] = [1, 2, 3, 4, 5, 6];<br>console.log(a, b); // 1, 2</blockquote>",
 | |
|         "The variable <code>a</code> is assigned the first value of the array, and <code>b</code> is assigned the second value of the array.",
 | |
|         "We can also access the value at any index in an array with destructuring by using commas to reach the desired index:",
 | |
|         "<blockquote>const [a, b,,, c] = [1, 2, 3, 4, 5, 6];<br>console.log(a, b, c); // 1, 2, 5 </blockquote>",
 | |
|         "<hr>",
 | |
|         "Use destructuring assignment to swap the values of <code>a</code> and <code>b</code> so that <code>a</code> receives the value stored in <code>b</code>, and <code>b</code> receives the value stored in <code>a</code>."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "let a = 8, b = 6;",
 | |
|         "// change code below this line",
 | |
|         "",
 | |
|         "// change code above this line",
 | |
|         "console.log(a); // should be 6",
 | |
|         "console.log(b); // should be 8"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "assert(a === 6, 'message: Value of <code>a</code> should be 6, after swapping.');",
 | |
|         "assert(b === 8, 'message: Value of <code>b</code> should be 8, after swapping.');",
 | |
|         "// assert(/\\[\\s*(\\w)\\s*,\\s*(\\w)\\s*\\]\\s*=\\s*\\[\\s*\\2\\s*,\\s*\\1\\s*\\]/g.test(code), 'message: Use array destructuring to swap a and b.');"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b8a367417b2b2512b4c",
 | |
|       "title": "Use Destructuring Assignment with the Rest Operator to Reassign Array Elements",
 | |
|       "description": [
 | |
|         "In some situations involving array destructuring, we might want to collect the rest of the elements into a separate array.",
 | |
|         "The result is similar to <code>Array.prototype.slice()</code>, as shown below:",
 | |
|         "<blockquote>const [a, b, ...arr] = [1, 2, 3, 4, 5, 7];<br>console.log(a, b); // 1, 2<br>console.log(arr); // [3, 4, 5, 7]</blockquote>",
 | |
|         "Variables <code>a</code> and <code>b</code> take the first and second values from the array. After that, because of rest operator's presence, <code>arr</code> gets rest of the values in the form of an array.",
 | |
|         "The rest element only works correctly as the last variable in the list. As in, you cannot use the rest operator to catch a subarray that leaves out last element of the original array.",
 | |
|         "<hr>",
 | |
|         "Use destructuring assignment with the rest operator to perform an effective <code>Array.prototype.slice()</code> so that <code>arr</code> is a sub-array of the original array <code>source</code> with the first two elements ommitted."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "const source = [1,2,3,4,5,6,7,8,9,10];",
 | |
|         "// change code below this line",
 | |
|         "const arr = source; // change this",
 | |
|         "// change code below this line",
 | |
|         "console.log(arr); // should be [3,4,5,6,7,8,9,10]",
 | |
|         "console.log(source); // should be [1,2,3,4,5,6,7,8,9,10];"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "// Test arr is [3,4,5,6,7,8,9,10];",
 | |
|         "// Test source is [1,2,3,4,5,6,7,8,9,10];",
 | |
|         "// Test destructuring was used",
 | |
|         "// Test slice was not used"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b8a367417b2b2512b4d",
 | |
|       "title": "Use Destructuring Assignment to Pass an Object as a Function's Parameters",
 | |
|       "description": [
 | |
|         "In some cases, you can destructure the object in a function argument itself.",
 | |
|         "Consider the code below:",
 | |
|         "<blockquote>const profileUpdate = (profileData) => {<br>  const { name, age, nationality, location } = profileData;<br>  // do something with these variables<br>}</blockquote>",
 | |
|         "This effectively destructures the object sent into the function. This can also be done in-place:",
 | |
|         "<blockquote>const profileUpdate = ({ name, age, nationality, location }) => {<br>  /* do something with these fields */<br>}</blockquote>",
 | |
|         "This removes some extra lines and makes our code look neat.",
 | |
|         "This has the added benefit of not having to manipulate an entire object in a function; only the fields that are needed are copied inside the function.",
 | |
|         "<hr>",
 | |
|         "Use destructuring assignment within the argument to the function <code>half</code> to send only <code>max</code> and <code>min</code> inside the function."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "const stats = {",
 | |
|         "  max: 56.78,",
 | |
|         "  standard_deviation: 4.34,",
 | |
|         "  median: 34.54,",
 | |
|         "  mode: 23.87,",
 | |
|         "  min: -0.75,",
 | |
|         "  average: 35.85",
 | |
|         "};",
 | |
|         "// change code below this line",
 | |
|         "const half = (stats) => ((stats.max + stats.min) / 2.0); // use function argument destructurung",
 | |
|         "// change code above this line",
 | |
|         "console.log(stats); // should be object",
 | |
|         "console.log(half(stats)); // should be 28.015"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "// Test stats is an object",
 | |
|         "// Test half is 28.015",
 | |
|         "// Test destructuring was used"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b8a367417b2b2512b4e",
 | |
|       "title": "Interpolate a String Using Backquotes",
 | |
|       "description": [
 | |
|         "A new feature of ES6 or ES2015, is that it allows you to use string interpolation with back-ticks.",
 | |
|         "Consider the code below",
 | |
|         "<code>const text = 'Hello World';</code>",
 | |
|         "<code>// string interpolation</code>",
 | |
|         "<code>const divText = `</code>",
 | |
|         "<code><div></code>",
 | |
|         "<code>   ${text}</code>",
 | |
|         "<code></div></code>",
 | |
|         "<code>console.log(divText); // prints </code>",
 | |
|         "<code>//<div></code>",
 | |
|         "<code>// Hello World</code>",
 | |
|         "<code>//</div></code>",
 | |
|         "A lot of thing happened in there.",
 | |
|         "First, the ${variable} syntax. It's a template literal. Basically, you won't have to use concatenation with + anymore. Just drop the variable in your string, wrapped with ${ and }.",
 | |
|         "Second, we used backticks, not quotes, to wrap around the string. Notice that the string is multi-line.",
 | |
|         "In ES6, back-ticks give you more robust string creation ability.",
 | |
|         "Instructions",
 | |
|         "Use proper template literal syntax with backticks.",
 | |
|         "The expected output is each entry of result object's failure array, wrapped inside an <li> element, with class attribute text-warning.",
 | |
|         "If you have trouble finding backticks, it's the ` key, to the left of your 1; and has ~ on it."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "const result = {",
 | |
|         "    success: ['max_length', 'no-amd', 'prefer-arrow-functions'],",
 | |
|         "    failure: ['no-var', 'var-on-top', 'linebreak'],",
 | |
|         "    skipped: ['id-blacklist', 'no-dup-keys']",
 | |
|         "}",
 | |
|         "/* Alter code below this line */",
 | |
|         "const resultDisplay = undefined;",
 | |
|         "/* Alter code above this line */",
 | |
|         "console.log(resultDisplay);",
 | |
|         "/**",
 | |
|         " * ",
 | |
|         " * should look like this",
 | |
|         " * <li class=\"text-warning\">no-var</li>",
 | |
|         " *  <li class=\"text-warning\">var-on-top</li>",
 | |
|         " *  <li class=\"text-warning\">linebreak</li>",
 | |
|         " **/"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "// Test resultDisplay is a string",
 | |
|         "// Test resultDisplay is the desired output",
 | |
|         "// Test template strings were used"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b8a367417b2b2512b4f",
 | |
|       "title": "Write Concise Object Literal Declarations Using Simple Fields",
 | |
|       "description": [
 | |
|         "ES6 adds some nice support for removing boiler-plate from object literals declaration.",
 | |
|         "Consider the following:",
 | |
|         "<code>const getMousePosition = (x, y) => {</code>",
 | |
|         "<code>   return {</code>",
 | |
|         "<code>      x: x,</code>",
 | |
|         "<code>      y: y</code>",
 | |
|         "<code>   } </code>",
 | |
|         "<code>}</code>",
 | |
|         "It's a simple function that returns an object, which has two fields.",
 | |
|         "ES6 provides a syntactic sugar to remove the redundancy from having to write x: x. You can simply write x once, and it would convert that to x : x (or some equivalent of it) under the hood.",
 | |
|         "The code now becomes:",
 | |
|         "<code>const getMousePosition = (x, y) => ({x, y})</code>",
 | |
|         "Instructions",
 | |
|         "Use object literal simplification to create and return a Person object"
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "/* Alter code below this line */",
 | |
|         "const createPerson = (name, age, gender) => {",
 | |
|         "    return {",
 | |
|         "        name: name,",
 | |
|         "        age: age,",
 | |
|         "        gender: gender",
 | |
|         "    }",
 | |
|         "}",
 | |
|         "/* Alter code above this line */",
 | |
|         "console.log(createPerson('Zodiac Hasbro', 56, 'male')); // returns a proper object"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "// Test the output is {name: \"Zodiac Hasbro\", age: 56, gender: \"male\"}",
 | |
|         "// Test no : was present"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b8b367417b2b2512b50",
 | |
|       "title": "Write Concise Declarative Functions with ES6",
 | |
|       "description": [
 | |
|         "With ES6, it's possible to remove the keyword function as follows, from object literals:",
 | |
|         "<blockquote>const Container extends Component {<br>  render: function() {<br>    return {<br>      Container<br>    }<br>  }<br>}</blockquote>",
 | |
|         "We can remove the function keyword and colon (:) altogether - and get this:",
 | |
|         "<blockquote>const Container extends Component {<br>  render() {<br>    return {<br>      Container<br>    }<br>  }<br>}</blockquote>",
 | |
|         "Instructions",
 | |
|         "Use object literal simplification to create and return a Person object"
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "/* Alter code below this line */",
 | |
|         "const Person = (name, age, gender) => {",
 | |
|         "    return {",
 | |
|         "        name: name,",
 | |
|         "        age: age,",
 | |
|         "        gender: gender,",
 | |
|         "        sendFriendRequest: function(person){",
 | |
|         "            console.log(`Sending request to ${person.name}`);",
 | |
|         "        }",
 | |
|         "    }",
 | |
|         "}",
 | |
|         "/* Alter code above this line */",
 | |
|         "const zod = Person(\"Zodiac Hasbro\", 56, 'male');",
 | |
|         "const yan = Person(\"Yanoshi Mimoto\", 55, 'male');",
 | |
|         "zod.sendFriendRequest(yan);"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "// Test the output is Sending request to Yanoshi Mimoto",
 | |
|         "// Test no : was present"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b8b367417b2b2512b53",
 | |
|       "title": "Use class Syntax to Define a Constructor Function",
 | |
|       "description": [
 | |
|         "ES6 provides a new syntax to help create objects, using the keyword <dfn>class</dfn>.",
 | |
|         "This is to be noted, that the <code>class</code> syntax is just a syntax, and not a full-fledged class based implementation of object oriented paradigm, unlike in languages like Java, or Python, or Ruby etc.",
 | |
|         "In ES5, we usually define a constructor function, and use the <code>new</code> keyword to instantiate an object.",
 | |
|         "<blockquote>var SpaceShuttle = function(targetPlanet){<br>  this.targetPlanet = targetPlanet;<br>}<br>var zeus = new spaceShuttle('Jupiter');</blockquote>",
 | |
|         "The class syntax simply replaces the constructor function creation:",
 | |
|         "<blockquote>class SpaceShuttle {<br>  constructor(targetPlanet){<br>    this.targetPlanet = targetPlanet;<br>  }<br>}<br>const zeus = new spaceShuttle('Jupiter');</blockquote>",
 | |
|         "Notice that the <code>class</code> keyword declares a new function, and a constructor was added, which would be invoked when <code>new</code> is called - to create a new object.",
 | |
|         "<hr>",
 | |
|         "Use <code>class</code> keyword and write a proper constructor to create the <code>Vegetable</code> class.",
 | |
|         "The <code>Vegetable</code> lets you create a vegetable object, with a property <code>name</code>, to be passed to constructor."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "/* Alter code below this line */",
 | |
|         "const Vegetable = undefined;",
 | |
|         "/* Alter code above this line */",
 | |
|         "const carrot = new Vegetable('carrot');",
 | |
|         "console.log(carrot.name); // => should be 'carrot'"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "// Test the Vegetable is a class",
 | |
|         "// Test that class keyword was used",
 | |
|         "// Test that other objects could be created with the class"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b8c367417b2b2512b54",
 | |
|       "title": "Use getters and setters to Control Access to an Object",
 | |
|       "description": [
 | |
|         "You can obtain values from an object, and set a value of a property within an object.",
 | |
|         "These are classically called <dfn>getters</dfn> and <dfn>setters</dfn>.",
 | |
|         "Getter functions are meant to simply return (get) the value of an object's private variable to the user without the user directly accessing the private variable.",
 | |
|         "Setter functions are meant to modify (set) the value of an object's private variable based on the value passed into the setter function. This change could involve calculations, or even overwriting the previous value completely.",
 | |
|         "<blockquote>class Book {<br>  constructor(author) {<br>    this._author = author;<br>  }<br>  // getter<br>  get writer(){<br>    return this._author;<br>  }<br>  // setter<br>  set writer(updatedAuthor){<br>    this._author = updatedAuthor;<br>  }<br>}<br>const lol = new Book('anonymous');<br>console.log(lol.writer);<br>lol.writer = 'wut';<br>console.log(lol.writer);</blockquote>",
 | |
|         "Notice the syntax we are using to invoke the getter and setter - as if they are not even functions.",
 | |
|         "Getters and setters are important, because they hide internal implementation details.",
 | |
|         "<hr>",
 | |
|         "Use <code>class</code> keyword to create a Thermostat class. The constructor accepts Farenheit temperature.",
 | |
|         "Now create <code>getter</code> and <code>setter</code> in the class, to obtain the temperature in Celsius scale.",
 | |
|         "Remember that <code>F = C * 9.0 / 5 + 32</code>, where F is the value of temperature in Fahrenheit scale, and C is the value of the same temperature in Celsius scale",
 | |
|         "Note",
 | |
|         "When you implement this, you would be tracking the temperature inside the class in one scale - either Fahrenheit or Celsius.",
 | |
|         "This is the power of getter or setter - you are creating an API for another user, who would get the correct result, no matter which one you track.",
 | |
|         "In other words, you are abstracting implementation details from the consumer."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "/* Alter code below this line */",
 | |
|         "const Thermostat = undefined;",
 | |
|         "/* Alter code above this line */",
 | |
|         "const thermos = new Thermostat(76); // setting in Farenheit scale",
 | |
|         "let temp = thermos.temperature; // 24.44 in C",
 | |
|         "thermos.temperature = 26;",
 | |
|         "temp = thermos.temperature; // 26 in C"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "// Test the Thermostat is a class",
 | |
|         "// Test that class keyword was used",
 | |
|         "// Test that other objects could be created with the class"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b8c367417b2b2512b55",
 | |
|       "title": "Understand the Differences Between import and require",
 | |
|       "description": [
 | |
|         "In the past, the function <code>require()</code> would be used to import the functions and code in external files and modules. While handy, this presents a problem: some files and modules are rather large, and you may only need certain code from those external resources.",
 | |
|         "ES6 gives us a very handy tool known as <dfn>import</dfn>. With it, we can choose which parts of a module or file to load into a given file, saving time and memory.",
 | |
|         "Consider the following example. Imagine that <code>math_array_functions</code> has about 20 functions, but I only need one, <code>countItems</code>, in my current file. The old <code>require()</code> approach would force me to bring in all 20 functions. With this new <code>import</code> syntax, I can bring in just the desired function, like so:",
 | |
|         "<blockquote>import { countItems } from \"math_array_functions\"</blockquote>",
 | |
|         "A description of the above code:",
 | |
|         "<blockquote>import { function } from \"file_path_goes_here\"<br>// We can also import variables the same way!</blockquote>",
 | |
|         "There are a few ways to write an <code>import</code> statement, but the above is a very common use-case.",
 | |
|         "<strong>Note</strong><br>the whitespace surrounding the function inside the curly braces is a best practice - it makes it easier to read the <code>import</code> statement.",
 | |
|         "<strong>Note</strong><br>The lessons in this section handle non-browser features. <code>import</code>, and the statements we introduce in the rest of these lessons, won't work on a browser directly, However, we can use various tools to create code out of this to make it work in browser.",
 | |
|         "<hr>",
 | |
|         "Add the appropriate <code>import</code> statement that will allow the current file to use the <code>capitalizeString</code> function. The file where this function lives is called <code>\"string_functions\"</code>, and it is in the same directory as the current file."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "capitalizeString(\"hello!\");"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "assert(code.match(/import\\s+\\{\\s?capitalizeString\\s?\\}\\s+from\\s+\"string_functions\"/ig)"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b8c367417b2b2512b56",
 | |
|       "title": "Use export to Reuse a Code Block",
 | |
|       "description": [
 | |
|         "In the previous challenge, you learned about <code>import</code> and how it can be leveraged to import small amounts of code from large files. In order for this to work, though, we must utilize one of the statements that goes with <code>import</code>, known as <dfn>export</dfn>. When we want some code - a function, or a variable - to be usable in another file, we must export it in order to import it into another file. Like <code>import</code>, <code>export</code> is a non-browser feature.",
 | |
|         "The following is what we refer to as a <dfn>named export</dfn>. With this, we can import any code we export into another file with the <code>import</code> syntax you learned in the last lesson. Here's an example:",
 | |
|         "<blockquote>const capitalizeString = (string) => {<br>  return string.charAt(0).toUpperCase() + string.slice(1);<br>}<br>export { capitalizeString } //How to export functions.<br>export const foo = \"bar\"; //How to export variables.</blockquote>",
 | |
|         "Alternatively, if you would like to compact all your <code>export</code> statements into one line, you can take this approach:",
 | |
|         "<blockquote>const capitalizeString = (string) => {<br>  return string.charAt(0).toUpperCase() + string.slice(1);<br>}<br>const foo = \"bar\";<br>export { capitalizeString, bar }</blockquote>",
 | |
|         "Either approach is perfectly acceptable.",
 | |
|         "<hr>",
 | |
|         "Below are two variables that I want to make available for other files to use. Utilizing the first way I demonstrated <code>export</code>, export the two variables."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "const foo = \"bar\";",
 | |
|         "const boo = \"far\";"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "assert(code.match(/export\\s+const\\s+foo\\s+=+\\s\"bar\"/ig))",
 | |
|         "assert(code.match(/export\\s+const\\s+boo\\s+=+\\s\"far\"/ig))"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b8c367417b2b2512b57",
 | |
|       "title": "Use * to Import Everything from a File",
 | |
|       "description": [
 | |
|         "Suppose you have a file that you wish to import all of its contents into the current file. This can be done with the <dfn>import *</dfn> syntax.",
 | |
|         "Here's an example where the contents of a file named <code>\"math_functions\"</code> are imported into a file in the same directory:",
 | |
|         "<blockquote>import * as myMathModule from \"math_functions\"<br>myMathModule.add(2,3);<br>myMathModule.subtract(5,3);</blockquote>",
 | |
|         "And breaking down that code:",
 | |
|         "<blockquote>import * as object_with_name_of_your_choice from \"file_path_goes_here\"<br>object_with_name_of_your_choice.imported_function</blockquote>",
 | |
|         "You may use any name following the <code>import *</code> as portion of the statement. In order to utilize this method, it requires an object that receives the imported values. From here, you will use the dot notation to call your imported values.",
 | |
|         "<hr>",
 | |
|         "The code below requires the contents of a file, <code>\"capitalize_strings\"</code>, found in the same directory as it, imported. Add the appropriate <code>import *</code> statement to the top of the file, using the object provided."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "myStringModule.capitalize(\"foo\");",
 | |
|         "myStringModule.lowercase(\"Foo\");"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "assert(code.match(/import\\s+\\*\\s+as\\s+myStringModule\\s+from\\s+\"capitalize_strings\"/ig))"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b8c367417b2b2512b58",
 | |
|       "title": "Create an Export Fallback with export default",
 | |
|       "description": [
 | |
|         "In the <code>export</code> lesson, you learned about the syntax referred to as a <dfn>named export</dfn>. This allowed you to make multiple functions and variables available for use in other files.",
 | |
|         "There is another <code>export</code> syntax you need to know, known as <dfn>export default</dfn>. Usually you will use this syntax if only one value is being exported from a file. It is also used to create a fallback value for a file or module.",
 | |
|         "Here is a quick example of <code>export default</code>:",
 | |
|         "<blockquote>export default const add = (x,y) => {<br>  return x + y;<br>}</blockquote>",
 | |
|         "There is a one major feature of <code>export default</code> you must never forget - since it is used to declare a fallback value for a module or file, you can only have one value be a default export in each module or file.",
 | |
|         "<hr>",
 | |
|         "The following function should be the fallback value for the module. Please add the necessary code to do so."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "const subtract = (x,y) => {return x - y;}"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "assert(code.match(/export\\s+default\\s+const\\s+subtract\\s+=\\s+\\(x,y\\)\\s+=>\\s+{return\\s+x\\s-\\s+y;}/ig))"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     },
 | |
|     {
 | |
|       "id": "587d7b8d367417b2b2512b59",
 | |
|       "title": "Import a Default Export",
 | |
|       "description": [
 | |
|         "In the last challenge, you learned about <code>export default</code> and its uses. It is important to note that, to import a default export, you need to use a different <code>import</code> syntax.",
 | |
|         "In the following example, we have a function, <code>add</code>, that is the default export of a file, <code>\"math_functions\"</code>. Here is how to import it:",
 | |
|         "<blockquote>import add from \"math_functions\";<br>add(5,4); //Will return 9</blockquote>",
 | |
|         "The syntax differs in one key place - the imported value, <code>add</code>, is not surrounded by curly braces, <code>{}</code>. Unlike exported values, the primary method of importing a default export is to simply write the value's name after <code>import</code>.",
 | |
|         "<hr>",
 | |
|         "In the following code, please import the default export, <code>subtract</code>, from the file <code>\"math_functions\"</code>, found in the same directory as this file."
 | |
|       ],
 | |
|       "challengeSeed": [
 | |
|         "subtract(7,4);"
 | |
|       ],
 | |
|       "tests": [
 | |
|         "assert(code.match(/import\\s+subtract\\s+from\\s+\"math_functions\"/ig))"
 | |
|       ],
 | |
|       "type": "waypoint",
 | |
|       "releasedOn": "Feb 17, 2017",
 | |
|       "challengeType": 1,
 | |
|       "translations": {}
 | |
|     }
 | |
|   ]
 | |
| }
 |