From e0db7a67f0506c4f8089a95c57e8ac1e5a76d3ae Mon Sep 17 00:00:00 2001 From: JasonHomeWorkstationUbuntu Date: Tue, 19 Jan 2021 21:12:12 +1100 Subject: [PATCH] Finished up to Chapter 4. JavaScript Functions --- .devcontainer/Dockerfile | 16 ++++ .devcontainer/devcontainer.json | 27 +++++++ ...cript-basics_varaibles-and-flow-control.md | 76 +++++++++++++++++++ notes/chapter4_javascript-functions.md | 69 +++++++++++++++++ notes/chapter7_js-in-the-browser.md | 33 ++++++++ src/basics/booleans.js | 22 ++++++ src/basics/hello-world.js | 1 + src/basics/logical-and-or.js | 6 ++ src/basics/numbers.js | 14 ++++ src/basics/scope.js | 11 +++ src/basics/strings.js | 6 ++ src/basics/temp-conversion.js | 11 +++ src/basics/variables.js | 12 +++ src/functions/arguments.js | 26 +++++++ src/functions/functions-101.js | 25 ++++++ src/functions/functions-scope.js | 17 +++++ src/functions/grade-calc.js | 24 ++++++ src/functions/undefined-null.js | 6 ++ src/notes-app/index.html | 14 ++++ src/notes-app/notes-app.js | 19 +++++ src/todo-app/index.html | 17 +++++ src/todo-app/task.txt | 9 +++ src/todo-app/todo-app.js | 46 +++++++++++ 23 files changed, 507 insertions(+) create mode 100644 .devcontainer/Dockerfile create mode 100644 .devcontainer/devcontainer.json create mode 100644 notes/chapter3_javascript-basics_varaibles-and-flow-control.md create mode 100644 notes/chapter4_javascript-functions.md create mode 100644 notes/chapter7_js-in-the-browser.md create mode 100644 src/basics/booleans.js create mode 100644 src/basics/hello-world.js create mode 100644 src/basics/logical-and-or.js create mode 100644 src/basics/numbers.js create mode 100644 src/basics/scope.js create mode 100644 src/basics/strings.js create mode 100644 src/basics/temp-conversion.js create mode 100644 src/basics/variables.js create mode 100644 src/functions/arguments.js create mode 100644 src/functions/functions-101.js create mode 100644 src/functions/functions-scope.js create mode 100644 src/functions/grade-calc.js create mode 100644 src/functions/undefined-null.js create mode 100644 src/notes-app/index.html create mode 100644 src/notes-app/notes-app.js create mode 100644 src/todo-app/index.html create mode 100644 src/todo-app/task.txt create mode 100644 src/todo-app/todo-app.js diff --git a/.devcontainer/Dockerfile b/.devcontainer/Dockerfile new file mode 100644 index 0000000..79562fd --- /dev/null +++ b/.devcontainer/Dockerfile @@ -0,0 +1,16 @@ +# See here for image contents: https://github.com/microsoft/vscode-dev-containers/tree/v0.148.1/containers/javascript-node/.devcontainer/base.Dockerfile + +# [Choice] Node.js version: 14, 12, 10 +ARG VARIANT="14-buster" +FROM mcr.microsoft.com/vscode/devcontainers/javascript-node:0-${VARIANT} + +# [Optional] Uncomment this section to install additional OS packages. +# RUN apt-get update && export DEBIAN_FRONTEND=noninteractive \ +# && apt-get -y install --no-install-recommends + +# [Optional] Uncomment if you want to install an additional version of node using nvm +# ARG EXTRA_NODE_VERSION=10 +# RUN su node -c "source /usr/local/share/nvm/nvm.sh && nvm install ${EXTRA_NODE_VERSION}" + +# [Optional] Uncomment if you want to install more global node modules +# RUN sudo -u node npm install -g diff --git a/.devcontainer/devcontainer.json b/.devcontainer/devcontainer.json new file mode 100644 index 0000000..8e39e25 --- /dev/null +++ b/.devcontainer/devcontainer.json @@ -0,0 +1,27 @@ +{ + "name": "Node.js", + "build": { + "dockerfile": "Dockerfile", + // Update 'VARIANT' to pick a Node version: 10, 12, 14 + "args": { "VARIANT": "14" } + }, + + // Set *default* container specific settings.json values on container create. + "settings": { + "terminal.integrated.shell.linux": "/bin/bash" + }, + + // Add the IDs of extensions you want installed when the container is created. + "extensions": [ + "dbaeumer.vscode-eslint" + ], + + // Use 'forwardPorts' to make a list of ports inside the container available locally. + "forwardPorts": [3001], + + // Use 'postCreateCommand' to run commands after the container is created. + // "postCreateCommand": "yarn install", + + // Comment out connect as root instead. More info: https://aka.ms/vscode-remote/containers/non-root. + "remoteUser": "node" +} diff --git a/notes/chapter3_javascript-basics_varaibles-and-flow-control.md b/notes/chapter3_javascript-basics_varaibles-and-flow-control.md new file mode 100644 index 0000000..55fea19 --- /dev/null +++ b/notes/chapter3_javascript-basics_varaibles-and-flow-control.md @@ -0,0 +1,76 @@ +# Chapter 3: JavaScript Basics: Varaibles and Flow Control + +## Booleans and Comparison Operators + +Booleans in JS: +```js +let isFreezing = true; +let isBoiling = false; +``` + +Use comparison to evaluate to Booleans: +* **Equality Operator**: `===` +* **Not-equality Operator**: `!==` +* **Less than Operator**: `<` +* **Greater than Operator**: `>` +* **Less than or equal to Operator**: `<=` +* **Greater than or equal to Operator**: `>=` + +## If Statements and ifelse statements + +```js +if (condition) { + // executed if true +} else if { + // executed else if false +} else { + // executed after all justified +} +``` + +## Logical "And" and "Or" Operators + +* Logical "And" Operator: `&&` +* Logical "Or" Operator: `||` + +## Variable Scope + +JS use **Lexical Scope (Static Scope)** has 2 types of scope: +* **Global Scope** = Defined outside of all code blocks +* **Local Scope** = Defined inside a local scope (e.g. function block or if stat) + +In a scope you can access variables defined in that scope, or in any parent/ancestor scope. + +**Variable Shadowing**: In local scope, we can difine same variable name to overwrite/shadow parent scopel + +```js +let name = 'Andrew'; +if (true) { + let name = 'Mike'; + + if (true) { + console.log(name); // => Mike + } +} + +if (true) { + console.log(name); // => Andrew +} +``` + +Assigning variable also need take scope into consideration + +**Leaked Global variable**: If a variable in local scope is not defined, it will look up that variable name in parent scope, ancestor scope, until global scope. If not found in global scope as well, JS will define it in global scope + +```js +if (true) { + if (true) { + let name = 'Jan' // => JS will create a global name + console.log(name) + } + + if (true) { + console.log(name) // => 'Jan' as it's leaked global variable + } +} +``` \ No newline at end of file diff --git a/notes/chapter4_javascript-functions.md b/notes/chapter4_javascript-functions.md new file mode 100644 index 0000000..6c9cf1c --- /dev/null +++ b/notes/chapter4_javascript-functions.md @@ -0,0 +1,69 @@ +# Chapter 4: JavaScript Functions + +## Function Basics + +Simple JS function definition and invocation: +```js +// Function Definition +let greetUser = function () { + console.log('Welcome user!'); +} + +// Function Invocation +greetUser(); // => 'Welcome user!' +``` + +Simple JS function with 1 **argument** and **return**: +```js +let square = function (input) { + return input*input; +} + +console.log(square(3)); // => 9 +``` + +## Undefined and Null + +* `undefined`: + * **Senario 1 (Undefined for variable)**: when variable is declared but without assigning value. JS assign `undefined` to it. + * **Senario 2 (Undefined for function arguments)**: Function argument is undefined when no value is parsed. Program hence does not crash. + * **Senario 3 (Undefined as function return default value)**: When function code does not return anything and when it's invoked. It return `undefined`. +* `null`: + * **Emptiness assigned to a varaible**: When a value is not sure and want to specify the variable is empty, developer can assign `null`. + +## Multiple Arguments and Argument Defaults + +Defining functions with multi-arguments: +```js +let func_name = function (arg1, arg2) { + // function body +} +``` + +Invoke this function: +```js +func_name(param1, param2); +``` + +Dafualt value of arguments can be set in function def: +```js +// Default arguments +let getScoreText = function (name = 'Anonymous', score = 0) { + console.log(name) + console.log(score) +} + +getScoreText() // 'Anonymous', 0 +``` + +## Function Scope + +Local variable within function only exist in function scope + +## Template Strings + +**Template String** (aka **Template literals**): string literal careted using backticket + +```js +`This is ${expression}` +``` \ No newline at end of file diff --git a/notes/chapter7_js-in-the-browser.md b/notes/chapter7_js-in-the-browser.md new file mode 100644 index 0000000..119ecdd --- /dev/null +++ b/notes/chapter7_js-in-the-browser.md @@ -0,0 +1,33 @@ +# Chapter 7: Javascript in Browser + +## Setting up a Web Server + +Setting up a web server: +* Install `live-server` using `npm`: +``` +npm install -g live-server +``` +`live-server` have live-reloading feature. + +Create a directory for the app. + +In the app directory, create a `index.html` and add element in + +After creating a HTML, we can view it `live-server ` in browser + +## JavaScript in Browser + +* JS embedded in HTML via `` +* Or put JS code in a separate file, then import it as `` + +## DOM Manipulation + +Use JS to manipulate HTML via **Document Object Model**, where document = HTML, object = JS object (i.e. Document is modeled using a JS object) + +The JS object represent Document is `document`. +* Create an obj `p` and assign the queried obj to it. `document.querySelector('p')` select the first obj that has tag named `

