Month: November 2018
Hoisting in JavaScript
Hoisting is a term that i thrown around a lot if you are reading up on JavaScript. But what is hoisting? The verb hoist is defined as “an act of raising or lifting something”. So we must be raising something up. But What? Variables and function declarations are what are hoisted to the top of the code. By verb definition, the variables and function declarations are what are moved to the top of scope. That is how it’s actually been explained to me in many tutorials, videos, and even in various lectures. However, this isn’t actually he case! “The variable and function declarations are put into memory during the compile phase, but stay exactly where you typed them in your code.” [A] So the code isn’t moved, but by declarations being placed in memory, you can call those declarations in your code before they are read later. Meaning, referenced decelerations can be placed under callers in code.
If we look at the code below, we see that the function caller is accessing function toBeHoisted before it’s defined. Thanks to JavaScript’s hoisting, this is not a problem.
function caller(){ let x = toBeHoisted(); console.log(x+5); } function toBeHoisted(){ return 5; } caller() //10
.What we have to take heed of however is that initializations are NOT hoisted, only definitions. So this is why it is said only functions are hoisted, even though technically, only declarations are hoisted, which can be variables or functions. In practice, even if the variable is initialized upon declaration, it doesn’t satisfy any callers In the example below, if we define variable toBeHoisted , but initialize it after function caller, then we will have an error
function caller(){ let x = toBeHoisted; console.log(x+5); } caller() //toBeHoisted is not defined, we get NaN var toBeHoisted = 95;
To see that hoisting does affect variables, we could initialize the variable BEFORE declaring it, and then the declaration is hoisted.
toBeHoisted = 95; function caller(){ let x = toBeHoisted; console.log(x+5); } caller() //100 var toBeHoisted;
.
As an aside, if we change from a var decleration to let decleration, that will not be hoisted and we get an error
toBeHoisted = 95; function caller(){ let x = toBeHoisted; console.log(x+5); } caller() //ReferenceError: toBeHoisted is not defined let toBeHoisted;
.
Async await
Async await
Async/await has come up a lot recently on twitter, coding videos, and blogs. But what is it? Seems like it would be used for callbacks or promises. How something is declared as a async function is that we place async before the function definition. “The word “async” before a function means the function will return a promise.. And if the return value is not a promise, the return is converted to a resolved promise automatically.
function cool(){ return "cool" } console.log(cool()); //cool async function cool2(){ return "cool2" } console.log(cool2()); //SyntaxError: Unexpected token function
Hmm why did we get an unexpected token function? As the async function is returning a promise, we cant log it, so lets do something else.
cool2().then(a=>{console.log(a)})
//now we get the output of “cool2”
//but we get Promise {<resolved>: undefined}
If we call an empty then, we can see the resolved promise wrapper that is returned.
cool2().then() //Promise {<resolved>: "cool2"}
So now we are seeing that we do get everything wrapped in a promise, even if the return isn’t a promise. To wrap it up we would need to use await. “The await operator is used to wait for a Promise. It can only be used inside an async function.” [MDN] The syntax is returnvalue = await expression,
async function cool3(){ let rv = await "cool3" return rv } console.log(cool3()); // we get a pending promise cool3(); // we get a resolved promise // Promise {<resolved>: "cool3"}
What good is this? What would we use it for? Well it appears async await is syntactic sugar for promises, so it’s supposed to make promises look cleaner. The code below is what babel generated from cool3(). Wow, Ill take async/await.
//GENERATED FROM BABEL: var cool3 = function () { var _ref = _asyncToGenerator( /*#__PURE__*/regeneratorRuntime.mark(function _callee() { var rv; return regeneratorRuntime.wrap(function _callee$(_context) { while (1) { switch (_context.prev = _context.next) { case 0: _context.next = 2; return "cool3"; case 2: rv = _context.sent; return _context.abrupt("return", rv); case 4: case "end": return _context.stop(); } } }, _callee, this); })); return function cool3() { return _ref.apply(this, arguments); }; }(); function _asyncToGenerator(fn) { return function () { var gen = fn.apply(this, arguments); return new Promise(function (resolve, reject) { function step(key, arg) { try { var info = gen[key](arg); var value = info.value; } catch (error) { reject(error); return; } if (info.done) { resolve(value); } else { return Promise.resolve(value).then(function (value) { step("next", value); }, function (err) { step("throw", err); }); } } return step("next"); }); }; }
What is a generator?
What is a generator?
What is a generator in JavaScript? Generators and Iterators seem to be linked, According to MDN, “The Generator object is returned by a generator function and it conforms to both the iterable protocol and the iterator protocol.” Still confused? You’re not the only one. Ok, let’s dig deeper into this.” Looking around, I see that Arfat on his blog wrote “A generator is a function that can stop midway and then continue from where it stopped. In short, a generator appears to be a function but it behaves like an iterator.” That seems to be starting to make more sense.
Looking at the generator from the perspective of an iterator that can pause and continue when needed, this could have many applications. A simple way of looking at it is that you allow yourself 5 Oreos a day. That’s cookies not packages! So if we had a generator “takeOreo” for Oreos, we could call “takeOreo”, and it would give back the cookie number we are on. Once we had our 5, if we called takeOreo again, it would be “done”. “A generator is a function that can stop midway and then continue from where it stopped.” So this appears like we made a pseudogenerator using Oreos and our diet.
How can we code the above pseudocode? The syntax for a generator function is “function * name” not “function name” Looks like according to MDN, it’s just convention. “The function* declaration (function keyword followed by an asterisk) defines a generator function, which returns a Generator object.” Lets start coding. Lets start of naming the generator
function* giveOreo(){ }
Now that we have a name, lets add the body. The thing is, when we call a generator function, its not going to start iterating immediately. Rather, we get back an iterator object. But how do we create that objecT? “ When the iterator’s next() method is called, the generator function’s body is executed until the first yield expression, which specifies the value to be returned from the iterator ” OK lets add this:
function* giveOreo(){ let index=1; //start with 1, you cant get 0 cookies if you take a cookie while(index <= 5){ yield `You eat cookie ${index++}` } }
Ok how would we run it now that we have a function?
let todaysOreos = giveOreo() console.log(todaysOreos.next().value) //You eat cookie 1 console.log(todaysOreos.next().value) //You eat cookie 2 console.log(todaysOreos.next().value) //You eat cookie 3 console.log(todaysOreos.next().value) //You eat cookie 4 console.log(todaysOreos.next().value) //You eat cookie 5
Great. We have a our 5 cookies. What about when we call it again?
console.log(todaysOreos.next().value) // nothing returned
So no more cookies. But can we force the generator to tell us that there are no more cookies? “ When a generator is finished, subsequent next calls will not execute any of that generator’s code, they will just return an object of this form: {value: undefined, done: true}.” But to get the generator to be “done” we have to return something. Lets do that.
If we change the code, we can get back one last message then then the generator is done:
function* giveOreo(){ let index=1; //start with 1, you cant get 0 cookies if you take a cookie while(index <= 5){ yield `You eat cookie ${index++}` } return "No more cookies for you" } let todaysOreos = giveOreo() console.log(todaysOreos.next().value) //You eat cookie 1 console.log(todaysOreos.next().value) //You eat cookie 2 console.log(todaysOreos.next().value) //You eat cookie 3 console.log(todaysOreos.next().value) //You eat cookie 4 console.log(todaysOreos.next().value) //You eat cookie 5 console.log(todaysOreos.next().value) // "No more cookies for you" console.log(todaysOreos.next().value) // undefined
Now if we REALLY wanted to just keep getting messages instead of undefined we could do this: make a permanent message loop after the cookie loop is done This could be a little more useful than an undefined.
function* giveOreo(){ let index=1; //start with 1, you cant get 0 cookies if you take a cookie while(index <= 5){ yield `You eat cookie ${index++}` } while(true){yield "No more cookies for you"} } let todaysOreos = giveOreo() console.log(todaysOreos.next().value) //You eat cookie 1 console.log(todaysOreos.next().value) //You eat cookie 2 console.log(todaysOreos.next().value) //You eat cookie 3 console.log(todaysOreos.next().value) //You eat cookie 4 console.log(todaysOreos.next().value) //You eat cookie 5 console.log(todaysOreos.next().value) //"No more cookies for you" console.log(todaysOreos.next().value) // No more cookies for you console.log(todaysOreos.next().value) // No more cookies for you
The rest parameter (…args) vs the arguments object
The rest parameter (…args) vs the arguments object
So I was listening to the Syntax.fm podcast, which is about various web development topics. In one of the episodes they were talking about the rest parameter, and one of the hosts had mentioned that they were using it often. I decided to check it out. According to Mozilla “the rest parameter syntax allows us to represent an indefinite number of arguments as an array.”[A] Just by looking at this statement, I realize how useful this could be. One scenario that crossed my mind was if we have an unknown number of arguments bein passed in, we can rely on the rest parameter to handle the acceptance, then use the functions logic to form a logic path based on the number of arguments being passed in.
Why not use the arguments array?
A good question would be, why care about the rest parameter, if JavaScript already has an arguments array? Well, the thing is, the arguments OBJECT is an ARRAY-LIKE STRUCTURE, meaning it’s not an array. It’s like an array, in that we can access arguments inside the “arguments object” by using indexed entries, such as argument[3]. Unlike an array, we cannot use array features such as map, push, pop, etc. As per Mozilla, it “does not have any Array properties except length.”[B] What the rest parameter does is place unnamed arguments inside an array, which we can manipulate as any other array.
Why use the arguments object at all?
The arguments object does still have it’s uses. Only unnamed parameters are placed in the rest parameter, so to access named parameters you still need to use their binding names, or reference their index in the arguments object. Another feature that the arguments object has is the callee function, which holds the current executing function. This itself can be it’s own topic, so I’ll let the reader look it up further for now.
In conclusion, both labels have their own reasons to be used, and I would like to think of them as complementary to each other.