Arrow Functions

keep in mind...

  1. doesn't have a this
  2. no curly braces needed for single expressions
  3. return statement not always needed
parens ()curly braces {}

The syntax of arrow functions that ES6 brings is a real breath of fresh air! You'll find them everywhere too - so it's important to know a few things.

parens ()

1 argument there's 1 argument, you can omit the parentheses (i.e. 'parens'), like so:

edit and re-run!
const addTwo = num => num + 2;

console.log(addTwo(2));         
4

0 arguments when there are no arguments, you cannot omit the parens.

edit and re-run!
const dog = () => 'Spot';

console.log(dog());         
Spot

2+ arguments when there are multiple arguments, you cannot omit the parens.

edit and re-run!
const dog = (size, name) => size + name;
console.log(dog('big','Spot'));        
bigSpot

curly braces {}

1 expression when your body contains just 1 expression, you can omit the curly braces.

edit and re-run!
const dog = () => 'Spot';
console.log(dog());         
Spot

1+ expressions when your body contains more than 1 expression or a statement, you must have curly braces. See here for the difference between expressions & statements.

edit and re-run!
const dog = (num) => {
  const types = ['weiner', 'lab', 'poodle'];
  return types[num];
}
console.log(dog(1));         
lab

Research More...

  1. https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Functions/Arrow_functions
  2. http://stack.formidable.com/es6-interactive-guide/#/arrow-functions
  3. https://runkit.com/tonic/es6-arrow-functions
  4. https://jaketrent.com/post/javascript-arrow-function-return-rules/