KEMBAR78
Javascript | PDF | Java Script | Dynamic Web Page
0% found this document useful (0 votes)
321 views104 pages

Javascript

The document provides information about JavaScript: 1. It discusses the history of JavaScript, originally called Mocha and then LiveScript before being renamed to JavaScript. 2. It describes some common applications of JavaScript including user interactivity on webpages, building web and mobile apps using frameworks like React, and server-side development using Node.js. 3. It explains there are two main ways to insert JavaScript into an HTML page using internal and external scripts tags.

Uploaded by

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

Javascript

The document provides information about JavaScript: 1. It discusses the history of JavaScript, originally called Mocha and then LiveScript before being renamed to JavaScript. 2. It describes some common applications of JavaScript including user interactivity on webpages, building web and mobile apps using frameworks like React, and server-side development using Node.js. 3. It explains there are two main ways to insert JavaScript into an HTML page using internal and external scripts tags.

Uploaded by

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

WEB DEVELOPMENT

Javascript
SUHAIB REHMAN
TRAINER
JAVASCRIPT
History

•In September 1995, Brendan Eich, a programmer at Netscape developed a


programming language in just 10 days.
•This language was initially called Mocha, then LiveScript.
•In December 1995 Netscape and Sun(the organisation that owned Java) had a
license agreement regarding Javascript(then LiveScript) hence it was renamed
to Javascript and specifically "Java" script because Java was the most popular
language at that time and this would help the marketing of Javascript as well.
ECMA International
European Computer Manufacturers Association (ECMA) is a nonprofit standards organization for information and communication systems. It acquired its
current name in 1994, when the European Computer Manufacturers Association (ECMA) changed its name to reflect the organization's global reach and
activities. Offical name of java scripy
JAVASCRIPT

Applications of JavaScript
Excellent user interactivity: Javascript, it allows users to interact with the
webpage allowing us to build amazing websites and web apps.
Web and Mobile app creation: Javascript based frameworks like React,
Angular, Vue allow us to build robust web applications.
Server-side development: We can also use Javascript to develop the back end
infrastructure of a web application by using Node.js.Example: Netflix,
Game development: Javascript can also be used to develop browser based
games some of them are HexGL, CrossCode, etc.
Art: We can also make digital art on the HTML5 canvas by using javascript based
libraries.Example.js library
JAVASCRIPT

