0% found this document useful (0 votes)
36 views

Freemote Dont Forget Js

The document discusses JavaScript concepts like strings, arrays, arrow functions, objects, array methods, the DOM, and asynchronous programming. It explains methods for strings and arrays like slice, split, join, and splice. It covers arrow functions, objects, accessing properties, and destructuring. It also covers array methods like map, filter, reduce, foreach, and sort. Additionally, it discusses interacting with the DOM through methods like createElement, set style, add class, innerHTML, appendChild, querySelector, addEventListener, and making asynchronous requests using fetch.

Uploaded by

kallw osme
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
36 views

Freemote Dont Forget Js

The document discusses JavaScript concepts like strings, arrays, arrow functions, objects, array methods, the DOM, and asynchronous programming. It explains methods for strings and arrays like slice, split, join, and splice. It covers arrow functions, objects, accessing properties, and destructuring. It also covers array methods like map, filter, reduce, foreach, and sort. Additionally, it discusses interacting with the DOM through methods like createElement, set style, add class, innerHTML, appendChild, querySelector, addEventListener, and making asynchronous requests using fetch.

Uploaded by

kallw osme
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 1

Don’t Forget

JavaScript
()
Js

{}
</
>
created by Aaron Jack

String & Array


These methods create copies of the original (except for splice)

SLICE

Creates a new arr / str from


[1, 2, 3].slice(0, 1) first index, until second
(or end, if no second arg)
returns [1]

SPLIT

Convert a string to an array,


"Jun-1”.split(“-“) split on the character you
provide
returns [“Jun”, “1”]

JOIN
Convert an array to a string,
[“Jun”, “1”].join(“-“) separated by character you
provide (or nothing using
empty string)
returns “Jun-1”

SPLICE
Modifies the array in place by
removing 2nd arg # of items at
[4, 2, 3].splice(0, 1) index of first arg. You can also
add items with a third argument.
returns [4] Finally, returns removed items
original array is set to [2, 3]

Arrow Functions
Replace the function keyword with => after your arguments
and you have an arrow function.
ARROW FUNCTION DECLARATION

Unlike a regular function, you


const add = (num1, num2) => { must store an arrow function
return num1 + num2 in a variable to save it
}

AUTO RETURNS I

If your arrow function can fit on


(num1, num2) => num1 + num2 one line, you can remove the
brackets AND return statement
(return is automatic)

AUTO RETURNS II

Using a parenthesis on the


(num1, num2) => ( same line (not bracket) is also
num1 + num2 an automatic return
)

SINGLE PARAMETER
If you just have a single
word => word.toUpperCase() parameter, you don’t need the
parentheses around your
params

Objects
Powerful, quick storage and retrieval

KEY LITERALS

obj.a OR obj["a"] This literally gives you the


value of key “a”

KEY WITH VARIABLE

obj[a] But this gives you the value of


the key stored in variable a

FOR IN... LOOPS

Loop over an object’s keys with


for (let key in obj) ... a for...in loop, and access its
values using obj[key]

OBJECT.KEYS

Easily get an object’s keys in


Object.keys({a: 1, b: 2}) an array with Object.keys( ),
or values with Object.values( )
returns ["a","b"]

DESTRUCTURING

Destructuring lets you pull


const {a} = {a: 1} values out of objects, the key
becomes its variable name
variable a is set to 1

DESTRUCTURING II

const a = 1 It goes the other way too,


const obj = {a} assuming the variable a was
already 1, this creates an object
variable obj is set to {a: 1}

Array Methods
These methods ALSO create copies of the original
(except for sort)
MAP

Runs the function once per item


[1, 2, 3].map(n => n + 1) in the array.
Saves each return value in a new
array, in the same place
returns [2, 3, 4]

FOREACH

[1, 2, 3].forEach(n=>console.log(n)) Same as map, but does not


save results, it always returns
undefined

FILTER
Runs function once per item,
[1, 2, 3].filter(n => n > 1) if false, the item will not be
ncluded in the new array, if
true, it will
returns [2, 3]

REDUCE
Runs function once per item,
your return value becomes the
[1, 2, 3].reduce((a,val) => a + val) accumulator arg on the next
iteration. The accumulator starts
at 0 by default but you can
change it with an optional 2nd arg.
returns 6

SORT
Sorts array in place, by default
in ascending numerical (or
alphabetical) order. Passing in a
[3, 1, 2].sort() 2 argument comparison function
(optional) can arrange items in a
descending, or custom order
returns [1, 2, 3]

the DOM
For every HTML tag there is a JavaScript DOM node

CREATE ELEMENT

document.createElement(‘div') Create an HTML element with


JavaScript, returns a <Node> object

SET STYLE

<Node>.style.color = “blue” You can change a <Node> object’s


CSS styles

ADD CLASS

<Node>.classList.add(".myClass") Add or remove a Node’s CSS


classes

INNER HTML

<Node>.innerHTML = “<div>hey</div>” You can set a Node’s HTML or


text contents
<Node>.innerText = “hey”

ADD CHILD

<Node1>.appendChild(<Node2>) You can nest nodes as children


to existing nodes

QUERY SELECTOR

document Search the DOM for the first


Node that matches - both
.querySelector(“#my-id“) “.classes” and “#ids” work!

QUERY SELECTOR A LL

document Same as above, but returns all


.querySelectorAll (“.my-class“) matches (in a node list)

ADD EVENT LISTENER

<Node>.addEventListener ("click", Add listeners to user events,


like clicks. The function will run
function() {...} when the event happens.
)

Async Programming
Usually network requests, these functions happen outside of
the normal “flow” of code
FETCH

Fetch returns a promise , which


fetch(‘https://google.com’ ) is non blocking, in other words,
your code keeps going

PROMISE.THEN

When it finally does return, use


.then(result => console.log(result)) a .then method to capture its
result in the first argument

.THEN CHAINING

A then block may also return a


.then(...).then(...) promise, in which case we can
add another .then to it

PROMISE.CATCH

Add a “catch” method to a


.catch(err => console.error(err)) promise, or chain of promises
to handle any errors that may
occur

PROMISE.ALL
You can pass multiple promises
Promise.all([fetch(...),fetch(...)] into the Promise.all function.
Attaching a .then block will give
then(allResults => ...) you the result of all the promises,
in a single array.

ASYNC / AWAIT I
Async await is a cleaner syntax
for promises, instead of .then
const res = await fetch(URL) blocks simply use the await
keyword, which will block your
code until the promise returns
..however...

ASYNC / AWAIT II
Await keywords must be inside
of an “async” function -- simply
const getURL = async (URL) => ( attach the async keyword before
await fetch(URL) any function, or arrow function
definition

@aaronjack @coding_with_jan
The Freelance Developer Bootcamp

You might also like

pFad - Phonifier reborn

Pfad - The Proxy pFad of © 2024 Garber Painting. All rights reserved.

Note: This service is not intended for secure transactions such as banking, social media, email, or purchasing. Use at your own risk. We assume no liability whatsoever for broken pages.


Alternative Proxies:

Alternative Proxy

pFad Proxy

pFad v3 Proxy

pFad v4 Proxy