Basic Javascript Flashcards
Basic class structure
class Rectangle { constructor(height, width) { this.height = height; this.width = width; } // Getter get area() { return this.calcArea(); } // Method calcArea() { return this.height * this.width; } }
are classes hoisted?
no
create new instance of class
const square = new Rectangle(10, 10);
create an async function (eg to fetch something)
async function fName() { const fetchedData = await fetch('url here'); }
default export
export default fName() {};
import default
import varName from “./fileName”;
named export
export const fName = () => {};
import named
import { fName } from “./fileName”
use Promise.all
return Promise.all([array, promises]).then((responses) => { let allDataObject = {}; allDataObject["array"] = JSON.parse(responses[0]); allDataObject["promises"] = JSON.parse(responses[1]); return allDataObject });
what does .then( … … … return x;) return?
it returns x wrapped in a promise
set an item in localstorage
window. localStorage.setItem(‘key’, ‘string value’)
note: value must be a string
get an item from localstorage
let val = window.localStorage.getItem(‘key’)
localStorage methods
localStorage.setItem(‘myCat’, ‘Tom’);
const cat = localStorage.getItem(‘myCat’);
localStorage.removeItem(‘myCat’);
localStorage.clear();
convert array/object to string
JSON.stringify(object)
convert from a string back to JSON object
JSON.parse(stringifiedObjectorArray);
difference between for( let i in x) and for(let i of x)
for ..in: iterates over enumeable properties of any object. Easiest way to loop over an OBJECT’s properties. Order not guaranteed.
Works for arrays and strings but not recommended because order not guaranteed.
for ..of: for..of is a ES2015 method for iterating over “iterable collections”.
Doesn’t work for objects.
Works well with ARRAYS and STRINGS. Also good for NodeLists
use async and await
async function foo() { await bar(); }
async await with try / catch
async function f() {
try { let response = await fetch('/no-user-here'); let user = await response.json(); } catch(err) { // catches errors both in fetch and response.json alert(err); } }
f();
Object(dot) methods
Object.keys = returns array of keys Object.values = returns array of values Object.entries = returns array of key-value tuples(arrays) Object.fromEntries = makes an object from an array of key-value tuples(arrays)
useful ES6 Array methods
array. forEach( (val) => { do something } )
array. map( (val) => { return something }) - returns an array of returned values
array. reduce ( (acc, val) => { return modified acc }, 0) - note 0 is acc starting value
array. filter( (val) => { return true to keep } ) - returns an array of kept values
array. includes(x) - returns true or false
Does JS copy by value or by reference?
Simple data types copy by value
Arrays and Objects copy by reference
NB: copy array by value:
let arrB = […arrA]