Applications of JavaScript
Client-side use of JavaScript
Javascript is mostly used for client-side scripting. (Code is run on the client's browser)
It can be used to modify the web page’s user interface (the browser and its DOM) and make
pages interactive.
It deals with client-side processing like cookies, sessions.
It deals with the storage of the web browser i.e. local and session storage.
For example:
If the user selects a dark theme for a website once, the website is always in a dark theme
whenever the user re-visits the page, this is because the user's preference is stored in
local storage by Javascript.
JAVASCRIPT

server side use of JavaScript


Javascript can also be used to for server side development. This is possible
because of Node.js.
Node.js is an application runtime environment that allows us to use JavaScript
for building server-side applications.
We can do things like database queries, network requests, read/write files on
the server, running web servers, interacting with other servers, handling data
sent to the server, etc.
Server side scripting is responsible for showing dynamic content on the
webpage.
JAVASCRIPT

How to Insert JavaScript into an HTML Page

You can insert a JavaScript program into an HTML document in two ways.
•Internal JavaScript
•External JavaScript
Both methods make use of the <script> tag
JAVASCRIPT
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8">
<meta name="viewport" content="width=device-width">
<link href="style.css" rel="stylesheet" type="text/css" />
<script src="/javascript.js"></script>
</head>
<body>
<script>
console.log("Hello World!")
</script>
</body>
</html>
3 Ways of Printing

Using console.log()
The console.log() is a function used to log messages on the web console
Using document.write()
document.write() is another function you can use to print Hello World in JavaScript.
Using alert()
The last function we will use to print Hello World in JavaScript is alert.
This function displays a pop-up box over the current window with the specified message
.Using cofirm() creates a popup that contains two buttons ok and cancel.Where on clicking
ok button contains boolean true value and cancel contains Boolean false value
Using prompt()// creates a popup that is used to take input from the user
Using async and defer
async and defer are <script> tag attributes that can be used to increase website loading times.
With async, the file gets downloaded asynchronously and then executed as soon as it’s
downloaded.
With defer, the file gets downloaded asynchronously but executed only when the document
parsing is completed.

<script async src="script.js"></script>


Declaring Variables
Declaring variables

Declaring a Variable
One must create a variable before using it. In programming terms, we call this
declaring a variable. In Javascript, we can declare a variable using either
let,
var, or
const keywords.
To declare a variable without using any keyword, we have to just write the
variable name and must assign a value to that variable. On doing this, the
variable becomes a global variable
However, it is not recommended to declare a variable without using var as it may alter the value of an already
existing global variable
variables

Rules/Identifiers While Declaring a JavaScript Variable


To declare a JavaScript variable, one must know the rules to follow, Rules are
as follows:
•Variables are case-sensitive in JavaScript.
•We can use letters, digits, and symbols like a dollar sign ($) and underscore
_ in a variable name.
•We cannot start a variable name with a digit (0-9).
•We cannot use any of the reserved keywords (function, return, type of, break,
etc.) of JavaScript as a variable name.
Var and let

The Difference Between 'var' and 'let’


1. The main difference between var and let is that the scope of the variable that is defined
by let is limited to the block in which it is declared, whereas the variable declared
using var has a global scope, i.e., can be used throughout the code

2. We cannot declare the same variable multiple times if one of them is declared using let,
whereas we can declare the same variable any number of times using var.

let myName = "my name";


let myName = "not my name";
console.log(myName); //output => SyntaxError: redeclaration of let name
break case catch class

1. JavaScript Reserved Words


const continue debugger default

delete do else export

extends finally for function

if import in instanceof

new return super switch

this throw try typeof

var void while with


Data Types
Data types
What are Data Types in JavaScript?

There are mainly two types of data types in JavaScript:


1. Primitive data types.
2. Non-primitive data types.

Primitive Data Types in JavaScript


Primitive data types in javascript refer to those data types that are defined on the most
basic level of the language.

There are 7 primitive data types in JavaScript: Largest safe Integer: It represents the
3.Numbers largest integer value that can be
4.BigInt represented by javascript without any
overflow.
5.String
Representation: Number.MAX_SAFE_INTEG
6.Boolean ER
7.Undefined Value: 253 - 1 or 9007199254740991
8.Null
9.Symbol
Primitive datatype

Boolean Type

It can be declared by using the bool keyword


followed by the variable name. It can be assigned
only two values, true or false.

Syntax:

bool flag = false;


Primitive datatype

Symbol Data type


One of the reasons of adding the data type was to enable private properties in
JavaScript.
Symbols are often used to add unique property keys to an object that won't
collide with keys any other code might add to the object, and which are hidden
from any mechanisms other code will typically use to access the object
Primitive datatype
String properties:
1. Indexing
2. Immutability:
let name = ‘abcd’;
name.toLowerCase(); // INVALID
OPERATION
solution: let newName =
name.toLowerCase();
console.log(newName);

3. Concatenation: var str3 = str1 + str2;


4. str.charAt(index);
5. By using the backslash character
We can also break the string into multiple lines using
backslashes (\).
Method Description
charAt() Finds the character present at a particular index in the string.
concat() Concatenates the string arguments.

indexOf() returns the index of the first occurrence of the passed value.

lastIndexOf() returns the index of the last occurrence of the passed value.

toLowerCase() converts all the characters of the string into lowercase letters.

toUpperCase() converts all the characters of the string into uppercase letters.

split() divides the given string into an ordered list of substrings.


trim() removes additional spaces around the string.
toString() returns a string object as a string.
extracts the characters between two indices of a string and returns a
substring()
substring.
slice()
extracts a section of a string and returns it as a new string, without
modifying the original string.
.length
.reverse()
Non-Primitive datatype
What are Data Types in JavaScript?

There are mainly two types of data types in JavaScript:


1. Primitive data types.
2.Non-primitive data types.

Non-primitive Data Types in JavaScript

Non-primitive data types are those data types that aren't defined at a basic level but are
complex data types formed upon operations with primitive data types.
There are mainly 3 types of non-primitive (or complex) data types in JavaScript:
1.Object
2.Array
3.RegExp
Non-Primitive datatype

Declaration: Object in javascript is a collection of data that is kept in a <script>


<script>
key-value pair manner. let phone=Symbol("ph");
let students={
let phone2=Symbol("ph");
rollno:"1",
let students={
Objects in javascript can be created by two methods: name:"abc",
rollno:"1",
age:" 20",
name:"abc",
1. Literal method: age:" 20",
};
students[phone]=1234;
let obj = { };
students.gender="male";
key: "value" students[phone2]=3456;
} students.gender="male";
console.log(students)
</script>
2. By constructor method console.log(students)
JSON.stringify(students)
</script>
let obj=new Object();
obj.name='javascript'
console.log(obj);
obj.course="hi";
console.log(obj);
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title></title>
</head>
<body>
<script>
function Students(rollno,name,address)
{ Use of this is explained in upcoming
this.r=rollno, slides
this.n=name,
this.a=address
this.show= function (){
console.log("Rollno ="+this.r+"name= "+this.n);
}
}
var st1= new Students(1,"abc","chandigrah")
st1.show()
var st2=new Students(2,"def","mohali")
st2.show()
</script>
</body>
</html>
Non-Primitive datatype

Array

JavaScript Arrays are the objects that can store multiple


items(or values) irrespective of their data types under a
single variable. In fact, Arrays don't just provide a way to
store multiple values, they also provide a way to access
them randomly in constant time(that is O(1) time
complexity).

But in JavaScript, we have the freedom of storing any


data type value in an array be
it number, string, null, undefined, float, or even
an array can be stored inside an array.
Array Type
Javascript arrays can be declared by three methods:

1. By array literal:

In this method, arrays are declared using const, let, or var keywords and
the values are assigned to them using [].

Syntax:

let ar = ['1','2','3'];
var ar=[1,2,3,4,5];
for(var i=0;i<ar.length;i++)
2. Constructor method:
console.log(ar[i]);
var std =new Array()
Arrays can be declared by calling Array() constructor using the new
std[0]="hi";
keyword.
std[1]=2
std[2]="2"
//By constructor
console.log(std[1]);
let Y = new Array('Apple', 'Orange', 'Grapes', 'Banana');
console.log(typeof std[2])
Array Methods
1. Push:

To add elements to the end of an array.


Syntax:
arr.push(element); Remove an Item by the Index Position
2. Pop:
To remove elements from the end of the array. The splice() method can be used to remove, add or even
Syntax: replace an element(s) in the array.
arr.pop() Remove: marks.splice(1, 1);
3. Shift: Add: marks.splice(2, 0, "newTwo", "newThree",
shift: "newFour");
To remove elements at the beginning of the array. 2 is the index from where the operation starts.
Syntax: 0 indicates that zero elements will be removed, that is, no
arr.shift() removal of elements.
Replaced: If 0 is replace by 1 indicates that zero elements
4. unShift: will be removed, that is, no removal of elements.(replaced)
unsshift:
To add elements at the beginning of the array.
Syntax:
arr.unshift(“Element”)
Nested Objects and Arrays use in object Data type
Non- Primitive datatype

Regular Expression https://regexr.com/


Create custom
The RegExp in javascript is an object which is used to match a string with a
particular pattern.
regular expression
Regular Expressions (RegExp) can be created by two methods:

1 . By using forward slashes:

In this method, we declare literals and then assign them the pattern which
follows a forward slash, and it is followed by a modifier.

Syntax:

let re = /pattern/modifier;
Non-Primitive datatype

RegExp modifiers:
Regular Expression
Modifiers are added after the declaration of
RegExp. Their task is to modify the search
operation according to their property.
2. By Constructor:
Following are some common modifiers in
Regular expressions can be declared by calling RegExp() constructors Javascript:
by passing the pattern as a parameter.
g: It is added to make sure the RegExp
Syntax: doesn't stop after finding the first match. It
performs global matches.
let re = new RegExp('pattern'); i: It performs a case-insensitive matching.
m: It performs multiline matching.
VAR VS LET VS CONST
let can be updated but not re-declared.

let greeting = "say Hi";


let greeting = "say Hello instead";//error

This fact makes let a better choice than var. When using let, you don't have to bother if
you have used a name for a variable before as a variable exists only within its scope.

let greeting = "say Hi";


if (true) {
let greeting = "say Hello instead";
console.log(greeting); // "say Hello instead"
}
console.log(greeting); // "say Hi"
const cannot be updated or re-declared
This means that the value of a variable declared with const remains the
same within its scope. It cannot be updated or re-declared. So if we declare
a variable with const, we can neither do this:

const greeting = "say Hi";


greeting = "say Hello instead";// error: Assignment to constant variable
TYPE CONVERSION
Type Conversion in JavaScript

Type conversion in JavaScript is the conversion of one data type to another data type (such
as string to a number, object to a boolean, and so on) which is required by the function or
operator to work in the right way to give the expected results.

Type conversions take place when any operation is done with different data types, these
conversions can be either done by the javascript compiler or manually by us.
// Number is converted into String
console.log('5' + 3); // '53'

// String is converted into Number for calculation


console.log('5' - 3); // 2
console.log('5' * 3); // 15

// expression is converted into boolean


console.log(null == 1); // false

// When the result is not a number


console.log('Ale' - 2021); // NaN
Types of type conversion in Javascript
Basically, there are two ways in which type conversion in Javascript takes place : Implicit
and Explicit type conversions.

•Implicit type conversions - Automatic type conversion done by javascript compiler.

•Explicit type conversions - Manual type conversion done by us.


Number() Boolean(), String(), Number(), parseInt(),

console.log(parseInt(65.456)); // 65
// Implicit conversion to string
'25' + 15; // '2515'

// Implicit conversions to a number


23 * '2'; // 46
23 - true; // 22 // true is converted into 1
true - null; // 1
false + undefined; // NaN // undefined into NaN
// Explicit conversions solved previous problem

const pensInBag = Number(prompt('How many pens you have in your bag?'));


const pensInHand = 10;
const totalPens = pensInHand + pensInBag;
console.log(totalPens);
// here now if i enter 5 then
// result appeared as expected: 15
// conversion to string using String()
String(2 - true); // '1'
'56' === String(56); // true

// conversion to number using Number()


Number(prompt()); // converts prompt value into a Number
Number('2350e-2'); // '23.5'
Number('23') + 7; // 30

// conversion to Boolean Explicitly


Boolean(''); // false
Boolean(2) == true; //true

2 + 3 + '4' + 'number'
OBJECT
Knowledge Base class Student{
constructor(firstName, lastName, age, rollNo){
this.firstName = firstName;
The constructor() is a method used to initialize the object
this.lastName = lastName;
properties. It is executed automatically when a new object of
this.age = age;
the given class is created. (It may take parameters)
this.rollNo = rollNo;
The constructor() is a method used to initialize the attributes in
}
Javascript classes. When an object is created, its class's
}
constructor() method is called.
The constructor parameters are the values passed by the
The this keyword in Javascript is used to refer to the current user while creating an object which is assigned to the
object in a method or constructor. It is used to stamp out the class attributes.
confusion between class attributes and parameters that are
passed to the constructor with the same name. The class attributes and the constructor parameters can
have different names, although it is a common practice to
The object in Javascript is a standalone entity created by the user write similar names for both.
that has properties and types. It can be defined as the physical
entity built upon a class definition.

var s1 = new Student('Peter', 'Parker', 16, 48);

The new keyword in JavaScript creates an instance of an object


that has a constructor function.
Knowledge Base
The this keyword in Javascript is used to refer to the current
What is this?
object in a method or constructor. It is used to stamp out the
In JavaScript, the this keyword refers to an object.
confusion between class attributes and parameters that are
The this keyword refers to different objects depending
passed to the constructor with the same name.
on how it is used:
The object in Javascript is a standalone entity created by the user
that has properties and types. It can be defined as the physical In an object method, this refers to the object.
entity built upon a class definition. Alone, this refers to the global object.
In a function, this refers to the global object.
var s1 = new Student('Peter', 'Parker', 16, 48);

The new keyword in JavaScript creates an instance of an object


that has a constructor function.
Object

Object

An object is an unordered collection of data. It is an entity having state and


behavior properties and methods. For example, pen, chair, car, etc.…

Date Object

The JavaScript date object can be used to get year, month and day. You can display
a timer on the webpage using the JavaScript date object. It stores date and time.
Date Object
The JavaScript date object can be used to get year, month and day. You can display
a timer on the webpage using the JavaScript date object. It stores date and time.

Uses of Date Object


•Creation/Modification of time
•To display the current date and time
•To measure time

To create a date object using the ‘new’ keyword.


•new Date ()
•new Date (milliseconds)
•new Date (date string)
•new date (date, month, year, hour, minutes, seconds, milliseconds)
1.<!DOCTYPE html> 1.<!DOCTYPE html>
2.<html> 2.<html>
3.<head> 3.<head>
4. <title>Date Object in JavaScript</ 4. <title>Date Object in JavaScript</
title> title>
5.</head> 5. <meta charset="utf-8">
6.<body> 6.</head>
7. <h2>Date Object in JavaScript</h2> 7.<body>
8. <h3>To Display the Current Date</h3> 8. <h2>Date Object in JavaScript</h2>
9. <script type="text/javascript"> 9. <h3>To Display the Current Time</h3>
10. var date=new Date(); // 10. <script type="text/javascript">
to display current date 11. var today =new Date();
11. var day=date.getDate(); 12. var hour=today.getHours(); //
12. var month=date.getMonth() current time
+1; //It Starts with zero 13. var minute=today.getMinutes();
13. var year=date.getFullYear(); 14. var second=today.getSeconds();
14. document.write("<br>Current Dat 15. document.write("Current Time is :"
e is: "+day+"/"+month+"/"+year); +hour+":"+minute+":"+second);
15. </script> 16.</script>
16.</body> 17.</body>
17.</html> 18.</html>
1.<!DOCTYPE html>
2.<html>
3.<head>
4. <title>Date Object in JavaScript</
title>
5. <meta charset="utf-8">
6.</head>
7.<body>
8. <h2>JavaScript set method</h2>
9. <script type="text/javascript">
10. function alerts()
11. {
12. alert("Hello! Welcome.");
13. }
14. setInterval(alerts,5000) Setinterval () method
15.</script>
16.</body> This will call the alert function every 5 seconds
17.</html> (1000 ms = 1 second).
The Math Object Method
The Math object contains a number of methods that are used for calculations. There are some
methods below:
Methods Description
sqrt(x) Returns the square root of x
Returns the natural logarithm (base E) of
log(x) x
exp(x) Returns the value of Ex
pow(x,y) Returns the value of x to the power of y
abs(x) Returns the absolute value of x
Returns a random number between 0
random() and 1
FUNCTIONS
Functions
Functions
Anonymous functions
Anonymous functions are the functions that do not have any
name. Here, we use only the function keyword without the
function name. We can basically call an anonymous function by
assigning it to a variable and calling that variable.

Example:

let x = function (){ //anonymous function


console.log("I'm anonymous function!");
};
x(); //to call the anonymous function.
Functions
Arrow Functions
As of ES2015, we can also use arrow functions in place of function
expressions. Arrow function expressions are somewhat a compact
alternative to the normal function expressions; however, they are
restricted and cannot be used for all situations.
Demonstration of arrow functions:

const add = (a,b) => {


return a+b;
}
console.log(add(10,5)); // expected output: 15
Functions

When are function expressions useful?


Function expressions are most useful when: const a = function() {
1.We want to pass a function as an argument to console.log('I am from function
another function. expression - a');
2.We want to use our functions as values. };
As we know, JavaScript Functions are first-class //function b is expecting a function as
citizens; we can obviously pass functions as parameter
arguments or assign them to a variable. function b(a){
Example: console.log('Hey I am from function - b');
a();
}
b(a); //Function expression 'a' is passed
as an argument to 'b'
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Document</title>
</head>
<body>
<textarea name="" id="txt" cols="30" rows="10" onfocus="back1()" onblur="back2()"></textarea>
<button onclick="copy()">Submit</button>
<p id="copy"></p>
</body>
<script>
function back1(){
document.getElementById("txt").style.backgroundColor="lightgrey"
}
function back2(){
document.getElementById("txt").style.backgroundColor=""
}
function copy()
{
let text= document.getElementById("txt").value
document.getElementById("copy").innerHTML=text
}
</script>
</html>
Functions(function passed as argument)
<script>
let ad=()=>{ var a=10;return (a) //arrow function
}

function add(value){
ac=50;
bc=20;
console.log("value ac: "+(ac+bc)+" value of a in arrow fn "+value()) //value of a in
arrow function is printed
return ac;
}
var z =add(ad) // function call ad is pass as function argument
console.log("value returned is"+z)//value of ac

</script>
Mouse Events
Event Occurs When
onclick A user clicks on an element
oncontextmenu A user right-clicks on an element
Sum(event)
ondblclick A user double-clicks on an element
onmousedown A mouse button is pressed over an element Sum(e)
{
onmouseleave The mouse pointer moves out of an element document.getElementById("result").inner
HTML=e.button
onmousemove The mouse pointer moves over an element document.getElementById("result").inner
onmouseout The mouse pointer moves out of an element HTML=e.details

onmouseover The mouse pointer moves onto an element


onmouseup A mouse button is released over an element }
Keyboard Events
Event Occurs When
onkeydown A user presses a key
onkeypress A user presses a key
onkeyup A user releases a key

The onkeypress event is deprecated.


It is not fired for all keys (like ALT, CTRL, SHIFT, ESC) in all browsers.
To detect if the user presses a key, always use the onkeydown event.
It works for all keys.
</script>

<input type="text"
onkeypress="myFunction(event)">

<script>
function myFunction(e) {
document.write(e.key)
}
<body>
<button value="a">A</button>
<button>B</button>
<button>C</button>
<p></p>
Using anonymous function or function and then this keyword give access to the
object it is refering
Using arrow function and then this
keyword , you can access window object
Event Listener(calculator )

for(i=0;i<document.querySelectorAll("#btn").length;i++)
{
document.querySelectorAll("button")
[i].addEventListener("click",function (){
var n1=Number(document.querySelector("#n1").value);
<body>
var n2=Number(document.querySelector("#n2").value);
<input type="text" id="n1"
var opertor=this.innerHTML
placeholder="Enter number 1" value="0">
switch(opertor)
<input type="text" name="" id="n2"
{
placeholder="Enter number 2" value="0">
case '+':
<img src="" alt="">
console.log(n1+n2)
<p id="result"></p>
break;
<button id="btn">+</button>
case '-':
<button id="btn">-</button>
console.log(n1-n2)
break;
default:
console.log("not a valid operator"); })
</script>
Event Listener(play audio with button click and keyboard keys )
<body> <script>
<div class="keys"> for (var i = 0; i <
<button value="a">A</button> document.querySelectorAll("button").length; i++) {
<button value="s">S</button> document.querySelectorAll("button")
<button value="d">D</button> [i].addEventListener("click",keychk)
<button value="f">F</button>
</div> function keychk()
{
k=this.innerHTML
function song(k){
switch(k) song(k)
{ }
case 'A': var s= new Audio("/sounds/do-80236.mp3")
s.play(); }
break
case 'S': var s= new Audio("/sounds/g6-82013.mp3")
s.play(); document.addEventListener("keypress", cap)
break
case 'D': var s= new Audio("/sounds/sol-
101774.mp3") function cap(){
s.play(); console.log(event.key)
break
song(event.key)
} }
}
</script>
DOM Model
JS HTML Data Object Model
DOM
With the HTML DOM,
JavaScript can access and
change all the elements of an
HTML document.
Data Object Model

When a web page is loaded, the browser creates a


Document Object Model of the page.

The HTML DOM model is


constructed as a tree of
Objects:
Data Object Model
Data Object Model

With the object model, JavaScript gets all the power it


needs to create dynamic HTML:

• JavaScript can change all the HTML elements in the page


• JavaScript can change all the HTML attributes in the page
• JavaScript can change all the CSS styles in the page
• JavaScript can remove existing HTML elements and attributes
• JavaScript can add new HTML elements and attributes
• JavaScript can react to all existing HTML events in the page
• JavaScript can create new HTML events in the page
Data Object Model

You Will Learn

• How to change the content of HTML elements


• How to change the style (CSS) of HTML elements
• How to react to HTML DOM events
• How to add and delete HTML elements
Data Object Model

What is the HTML DOM?


The HTML DOM is a standard object model and
programming interface for HTML. It defines:

• The HTML elements as objects


• The properties of all HTML elements
• The methods to access all HTML elements
• The events for all HTML elements
In other words: The HTML DOM is a standard for how to get, change, add, or delete
HTML elements.
Data Object Model

HTML DOM methods are actions you can perform (on


HTML Elements).

HTML DOM properties are values (of HTML


Elements) that you can set or change.
<html>
<body>

<p id="demo"></p>

<script>
document.getElementById("demo").innerHTML = "Hello World!";
</script>

</body>
</html>
In the example above, getElementById is a method, while innerHTML is a property.
getElementById method used id="demo" to find the element.
innerHTML property is useful for getting or replacing the content of HTML elements.
The HTML DOM Document Object
The document object represents your web page.
If you want to access any element in an HTML page, you always
start with accessing the document object.
Changing HTML Elements
Adding and Deleting Elements

const para = document.createElement("p");


para.innerText = "This is a paragraph";
document.body.appendChild(para);
Adding Events Handlers
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Event Handling</title>
</head>
<body>
<button>A</button>
<button>B</button>
<button id="btn">C</button>
<button>d</button>
<button>e</button>
<button id="btn2">f</button>
</body>
<script>
for(var i=0;i<document.querySelectorAll("button").length;i++)
{
document.querySelectorAll("button")[i].addEventListener("click",show)

function show()
{
console.log(this.innerHTML)
}

}
Node (DOM)
In the context of the DOM, a node is a single point in the node tree. Various things that
are nodes are the document itself, elements, text, and comments.
.append()
This method is used to add an element in form of a Node object or a
DOMString (basically means text).

.appendChild()
Similar to the .append method, this method is used to elements in the DOM,
but in this case, only accepts a Node object.

// Inserting a DOMString const parent = document.createElement('div');


const parent = document.createElement('div'); parent.appendChild('Appending Text');
parent.append('Appending Text'); // Uncaught TypeError: Failed to execute
// The div would then look like this <div>Appending 'appendChild' on 'Node': parameter 1 is not of
Text</div>
type 'Node'
</body>
<script>
// head= document.createElement("h1")
// document.body.appendChild(head) Method 1, but not a valid way
// head.innerHTML="Article"

const head=document.createElement("h1")

const headtext=document.createTextNode("Article")

head.appendChild(headtext) Method 2,valid way

document.body.appendChild(head)

()
</script>
</script>
head=document.createElement("div")

child=document.createElement("p")

t=document.createTextNode("the value of paragraph")

child.appendChild(t)

head.appendChild(child)

document.body.appendChild(head)
</script>
head=document.createElement("div")

child=document.createElement("p")

// t=document.createTextNode("the value of
paragraph")

child.append("this is text inside paragraph")

head.appendChild(child)

document.body.appendChild(head)
body>
<ul id="list">

</ul>
<button onclick="add()">Add LI item</button>
</body>
<script>
var count=0;
function add(){
let liitem= document.createElement("li")
litext=document.createTextNode("item"+count)
liitem.appendChild(litext)
document.getElementById("list").append(liitem)
count++
}
Adds li item when button Is
clicked
Local Storage
localStorage is a property that allows JavaScript sites and apps
to save key-value pairs in a web browser with no expiration
date. you can store small amounts of data with localStorage, it’s
not suitable for large amounts of data. localStorage is accessible
to anyone who uses the device, Both sessionStorage and
localStorage maintain a separate storage area for each available
origin for the duration of the page session. The main difference
between them is that sessionStorage only maintains a storage
area. At the same time, the browser is open (including when
the page reloads or restores) while localStorage continues to
store data after the browser is closed.

setItem(): Add key and value to localStorage

getItem(): This is how you get items from localStorage

removeItem(): Remove an item from localStorage

clear(): Clear all data from localStorage

key(): Passed a number to retrieve the key of a localStorage


<form action="" ">
<input type="text" name="text" id="txt">
<input type="email" name="email" id="eml">
<input type="submit" name="" id="sbmit" onclick="str(event)">
</form>

<script>
let count=0
function str(event){
event.preventDefault();
const username=document.getElementById("txt").value
const useremail=document.getElementById("eml").value
const data={ Set item in local storage
name: username,
email:useremail
}
localStorage.setItem(`data${count}`,JSON.stringify(data))
count++;
}
</script>
Output
Filter array that contains specific pattern

keys=Object.keys(localStorage)

['data2', 'data1', 'user', 'data0']

var pattern=/data/ Example of filter method

filtered=keys.filter(function(k){ return pattern.test(k)})

['data2', 'data1', 'data0']


<script>
function show(){
To show local storage data in other page keys=Object.keys(localStorage)
let pattern=/data/
const fdata=keys.filter(ptr)
function ptr(k)
{
return pattern.test(k)
Using }
onload to console.log(fdata)
show data fdata.forEach(k => {
var f=JSON.parse(localStorage.getItem(k))
// let z=f.split(" ")
const usr=document.createElement("dd")
<body onload="show()"> const eml=document.createElement("dd")
<dl id="userdata"> usr.append(f.name)
<dt>Username</dt> eml.append(f.email)
document.querySelectorAll("dt")[0].append(usr)
<dt>Email</dt> document.querySelectorAll("dt")[1].append(eml)
</dl> });
}

</script>
Output in other page
<!DOCTYPE html> {
<html lang="en"> const anchor=
<head> document.createElement("a")
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
const
<meta name="viewport" content="width=device-width, initial-scale=1.0"> li=document.createElement("li")
<title>Document</title> anchor.setAttribute("href","#")
<style> li.append("item"+count)
.article{
background-color: red; anchor.append(li)
color: white;
font-family: Georgia, 'Times New Roman', Times, serif; document.getElementById("list").ap
font-size: 2rem;
}
pend(anchor)
count++
</style>
</head> for(i=0;i<document.querySelectorAl
<body>
l("a").length;i++)
<ul id="list"> {
</ul>
<button >click</button>
document.querySelectorAll("a")
</body> [i].addEventListener("click",rm)
</html> function rm()
Code of give task {

this.remove()
<!DOCTYPE html>
<html lang="en">
Twitter share
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Social Share</title>
<script async src="https://platform.twitter.com/widgets.js" charset="utf-8"></script>

</head>
<body>
<textarea name="txtn" id="txtid" cols="30" rows="10"></textarea>
<button id="twitterShareButton">Share on Twitter</button>

<script>
document.getElementById('twitterShareButton').addEventListener('click',
function() {
var tweetText = document.getElementById("txtid").value // The text to be shared
on Twitter

var twitterShareUrl = 'https://twitter.com/intent/tweet?text=' +


encodeURIComponent(tweetText)

// Open the Twitter share dialog


window.open(twitterShareUrl, '_blank', 'width=550,height=420');
});
</script>
<script>
<!DOCTYPE html> document.querySelector("#list").style.display=""//
<html lang="en"> change value to "none" to hide list"
<head> document.querySelector("#search").addEventListener("
<meta charset="UTF-8"> input",chk)
<meta http-equiv="X-UA-Compatible" function chk()
content="IE=edge"> {
searchvalue=document.getElementById("search").value;
<meta name="viewport"
listarry=document.querySelectorAll("li");
content="width=device-width, initial- for(i=0;i<listarry.length;i++)
scale=1.0"> {
<title>Search</title> list=listarry[i].textContent
</head> if(list.includes(searchvalue))
<body> {
<input type="search" name="" id="search">
document.querySelector("#list").style.display=''
listarry[i].style.display=''
<ul id="list">
}
<li>computer</li> else{
<li>hardware</li> listarry[i].style.display="none"
<li>software</li> }
<li>css</li> }
<li>html</li> if(searchvalue=='')
</ul> {
</body>
Search text document.querySelector("#list").style.display=""//ch
</html>
ange value to "none" to hide the list after input is
deleted
<!DOCTYPE html> <script>
<html lang="en"> let posl=1
<head> let post=1
<meta charset="UTF-8"> document.addEventListener("keypress",move)
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, function move(event)
initial-scale=1.0"> {
<title>Game</title> let presskey=event.key
<style> presskey=presskey.toLowerCase()
#container{ let box=document.getElementById("box")
width: 100%; if(presskey=="a")
height: 300px; {
background-color: black; console.log(presskey)
} box.style.left= posl+"px"
#box{ posl=posl-10
width: 30px; }
height: 30px;
background-color: white; else if(presskey=="s")
position: relative; {
left: 1px; console.log(presskey)
top: 1px; box.style.top=post+"px"
transition: left, top; post=post+10
} }
</style>
Move white else if(presskey=="d")
</head> box with a,s,d,f {
<body> keys console.log(presskey)
<div id="container"> box.style.left=posl+"px"
<div id="box"></div> posl=posl+10;
</div> }
</body> else if(presskey=="w")
</html>
Social sharing Buttons
<title>Document</title>
<script src="https://ajax.googleapis.com/ajax/libs/jquery/3.7.0/jquery.min.js"></script>
<script type = "text/javascript"
src = "https://www.tutorialspoint.com/jquery/jquery-3.6.0.js">
/script>

head>

ody>
<li id="btn"><a href="#">Home</a></li>
<div id="list">
<p>Course Offered</p>
<li>C</li>
<li>HTML</li>
<li>CSS</li>
<li>JAVA</li>
<li>JQUERY</li>
</div>

<input id="txt">
<button value="wa">whatsapp</button>
<button value="fb">Facebook</button>
<button value="tw">Twitter</button>
<style>
body{
background-color: cadetblue;
}
#list{
background-color: lightgrey;
width: 25%;
position: absolute;
display: none;

}
#list > li{
list-style-type: none;
padding: 10px;
border: 1px solid red;
font-size: .7rem;
cursor: pointer;

}
#list p{
font-size: 1rem;

}
.submenu
{
display: none;
}
.clr{
background-color: black;
color: white;
}
.clsadd{
background-color: tomato;
color: white;
font-family: 'Lucida Sans', 'Lucida Sans Regular', 'Lucida Grande', 'Lucida Sans Unicode', Geneva, Verdana, sans-serif;
}

</style>
for(i=0;i<document.querySelectorAll("button").length;i++)
{

document.querySelectorAll("button")[i].addEventListener("click",function(){
let btn=this.value

let share=document.getElementById("txt").value;
if (btn=="wa")
{
let url= 'https://api.whatsapp.com/send?text='+ encodeURIComponent(share)
win(url);
}
if (btn=="tw")
{
let url= 'https://twitter.com/intent/tweet?text='+ encodeURIComponent(share)
win(url);
}

if(btn=="fb")
{
// Get the value of the text box

// Encode the value for URL


var encodedValue = encodeURIComponent(share);

// Generate the Facebook share URL with the encoded value


var shareURL = `https://www.facebook.com/dialog/feed?app_id=994589648635629&quote${share}` + encodedValue;

// Open the Facebook share dialog in a new window


window.open(shareURL, '_blank');
}

if(btn=="in")
{
let url= 'https://www.instagram.com/create/story'
win(url);
}

function win(url)
{
window.open(url,'_blank','width=320px,height=420px')
}

})
https://vercel.com/new
For hosting your website

https://www.emailjs.com/

Send email using js

You might also like