Giter VIP home page Giter VIP logo

20-days-of-restudying-javascript's Introduction

20-days-of-restudying-javascript

Think you are confident with javascript? Here's 20 Days of restudying javascript.

Table of Contents

Created by gh-md-toc

Topics (fancy term: curriculum)

  • Preferrable practices in javascript
  • Functional & declartive programming using javascript
  • In-depth inspection: Symbol, WeakMap, WeakSet, Object, prototype, this, bind, class, async, await, yield and more.

Prerequisites

  • Have read the latest edition of "Learning javascript" at least three times.
  • Have read "You Don't Know JS" at least once (roughly is ok)
  • Have coded substantial amount of javascript already
  • Now wanting to get some really fine techniques on javascript

Day 1

Read Airbnb's javascript style guide:

Clearing up questions for Day 1

1. Array.prototype.slice() in 4.5:

The slice() method returns a shallow copy of a portion of an array into a new array object selected from begin to end (end not included). The original array will not be modified.

  • Q: slice works on objects?
  • A: Slice method can also be called to convert Array-like objects / collections to a new Array.. So you could do something like:
    const info = Array.prototype.slice.call({0: "Korea", 1: "KST", length: 2})
    // ["Korea", "KST"]
    Remember you need to specify the length, and the object keys should be indices. The following would result in nothing but an empty array:
    const info = Array.prototype.slice.call({home: "Korea", time: "KST"})
    // []
    But anyways, it's not recommended to use Array.prototype.slice, but Array.from.

2. Array.from in 4.6

  • Q: So what can Array.from actually do with mapping?
  • A: This:
    Array.from can receive a mapping function as the second argument, as such:
    const mapped = Array.from([1,2,3], elem=>elem*2)
    // 2,4,6

Day 2

Read Airbnb's javascript style guide:

Things that I think it would be hard to remember for Day 2

  1. 14.2 Anonymous function expressions hoist their variable name, but not the function assignment.
  2. 14.3 Named function expressions hoist the variable name, not the function name or the function body.

Day 3

Read Airbnb's javascript style guide:

Things that I find useful for Day 3

Day 4 (Started learning functional javascript)

  • ⌛: 20 mins Gathered up some resources

List of possible sources (I did not include sample code repos or fp libaries)

Books

Articles

Others

Day 5

And so, I will look at those two books mentioned in Day 4.

  • ⌛: 30 ~ 60 mins

Notes for Chapter 1

  • Read 'Chapter 1: What Ever Are We Doing?' of Mostly adequate guide to FP

  • Many times we tend to write many more lines code than needed. If you think, and especially inFP way, you can greatly reduce the code to more exact, concise one.

  • Associative, commutative, identity, distributive rules work to further reduce the code (if you have done some math classes), like below (from chapter 1):

    const add = (x, y) => x + y;
    const multiply = (x, y) => x * y;
    
    /* associative
     * Wiki link: https://en.wikipedia.org/wiki/Associative_property#Definition
     * Example: (x ∗ y) ∗ z = x ∗ (y ∗ z) for all x, y, z in S.(Multiplication)
     */
     
    add(add(x, y), z) === add(x, add(y, z));
    
    /* commutative
     * Wiki link: https://en.wikipedia.org/wiki/Commutative_property#Mathematical_definitions
     * Example: x * y = y * x for all x,y in S.
     */ 
     
    add(x, y) === add(y, x);
    
    /* identity
     * Wiki link: https://en.wikipedia.org/wiki/Identity_function#Definition
     * Example: f(x) = x for all x in certain domain.
     */
    
    add(x, 0) === x;
    
    /* distributive
     * Wiki link: https://en.wikipedia.org/wiki/Distributive_property#Definition
     * Example: x * ( y + z ) = (x * y) + (x * z)
     */
     
    multiply(x, add(y,z)) === add(multiply(x, y), multiply(x, z));

    apply these rules to reduce the code:

    // Original line
    add(multiply(flockB, add(flockA, flockC)), multiply(flockA, flockB));
    
    // Apply the identity property to remove the extra add
    // (add(flockA, flockC) == flockA)
    add(multiply(flockB, flockA), multiply(flockA, flockB));
    
    // Apply distributive property to achieve our result
    multiply(flockB, add(flockA, flockA));
  • And that's only the beginning.

