{ "name": "System Design and Concept Questions", "order": 3, "time": "", "helpRoom": "HelpJavaScript", "challenges": [ { "id": "59874fc749228906236a3275", "title": "Array.prototype.map", "description": [ { "subtitle": "Flooring an Array", "question": "What will the following code print out?\n
const results = [1.32, 2.43, 3.9]\n  .map(Math.floor);\nconsole.log(results);1.32 2.43 3.9['1.32', '2.43', '3.9'][1, 2, 3]'1 2 3'Math.floor function which will truncate the decimal points of all the numbers and convert them to integers."
        },
        {
          "subtitle": "Custom Map Functions",
          "question": "What will the following code print out?\nconst results = ['a', 'b', 'c']\n  .map(a => [a.toUpperCase()]);\nconsole.log(results);[['A'], ['B'], ['C']]['A', 'B', 'C']['a', 'b', 'c]'ABC'[['A'], ['B'], ['C']]"
        },
        {
          "subtitle": "Maps on Maps",
          "question": "What will the following code print out?\nconst results = [[4, 1], [2, 0], [3, 3]]\n  .map(a => \n    a.map(b => b % 2)[0] + a.map(b => b - 1)[1]\n  )\nconsole.log(results);[[0, 1], [0, 0], [1, 1]][[0, 0], [0, -1], [1, 2]][1, 1, 2][0, -1, 3][4, 1].  Our first map callback will run a mod 2 map function over [4, 1] leaving us with a new array of [0, 1].  The second map call which is inside our callback will subtract 1 from every element, leaving us with [3, 0].  Last, we take element at index 0, 0, and add it to element of index 1 from our second map function, 0, leaving us with 0; thus, after the first iteration of the top level map function, we are left with an array that looks like so: [1, [2, 0], [3, 3]].  We simply keep doing that logic for the other elements until we finish: [1, -1, [3, 3]], and [1, -1, 3]"
        },
        {
          "subtitle": "Words Containing 'a'",
          "question": "What will the following code print out?\nconst results = ['apple', 'dog', 'cat']\n  .map((a, i) => \n    a.indexOf('a') !== -1 ? i : null)\nconsole.log(results);[0, -1, 1][0, null, 2][null, null, null][-1, null, 2]const results = [1, 2, 3]\n  .map((a, _, o) => a + o[0])\nconsole.log(results);[1, 2, 3][0, 0, 0][3, 2, 1][2, 3, 4]const results = [8, 5, 3]\n  .map((a, i, o) => o[o.length - i - 1])\nconsole.log(results);[3, 5, 8][5, 3, 8][8, 5, 3][3, 8, 5]const results = ['a', 'b', 'c']\n  .map(function(a) { return this[a]; }, {a: 9, b: 3, c: 1})\nconsole.log(results);['a', 'b', 'c'][9, 3, 1][3, 9, 1][{a: 9}, {b: 3}, {c: 1}]const results = [1, 2, 3, 4, 5]\n  .map((a, _, o) => o.reverse() && a)\nconsole.log(results);[5, 4, 3, 2, 1][5, 2, 3, 5, 1][1, 2, 3, 4, 5][1, 4, 3, 2, 5]