` +* Script tag has to be after paragraph to query it + +## Adding Elements via the DOM + + \ No newline at end of file diff --git a/src/basics/booleans.js b/src/basics/booleans.js new file mode 100644 index 0000000..9d04536 --- /dev/null +++ b/src/basics/booleans.js @@ -0,0 +1,22 @@ +let temp = 31; +let isFreezing = (temp === 31); + +console.log(isFreezing); + +if (isFreezing) { + console.log("It's freezing outside!") +} + + +// challenge area + +// Create age set to your age +let age = 26; +// Calcualte is child - if they are 7 or under +let isChild = (age <= 7); +// Calculate is senior - if they are 65 or older +let isSenior = (age >= 65); +// Print is child value +console.log(isChild); +// Print is senior value +console.log(isSenior); diff --git a/src/basics/hello-world.js b/src/basics/hello-world.js new file mode 100644 index 0000000..5e04b93 --- /dev/null +++ b/src/basics/hello-world.js @@ -0,0 +1 @@ +console.log('Hello Andrew!') \ No newline at end of file diff --git a/src/basics/logical-and-or.js b/src/basics/logical-and-or.js new file mode 100644 index 0000000..c0f4ba0 --- /dev/null +++ b/src/basics/logical-and-or.js @@ -0,0 +1,6 @@ +let temp = 65; + +if (temp >= 60 && ) { +} else { + +} \ No newline at end of file diff --git a/src/basics/numbers.js b/src/basics/numbers.js new file mode 100644 index 0000000..3e3581d --- /dev/null +++ b/src/basics/numbers.js @@ -0,0 +1,14 @@ +let age = 26; +let dogYears = (age + 1) / 7; + +console.log(dogYears); + +// Challenge area + +// studentScore +let studentScore = 18; +// maxScore +let maxScore = 20; +// percent +let percent = (studentScore / maxScore) * 100; +console.log("Percent is: " + percent); diff --git a/src/basics/scope.js b/src/basics/scope.js new file mode 100644 index 0000000..5c2127f --- /dev/null +++ b/src/basics/scope.js @@ -0,0 +1,11 @@ +let varOne = "varOne"; + +if (true) { + varOne = "varOneNew"; + console.log(varOne); + let varTwo = "varTwo"; + console.log(varTwo); +} + +console.log(varOne); +console.log(varTwo); \ No newline at end of file diff --git a/src/basics/strings.js b/src/basics/strings.js new file mode 100644 index 0000000..7105fbf --- /dev/null +++ b/src/basics/strings.js @@ -0,0 +1,6 @@ +let city = "Canberra"; +let country = "Australia"; + +let location = city + ', ' + country; + +console.log(location); \ No newline at end of file diff --git a/src/basics/temp-conversion.js b/src/basics/temp-conversion.js new file mode 100644 index 0000000..9205b47 --- /dev/null +++ b/src/basics/temp-conversion.js @@ -0,0 +1,11 @@ +let fahrenheit = 50; + +// calculate celsius and store in celsius variable +// print the value +let celsius = (fahrenheit - 32) * (5/9); +console.log("Celsius: " + celsius); + +// calculate kelvin value and store in variable +// print that value +let kelvin = celsius + 273.15; +console.log("Kelvin: " + kelvin); \ No newline at end of file diff --git a/src/basics/variables.js b/src/basics/variables.js new file mode 100644 index 0000000..8977227 --- /dev/null +++ b/src/basics/variables.js @@ -0,0 +1,12 @@ +// 1. You can't define a variable more than once +let petName = 'Hal'; // declare a variable and initialization +petName = 'Spot'; // Reassign variable (you cannot redeclare a variable) + +console.log(petName); + +// 2. There are rules related to variable names +// let 3 = 2; // naming variable can only start with letter/$/_ +let result = 3 + 4; + +// 3. Variable names cannot be reserved keywords +// let let = 12; \ No newline at end of file diff --git a/src/functions/arguments.js b/src/functions/arguments.js new file mode 100644 index 0000000..6ed277e --- /dev/null +++ b/src/functions/arguments.js @@ -0,0 +1,26 @@ +// Multiple arguments +let add = function (a, b, c) { + return a + b + c +} + +let result = add(10,1,5) +console.log(result) + +// Default arguments +let getScoreText = function (name = 'Anonymous', score = 0) { + console.log(name) + console.log(score) +} + +getScoreText() + +// Challenge area (tip calculator) +// Argument: total, tipPercent (default = 20%) +// Output: return tip value +let calcuateTip = function (total, tipPercent = .2) { + return total * tipPercent; +} +console.log(calcuateTip(100,.4)); + +let name = 'Jen'; +console.log(`Hey my name is ${name}`) \ No newline at end of file diff --git a/src/functions/functions-101.js b/src/functions/functions-101.js new file mode 100644 index 0000000..756429d --- /dev/null +++ b/src/functions/functions-101.js @@ -0,0 +1,25 @@ +// Function - input (aka argument), code, output (aka return value) + +let greetUser = function () { + console.log('Welcome user!'); +} + +greetUser(); + +let square = function (input) { + return input*input; +} + +console.log(square(3)); + +// Challenge Area + +// Convert FahrenheitToCelsius +let convertFahrenheitToCelsius = function (num) { + let celsius = (num - 32) * (5/9); + return celsius; +} +// Call a couple of times (32 -> 0) (68 -> 20) +console.log(convertFahrenheitToCelsius(32)); +console.log(convertFahrenheitToCelsius(68)); +// Print the conveted values \ No newline at end of file diff --git a/src/functions/functions-scope.js b/src/functions/functions-scope.js new file mode 100644 index 0000000..1c2c426 --- /dev/null +++ b/src/functions/functions-scope.js @@ -0,0 +1,17 @@ +// Global Scope (convertFahrenheitToCelsius, tempOne, tempTwo) + // Local Scope (fahrenheit, celsius) + // Local Scope (is Freezing) + +// Convert FahrenheitToCelsius +let convertFahrenheitToCelsius = function (fahrenheit) { + let celsius = (fahrenheit - 32) * (5/9); + + if (celsius <= 0) { + let isFreezing = true + } + return celsius; +} +// Call a couple of times (32 -> 0) (68 -> 20) +console.log(convertFahrenheitToCelsius(32)); +console.log(convertFahrenheitToCelsius(68)); +// Print the conveted values \ No newline at end of file diff --git a/src/functions/grade-calc.js b/src/functions/grade-calc.js new file mode 100644 index 0000000..3ef91c7 --- /dev/null +++ b/src/functions/grade-calc.js @@ -0,0 +1,24 @@ +// Arg: students score, total possible Mark +// 15/20 -> You got a C (75%) +// A: 90-100, B 80-89, C 70-79, D 60-69, F 0-59 + +let calcGrade = function (score, totalScore) { + let percent = score / totalScore * 100; + let letterGrade = ''; + if (percent >= 90) { + letterGrade = 'A'; + } else if (percent >= 80 && percent <= 89) { + letterGrade = 'B'; + } else if (percent >= 70 && percent <= 79) { + letterGrade = 'C'; + } else if (percent >= 60 && percent <= 69) { + letterGrade = 'D'; + } else { + letterGrade = 'F'; + } + + return `You got a ${letterGrade} (${percent}%)` +} + +let result = calcGrade(15, 20) +console.log(result); \ No newline at end of file diff --git a/src/functions/undefined-null.js b/src/functions/undefined-null.js new file mode 100644 index 0000000..88649a2 --- /dev/null +++ b/src/functions/undefined-null.js @@ -0,0 +1,6 @@ +let name; + +console.log(num); + +name = null; +console.log(name); \ No newline at end of file diff --git a/src/notes-app/index.html b/src/notes-app/index.html new file mode 100644 index 0000000..4b60f31 --- /dev/null +++ b/src/notes-app/index.html @@ -0,0 +1,14 @@ + + + + + This is big header + + +

Notes App

+

Take note here and never forget

+

This application was created by Jason Zhu

+

Some notes text

+ + + \ No newline at end of file diff --git a/src/notes-app/notes-app.js b/src/notes-app/notes-app.js new file mode 100644 index 0000000..93aa9fc --- /dev/null +++ b/src/notes-app/notes-app.js @@ -0,0 +1,19 @@ +// DOM - Document Object Model + +// const p = document.querySelector('p') +// p.remove() + +// Query all and do some operations +const ps = document.querySelectorAll('p') + +// Remove +// ps.forEach(function (p) { +// p.remove() +// }) + + +// Read/Write HTML document elements +ps.forEach(function (p) { + // console.log(p.textContent) + p.textContent = '****' +}) \ No newline at end of file diff --git a/src/todo-app/index.html b/src/todo-app/index.html new file mode 100644 index 0000000..9c7bd54 --- /dev/null +++ b/src/todo-app/index.html @@ -0,0 +1,17 @@ + + + + + + +

Todos

+

Clean the kitchen

+

Book flights

+

Research museums

+

Walk the dog

+

Finish this course!

+ + + + + \ No newline at end of file diff --git a/src/todo-app/task.txt b/src/todo-app/task.txt new file mode 100644 index 0000000..e417563 --- /dev/null +++ b/src/todo-app/task.txt @@ -0,0 +1,9 @@ +Part 1: + +1. Create a new HTML file +2. Add an h1 and 5 p tags +3. Server that folder and view the doc in the browser + +Part 2: +1. Create an link a JS file to HTML +2. Iterate all todo paragraph and remove p tag that have "the" \ No newline at end of file diff --git a/src/todo-app/todo-app.js b/src/todo-app/todo-app.js new file mode 100644 index 0000000..b34be79 --- /dev/null +++ b/src/todo-app/todo-app.js @@ -0,0 +1,46 @@ +const todos = [{ + text: 'Order cat food', + completed: false +}, { + text: 'Clean kitchen', + completed: true +}, { + text: 'Buy food', + completed: true +}, { + text: 'Do work', + completed: false +}, { + text: 'Exercise', + completed: true +}] + +const ps = document.querySelectorAll('p') + +ps.forEach(function (p) { + if (p.textContent.includes("the")) { + p.remove(); + } +}) + +// Add a new element +const newParagraph = document.createElement('p') +newParagraph.textContent = 'This is a new element from JavaScript' +document.querySelector('body').appendChild(newParagraph) + +// You have 2 todos left +// Add a p for each todo above + +const incompleteTodos = todos.filter(function (todo) { + return !todo.completed; +}) + +const summary = document.createElement('h2'); +summary.textContent = `You have ${incompleteTodos.length} todos left`; // Template literals (template string) +document.querySelector('body').appendChild(summary); + +todos.forEach(function (todo) { + const p = document.createElement('p'); + p.textContent = todo.text; + document.querySelector('body').appendChild(p) +}) \ No newline at end of file