Notes for chapter 2

  • Read 'Chapter 2: First class functions' of Mostly adequate guide to FP

  • What is a first class function?:

    A programming language is said to have First-class functions when functions in that language are treated like any other variable. For example, in such a language, a function can be passed as an argument to other functions, can be returned by another function and can be assigned as a value to a variable. (From Mozilla)

    We can treat functions like any other data type and there is nothing particularly special about them - they may be stored in arrays, passed around as function parameters, assigned to variables, and what have you. (From the book)

  • Often we write more code than needed:

    // this line
    ajaxCall(json => callback(json));
    
    // is the same as this line
    ajaxCall(callback);
    
    // so refactor getServerStuff
    const getServerStuff = callback => ajaxCall(callback);
    
    // ...which is equivalent to this
    const getServerStuff = ajaxCall; // <-- look mum, no ()'s

    Now you can run ajaxCall with as many arguments as you want to put in. Just treat it like any other variables. That's the point.

  • Note on naming functions: don't be too specific. Be broader so that you can use them for any other future projects. Make it reusable.

Day 6

Pure function

A pure function is a function that, given the same input, will always return the same output and does not have any observable side effect.

This is exactly the same principle for the definition of function in the world of real math: each input maps exactly to one (not several) output only.

To make it easy to write a pure function, do not rely on the variables from outside world.

You could 'freeze' or use other tools like immutable.js to make sure that constant variables stay constant inside a function.

What's possible in pure functions

1. Cache

Pure functions can be cached by input. This technique is sometimes called memoization:

In computing, memoization or memoisation is an optimization technique used primarily to speed up computer programs by storing the results of expensive function calls and returning the cached result when the same inputs occur again.

So this would be a simple code for memoize:

const memoize = (f) => {
  const cache = {};
  return (...args) => {
    const argStr = JSON.stringify(args);
    console.log(argStr)
    console.log(cache) // for help
    cache[argStr] = cache[argStr] || f(...args);
    return cache[argStr];
  };
};

This is only really a simple case for memoization. You simply store in cache object.

Let's have a multiply function memoized:

multiply=memoize((x,y)=>x*y)

1st time you run it, you get:

multiply(1,2)
[1,2]
{}

But the 2nd time you call it:

multiply(1,2)
[1,2]
{[1,2]: 2}

Your input and the corresponding output were stored in the cache and those were used instead of calculating the result by running the function once more.

Why is pure function important at all here?

Because if the function were impure, there's no point in saving the function output in the cache, as it does not have a guarantee that it is going to be the same each time.

2. Portable and self-documenting

// impure
const signUp = (attrs) => {
  const user = saveUser(attrs);
  welcomeUser(user);
};

// pure
const signUp = (Db, Email, attrs) => () => {
  const user = saveUser(Db, attrs);
  welcomeUser(Email, user);
};
  1. Pure function is honest about its dependencies (signature). You know exactly what to use. It's more informative.
  2. You must use dependencies as function arguments. Otherwise you've got no choice. It's more flexible and at the same time, self-documenting. But look at the impure version. You modify database and more without relying on the arguments. The logic is hidden behind.
  3. Pure function, likewise, is portable. You can serialize/send over pocket. You can run your code anywhere.

3. Testable

Outputs are always predictable. Therefore you don't have to:

mock a "real" payment gateway or setup and assert the state of the world after each test.

You just need input and predict (assert) output in your tests.

4. Reasonable

Referential transparency. Codes can be substituted around because you already know that output of function will stay the same anyways.

You can use this property to easily refactor functions. For more, see this part of the book.

5. Parallel code

Pure functions do not need to access shared memory and cannot have a race condition due to side effects.

Day 7

Currying

Currying is:

In mathematics and computer science, currying is the technique of translating the evaluation of a function that takes multiple arguments into evaluating a sequence of functions, each with a single argument.

For example,

curry((x,y) => x*y)

will get curried down to

x => y => x*y

Similarly,

curry((x,y,z) => x*y*z)

will get curried down to

x => y => => z => x*y*z

Simple, right? Here's a definition of curry:

// curry :: ((a, b, ...) -> c) -> a -> b -> ... -> c

function curry(fn) {
  const arity = fn.length;
  return function $curry(...args) {
    if (args.length < arity) {
      return $curry.bind(null, ...args);
    }

    return fn.call(null, ...args);
  };
};

Let's inspect it. First change the code so that you can log outputs:

function curry(fn) {
  const arity = fn.length;
  console.log(`arity: ${arity}`)
  return function $curry(...args) {
    console.log(`args: ${args}
args.length: ${args.length}`)
    if (args.length < arity) {
      return $curry.bind(null, ...args);
    }

    return fn.call(null, ...args);
  };
};

Now run:

multiply=curry((x,y,z) => x*y*z)

It of course logs:

arity: 3

Then run the function:

multiply(1,2,3)

Then it logs

args:1,2,3
args.length: 3
// returns
6

Cool. But what if args.length < arity? Let's try this out.

const multiplyLast=multiply(1,2)
// logs
args: 1,2
args.length: 2

Now

multiplyLast(3)
// logs
args: 1,2,3
args.length: 3
// returns
6

Wow. yeah. So you can actually stop the execution of function at certain point by manipulating the number of arguments.

Currying examples

Now you can understand more of such functions:

const match = curry((what, s) => s.match(what));
const replace = curry((what, replacement, s) => s.replace(what, replacement));
const filter = curry((f, xs) => xs.filter(f));
const map = curry((f, xs) => xs.map(f));

Look at these usages. Beautiful. You can mix them around, plug them into each other, do whatever you want essentially.

match(/r/g, 'hello world'); // [ 'r' ]

const hasLetterR = match(/r/g); // x => x.match(/r/g)
hasLetterR('hello world'); // [ 'r' ]
hasLetterR('just j and s and t etc'); // null

filter(hasLetterR, ['rock and roll', 'smooth jazz']); // ['rock and roll']

const removeStringsWithoutRs = filter(hasLetterR); // xs => xs.filter(x => x.match(/r/g))
removeStringsWithoutRs(['rock and roll', 'smooth jazz', 'drum circle']); // ['rock and roll', 'drum circle']

const noVowels = replace(/[aeiou]/ig); // (r,x) => x.replace(/[aeiou]/ig, r)
const censored = noVowels('*'); // x => x.replace(/[aeiou]/ig, '*')
censored('Chocolate Rain'); // 'Ch*c*l*t* R**n'

Just one more example

instead of

const allTheChildren = elements => map(elements, getChildren);

you can do

const getChildren = x => x.childNodes;
const allTheChildren = map(getChildren);

You can just directly transform the function into something that works on bunch of elements (array) instead of one element.

Day 8

Compose

here's a simple version of compose function that only composes two functions:

const compose = (f, g) => x => f(g(x));

simple. calls g first and then plugs that into f.

But what if you wanted to chain like 10 functions through compose?

const compose = (...fns) => x => fns.reduceRight((v, f) => f(v), x);

here it is.

So first, we have to know about reduceRight:

The reduceRight() method applies a function against an accumulator and each value of the array (from right-to-left) to reduce it to a single value.

Ok. So (v,f)=>f(v) is actually an accumulator and x accounts for the current value. Example:

const array1 = [[0, 1], [2, 3], [4, 5]].reduceRight(
  (accumulator, currentValue) => {
    console.log(`acc: ${accumulator}`)
    console.log(`current: ${currentValue}`)
    return accumulator.concat(currentValue)
  }
);

console.log(array1);
// expected output: Array [4, 5, 2, 3, 0, 1]

> "acc: 4,5"
> "current: 2,3"
> "acc: 4,5,2,3"
> "current: 0,1"
> Array [4, 5, 2, 3, 0, 1]

Anyways, let's see what's happening again in that compose function.

Let's kindly rewrite it with familiar terms:

const compose = (...fns) => initialValue => fns.reduceRight((accumulator, fn) => fn(accumulator), initialValue)
  • Ok. So (value, fn) => fn(value) is the callback and initialValue is literally just the initial value. Get to know that reduceRight takes two arguments: callback and initialValue, the second being optional, but specified in compose function.

  • Notice that (accumulator, fn) => fn(accumulator) simply returns an output of a function with an input which is accumulator. Actually, fn is the currentValue because for each time a different fn is called from ...fns, from right to left.

  • Now when compose is run, the initialValue will be plugged into the place of accumulator in the callback, and the rightmost function supplied in ...fns will receive accumulator to return an output.

  • Now when the value is calculated and stored in accumulator, again the next function fn (second rightmost element in fns) will be called with it.

  • This process will be repeated until fns.length === 0.

  • Also, notice that leaving initialValue field empty will simply not make it work because if so, it will grab the rightmost element from fns array, which is a function, not some value you want.

  • Anyways, this way, you are going to continuously execute a function at a time and insert its output to the next function until you use all functions provided.

Example

here's an example slightly modified from the book.

const toUpperCase = x => x.toUpperCase();
const exclaim = x => `${x}!`;
const head = x => x[0];

const loudFirst = compose(
  toUpperCase,
  exclaim,
  head
)
loudFirst(['composing', 'is', 'cool'])
// COMPOSING!

Then what's different for reduce? Same logic, but only left-to-right. Just look at the example from MDN docs:

var a = ['1', '2', '3', '4', '5']; 
var left  = a.reduce(function(prev, cur)      { return prev + cur; }); 
var right = a.reduceRight(function(prev, cur) { return prev + cur; }); 

console.log(left);  // "12345"
console.log(right); // "54321"

simple. right?

Pipe

pipe(...fns) is just an opposite of compose function. Sometimes it's more intuitive to put functions in the order of execution. So for example: instead of

const loudFirst = compose(
  toUpperCase,
  exclaim,
  head
)

you are going to write

const loudFirst = compose(
  head
  exclaim,
  toUpperCase
)

Implementation

pipe is really similar to compose:

pipe = (...fns) => x => fns.reduce((v, f) => f(v), x)

Actually, the only different thing is it uses reduce instead of reduceRight. This allows you to calculate from left to right, not right to left. That's why the order of function inputs are opposite.

Pointfree

If your function is pointfree (it's also called tacit programming), it does not specify the arguments it uses.

From Wikipedia:

Tacit programming, also called point-free style, is a programming paradigm in which function definitions do not identify the arguments (or "points") on which they operate.

Why is pointfree good?

Ref article (there are some codes and sentences used from here): https://medium.freecodecamp.org/how-point-free-composition-will-make-you-a-better-functional-programmer-33dcb910303a

There is no additional anonymous callback when doing point-free composition. No function keyword, no arrow syntax => . All we see are function names.

The consequence of writing code this way is a lot of small functions with intention revealing names. Naming these small functions requires time, but if it’s done well, it will make the code easier to read.

So rather than

fetchTodos().then((todos) => {
   let topTodos = getTopPriority(todos);
   render(topTodos);
 }).catch((error) => {
   console.error("There was an error :" + error.status);
 });
function getTopPriority(todos){}
function render(todos){}

You do

fetchTodos()
  .then(getTopPriority)
  .then(render)
  .catch(handleError);
  1. prop() A general purpose function to retrieve a prop.
let titles = books.map(prop("title"));
function prop(propName){
  return function getProp(obj){
    return obj[propName];
  }
}
  1. unary() Takes only one (the first) argument out from multiple arguments.
let numbers = [1,2,3,4,5,6];
numbers.forEach(console.log);
//1 0 (6) [1, 2, 3, 4, 5, 6]
//2 1 (6) [1, 2, 3, 4, 5, 6]
//...
// by default inserting a function ref will input all default arguments, so it's equivalent to:
numbers.forEach((item, index, array) => console.log(item, index, array));
// or easily
numbers.forEach((...all) => console.log(...all))

// so you do this
function unary(fn){
  return function unaryDecorator(first){
    return fn.call(this, first);
  }
}

numbers.forEach(unary(console.log));
//1 2 3 4 5 6

Pointfree with methods

  • Factory function: you do not lose this context
  • Class: you lose it. You have to manually bind it
  • See example code

Day 9

Declarative coding

It's just stating the specification of what we would like as a result. It's about what, not how.

Some perks of declarative coding:

  1. More freedom to an expression
  2. Clearer and more concise
  3. May be optimized faster by JIT

Some example:

  const cases = [1, 4, 5, 2, 0, 3, 9, 8]
  // An imperative coding example
  const someOverFive = (cases) => {
    for (let i = 0; i < cases.length; i++){
      if (cases[i] > 5){
        return true
      }
    }
    return false
  }
  someOverFive(cases)

You could do this... but,

const cases = [1, 4, 5, 2, 0, 3, 9, 8]
cases.some(c => c > 5)

what about this game changer.

Impure vs pure functions

If you are not sure about the difference between impure and pure functions, take a glimpse at this stackoverflow answer:

Characteristics of Pure Functions:

  1. The return value of the pure func­tions solely depends on its arguments Hence, if you call the pure func­tions with the same set of argu­ments, you will always get the same return values.
  2. They do not have any side effects like net­work or data­base calls
  3. They do not mod­ify the argu­ments which are passed to them

Characteristics of impure functions:

  1. The return value of the impure func­tions does not solely depend on its arguments Hence, if you call the impure func­tions with the same set of argu­ments, you might get the dif­fer­ent return values For exam­ple, Math.random(), Date.now()
  2. They may have any side effects like net­work or data­base calls
  3. They may mod­ify the argu­ments which are passed to them

These are impure functions.

const Impure = {
  getJSON: curry((callback, url) => $.getJSON(url, callback)),
  setHtml: curry((sel, html) => $(sel).html(html)),
  trace: curry((tag, x) => { console.log(tag, x); return x; }),
};

Why?

  1. getJSON uses $ which is a global variable. Also it fetches data over a network.
  2. setHtml depends on $ which is not from its argument as well.
  3. trace calls console.log.

Day 10

Type system

  • There is a type system that is quite similar to TypeScript, called Hindley-Milner.
  • It basically works like this:
    // capitalize :: String -> String
    const capitalize = s => toUpperCase(head(s)) + toLowerCase(tail(s));
  • capitalize :: String -> String means a function that takes a string and returns a string.
  • More complex (but still easy to understand) example could be returning a function from a function:
    // add :: Number -> Number -> Number
    const add = x => y => x + y;
    
    // match :: Regex -> (String -> [String])
    const match = curry((reg, s) => s.match(reg));
    // onHoliday :: String -> [String]
    const onHoliday = match(/holiday/ig);
  • Type variables can be used in the type signature. Type variables can be denoted by any letters (like a, b, c) or words:
    // id :: a -> a
    const id = x => x;
    
    // map :: (a -> b) -> [a] -> [b]
    const map = curry((f, xs) => xs.map(f));

Parametricity

  • Type variable can introduce a property called parametricity: a function will act on all types in a uniform manner. When a function acts like this, it is said to be a "parametrically polymorphic function". In easier terms, it's just a generic function, which should come in very handy if you are already used to statically typed languages like Java, C#, Golang, Typescript, etc.
  • One example of a parametrically polymorphic function is head:
    const head = ([first]) => first
    Its type signature is:
    head :: [a] -> a
    
    And it can be rewritten in Typescript, with generics, as:
    type Head = <T>(arr: T[]) => T
    
    // for example, take in a number array
    const head: Head<number> = ([first]) => first
  • In short, parametricity is just a fancy term to describe a generic function.

Day 11

So far we've studided how and when to use pure functions. Now we will study how to handle impure aspects of the code.

20-days-of-restudying-javascript's People

Contributors

9oelm avatar

Stargazers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

Watchers

 avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.