Java Script
Java Script
JavaScript is one of the most popular programming languages on earth and is used to add
interactivity to webpages, process data, as well as create various applications (mobile apps,
desktop apps, games, and more)
JavaScript can be placed in the HTML page's <body> and <head> sections.
Remember that the script, which is placed in the head section, will be executed before the <body> is
rendered. If you want to get elements in the body, it's a good idea to place your script at the end of the
body tag.
Output
Let's use JavaScript to print "Hello World" to the browser.
<html>
<head> </head>
<body>
<script>
document.write("Hello World!");
</script>
</body>
</html>
The document.write() function writes a string into our HTML document. This function can be used
to write text, HTML, or both.
<html>
<head> </head>
<body>
<script>
document.write("<h1>Hello World!</h1>");
</script>
</body>
</html>
You can output almost everything in the webpage using JavaScript. Many JavaScript frameworks use this
to create HTML pages.
JavaScript in <head>
You can place any number of scripts in an HTML document.
Typically, the script tag is placed in the head of the HTML document:
<html>
<head>
<script>
</script>
</head>
<body>
</body>
</html>
There is also a <noscript> tag. Its content will be shown if the client's browser doesn't support JS scripts.
JavaScript in <body>
Alternatively, include the JavaScript in the <body> tag.
<html>
<head> </head>
<body>
<script></script>
</body>
</html>
It's a good idea to place scripts at the bottom of the <body> element.
This can improve page load, because HTML display is not blocked by scripts loading.
The <script> Tag
The <script> tag can take two attributes, language and type, which specify the script's
type:
</script>
In the example below, we created an alert box inside the script tag, using the alert() function.
<html>
<head>
<title></title>
<script type="text/javascript">
alert("This is an alert box!");
</script>
</head>
<body>
</body>
</html>
The type attribute: <script type="text/javascript"> is also no longer required, as JavaScript is the default
HTML scripting language.
External JavaScript
Scripts can also be placed in external files.
External scripts are useful and practical when the same code is used in a number of
different web pages.
JavaScript files have the file extension .js.
Having JS scripts in separate files makes your code much readable and clearer.
External JavaScript
To use an external script, put the name of the script file in the src (source) attribute of the
<script> tag.
<script src="demo.js"></script>
JavaScript Comments
Not all JavaScript statements are "executed".
Code after a double slash //, or between /* and */, is treated as a comment.
Comments are ignored, and are not executed.
Multiple-Line Comments
Everything you write between /*and */ will be considered as a multi-line comment.
<script>
/* This code
creates an
alert box */
alert("This is an alert box!");
</script>
Comments are used to describe and explain what the code is doing.
Variables
Variables are containers for storing data values. The value of a variable can change
throughout the program.
Use the var keyword to declare a variable:
var x = 10;
A variable can be declared without a value. The value might require some calculation, something that will
be provided later, like user input.
A variable declared without a value will have the value undefined.
Using variables is useful in many ways. You might have a thousand lines of code that may include
the variable x. When you change the value of x one time, it will automatically be changed in all
places where you used it.
Every written "instruction" is called a statement. JavaScript statements are separated by semicolons.
Naming Variables
JavaScript variable names are case-sensitive.
In the example below we changed x to uppercase:
var x = 100;
document.write(X);
This code will not result in any output, as x and X are two different variables.
Naming rules:
- The first character must be a letter, an underscore (_), or a dollar sign ($). Subsequent characters
may be letters, digits, underscores, or dollar signs.
- Numbers are not allowed as the first character.
- Variable names cannot include a mathematical or logical operator in the name. For instance,
2*something or this+that;
- JavaScript names must not contain spaces.
Naming Variables
There are some other rules to follow when naming your JavaScript variables:
- You must not use any special symbols, like my#num, num%, etc.
- Be sure that you do not use any of the following JavaScript reserved words.
When you get more familiar with JavaScript, remembering these keywords will be much easier.
Data Types
The term data type refers to the types of values with which a program can work. JavaScript
variables can hold many data types, such as numbers, strings, arrays, and more.
Unlike many other programming languages, JavaScript does not define different types of
numbers, like integers, short, long, floating-point, etc.
This variable can be easily changed to other types by assigning to it any other data type value, like num =
'some random string'.
Floating-Point Numbers
JavaScript numbers can also have decimals.
JavaScript numbers are always stored as double precision floating point numbers.
Strings
JavaScript strings are used for storing and manipulating text.
A string can be any text that appears within quotes. You can use single or double quotes.
You can use quotes inside a string, as long as they don't match the quotes surrounding the string.
You can get double quotes inside of double quotes using the escape character like this: \" or \' inside of
single quotes.
Strings
As strings must be written within quotes, quotes inside the string must be handled. The
backslash (\) escape character turns special characters into string characters.
The escape character (\) can also be used to insert other special characters into a string.
These special characters can be added to a text string using the backslash sign.
If you begin a string with a single quote, then you should also end it with a single quote. The same rule
applies to double quotes. Otherwise, JavaScript will become confused.
Booleans
In JavaScript Boolean, you can have one of two values, either true or false.
These are useful when you need a data type that can only have one of two values, such as
Yes/No, On/Off, True/False.
You can get the result of a string expression using the eval() function, which takes a string expression
argument like eval("10 * 20 + 8") and returns the result. If the argument is empty, it returns undefined.
Multiplication
The multiplication operator (*) multiplies one number by the other.
10 * '5' or '10' * '5' gives the same result. Multiplying a number with string values like 'sololearn' * 5
returns NaN (Not a Number).
Division
The / operator is used to perform division operations
The Modulus
Modulus (%) operator returns the division remainder (what is left over).
In JavaScript, the modulus operator is used not only on integers, but also on floating point numbers.
Increment & Decrement
Increment ++
The increment operator increments the numeric value of its operand by one. If placed
before the operand, it returns the incremented value. If placed after the operand, it returns
the original value and then increments the operand.
Decrement --
The decrement operator decrements the numeric value of its operand by one. If placed
before the operand, it returns the decremented value. If placed after the operand, it returns
the original value and then decrements the operand.
As in school mathematics, you can change the order of the arithmetic operations by using parentheses.
Assignment Operators
Assignment operators assign values to JavaScript variables.
The equal to (==) operator checks whether the operands' values are equal.
You can check all types of data; comparison operators always return true or false.
Comparison Operators
The table below explains the comparison operators.
When using operators, be sure that the arguments are of the same data type; numbers should be
compared with numbers, strings with strings, and so on.
Logical Operators
Logical Operators, also known as Boolean Operators, evaluate the expression and return
true or false.
The table below explains the logical operators (AND, OR, NOT).
Conditional (Ternary) Operator
Another JavaScript conditional operator assigns a value to a variable, based on some
condition.
If the variable age is a value below 18, the value of the variable isAdult will be "Too young".
Otherwise the value of isAdult will be "Old enough".
String Operators
The most useful operator for strings is concatenation, represented by the + sign.
Concatenation can be used to build strings by joining together multiple strings, or by
joining strings with other types:
Numbers in quotes are treated as strings: "42" is not the number 42, it is a string that includes two
characters, 4 and 2.
The if Statement
Very often when you write code, you want to perform different actions based on different
conditions.
You can do this by using conditional statements in your code.
Use if to specify a block of code that will be executed if a specified condition is true.
if (condition) {
statements
}
The JavaScript alert() method is used to generate a popup alert box that contains the information
provided in parentheses. Note that if is in lowercase letters. Uppercase letters (If or IF) will generate an
error.
The else Statement
Use the else statement to specify a block of code that will execute if the condition is false.
if (expression) {
// executed if condition is true
}
else {
// executed if condition is false
}
You can skip curly braces if your code under the condition contains only one command. There is also
another way to do this check using the ? operator: a > b ? alert(a) : alert(b). The final else statement
"ends" the else if statement and should be always written after the if and else if statements.
else if
The final else block will be executed when none of the conditions is true.
Switch
In cases when you need to test for multiple conditions, writing if else statements for each
condition might not be the best solution.
The switch statement is used to perform different actions based on different conditions.
The switch expression is evaluated once. The value of the expression is compared with the values
of each case. If there is a match, the associated block of code is executed.
You can achieve the same result with multiple if...else statements, but the switch statement is more
effective in such situations. You can have as many case statements as needed.
The default block can be omitted, if there is no need to handle the case when no match is found.
Loops
Loops can execute a block of code a number of times. They are handy in cases in which
you want to run the same code repeatedly, adding a different value each time.
As you can see, the classic for loop has three components, or statements.
Statement 1 is optional, and can be omitted, if your values are set before the loop starts.
Also, you can initiate more than one value in statement 1, using commas to separate them.
If you omit statement 2, you must provide a break inside the loop. Otherwise, the loop will never end.
Statement 3 is used to change the initial variable. It can do anything, including negative increment
(i--), positive increment (i = i + 15), or anything else.
Statement 3 is also optional, and it can be omitted if you increment your values inside the loop.
while (condition) {
code block
}
The condition can be any conditional statement that returns true or false. Be careful writing conditions. If
a condition is always true, the loop will run forever.
Make sure that the condition in a while loop eventually becomes false.
do {
code block
}
while (condition);
Note the semicolon used at the end of the do...while loop. The loop will always be executed at least
once, even if the condition is false, because the code block is executed before the condition is tested.
Break
The break statement "jumps out" of a loop and continues executing the code after the loop.
You can use the return keyword to return some value immediately from the loop inside of a function. This
will also break the loop.
Continue
The continue statement breaks only one iteration in the loop, and continues with the next
iteration.
JavaScript Functions
A JavaScript function is a block of code designed to perform a particular task.
The main advantages of using functions:
Code reuse: Define the code once, and use it many times.
Use the same code many times with different arguments, to produce different results.
Defining a Function
To define a JavaScript function, use the function keyword, followed by a name, followed
by a set of parentheses ().
The code to be executed by the function is placed inside curly brackets {}.
function name() {
//code to be executed
}
Function names can contain letters, digits, underscores, and dollar signs (same rules as variables).
Calling a Function
To execute the function, you need to call it.
To call a function, start with the name of the function, then follow it with the arguments in
parentheses.
Always remember to end the statement with a semicolon after calling the function.
Calling Functions
Once the function is defined, JavaScript allows you to call it as many times as you want to.
You can also call a function using this syntax: myFunction.call(). The difference is that when calling in this
way, you're passing the 'this' keyword to a function.
Function Parameters
Functions can take parameters.
Function parameters are the names listed in the function's definition.
functionName(param1, param2, param3) {
// some code
}
As with variables, parameters should be given names, which are separated by commas within the
parentheses.
Using Parameters
After defining the parameters, you can use them inside the function.
function sayHello(name) {
alert("Hi, " + name);
}
sayHello("David");
//Alerts "Hi, David"
This function takes in one parameter, which is called name. When calling the function, provide the
parameter's value (argument) inside the parentheses.
Function arguments are the real values passed to (and received by) the function.
Function Parameters
You can define a single function, and pass different parameter values (arguments) to it.
This will execute the function's code each time for the provided argument.
Multiple Parameters
You can define multiple parameters for a function by comma-separating them.
Multiple Parameters
When calling the function, provide the arguments in the same order in which you defined
them.
If you pass more arguments than are defined, they will be assigned to an array called arguments. They can
be used like this: arguments[0], arguments[1], etc.
Multiple Parameters
After defining the function, you can call it as many times as needed.
JavaScript functions do not check the number of arguments received.
If a function is called with missing arguments (fewer than declared), the missing values are set to
undefined, which indicates that a variable has not been assigned a value.
Function Return
A function can have an optional return statement. It is used to return a value from the
function.
When JavaScript reaches a return statement, the function stops executing. If you do not return anything
from a function, it will return undefined.
function addNumbers(a, b) {
var c = a+b;
return c;
}
document.write( addNumbers(40, 2) );
//Outputs 42
The document.write command outputs the value returned by the function, which is the sum of the two
parameters.
Alert Box
An alert box is used when you want to ensure that information gets through to the user.
When an alert box pops up, the user must click OK to proceed.
The alert function takes a single parameter, which is the text displayed in the popup box.
alert("Do you really want to leave this page?");
To display line breaks within a popup box, use a backslash followed by the character n.
Be careful when using alert boxes, as the user can continue using the page only after clicking OK.
Prompt Box
A prompt box is often used to have the user input a value before entering a page.
When a prompt box pops up, the user will have to click either OK or Cancel to proceed
after entering the input value.
If the user clicks OK, the box returns the input value. If the user clicks Cancel, the box
returns null.
Confirm Box
A confirm box is often used to have the user verify or accept something.
When a confirm box pops up, the user must click either OK or Cancel to proceed.
If the user clicks OK, the box returns true. If the user clicks Cancel, the box returns false.
JavaScript Objects
JavaScript variables are containers for data values. Objects are variables too, but they can
contain many values.
Think of an object as a list of values that are written as name:value pairs, with the names
and the values separated by colons.
var person = {
name: "John", age: 31,
favColor: "green", height: 183
};
These values are called properties.
Object Properties
You can access object properties in two ways.
objectName.propertyName
//or
objectName['propertyName']
This example demonstrates how to access the age of our person object.
var person = {
name: "John", age: 31,
favColor: "green", height: 183
};
var x = person.age;
var y = person['age'];
JavaScript's built-in length property is used to count the number of characters in a property or
string.
objectName.methodName()
As you already know, document.write() outputs data. The write() function is actually a method of
the document object.
var person = {
name: "John", age: 42, favColor: "green"
};
The above function (person) is an object constructor, which takes parameters and assigns them to
the object properties.
document.write(p1.age); // Outputs 42
document.write(p2.name); // Outputs "Amy"
p1 and p2 are now objects of the person type. Their properties are assigned to the corresponding values.
Access the object's properties by using the dot syntax, as you did before.
Object Initialization
Use the object literal or initializer syntax to create single objects.
Objects consist of properties, which are used to describe an object. Values of object properties can either
contain primitive data types or other objects.
Using Object Initializers
Spaces and line breaks are not important. An object definition can span multiple lines.
var John = {
name: "John",
age: 25
};
var James = {
name: "James",
age: 21
};
No matter how the object is created, the syntax for accessing the properties and methods does
not change.
document.write(John.age);
//Outputs 25
Methods
Methods are functions that are stored as object properties.
objectName.methodName()
A method is a function, belonging to an object. It can be referenced using the this keyword.
The this keyword is used as a reference to the current object, meaning that you can access the
objects properties and methods using it.
In the example above, we have defined a method named changeName for our person, which is a
function, that takes a parameter name and assigns it to the name property of the object.
this.name refers to the name property of the object.
The changeName method changes the object's name property to its argument.
Methods
You can also define the function outside of the constructor function and associate it with
the object.
function person(name, age) {
this.name= name;
this.age = age;
this.yearOfBirth = bornYear;
}
function bornYear() {
return 2016 - this.age;
}
As you can see, we have assigned the object's yearOfBirth property to the bornYear function.
The this keyword is used to access the age property of the object, which is going to call the
method.
Note that it's not necessary to write the function's parentheses when assigning it to an object.
Methods
Call the method as usual.
Call the method by the property name you specified in the constructor function, rather than the function
name.
JavaScript Arrays
Arrays store multiple values in a single variable.
Accessing an Array
You refer to an array element by referring to the index number written in square
brackets.
This statement accesses the value of the first element in courses and changes the value of
the second element.
[0] is the first element in an array. [1] is the second. Array indexes start with 0.
Accessing an Array
Attempting to access an index outside of the array, returns the value undefined.
var courses = new Array("HTML", "CSS", "JS");
document.write(courses[10]);
//Outputs "undefined"
Our courses array has just 3 elements, so the 10th index, which is the 11th element, does not exist (is
undefined).
Creating Arrays
You can also declare an array, tell it the number of elements it will store, and add the
elements later.
var courses = new Array(3);
courses[0] = "HTML";
courses[1] = "CSS";
courses[2] = "JS";
An array is a special type of object.
An array uses numbers to access its elements, and an object uses names to access its members.
Creating Arrays
JavaScript arrays are dynamic, so you can declare an array and not pass any arguments with
the Array() constructor. You can then add the elements dynamically.
var courses = new Array();
courses[0] = "HTML";
courses[1] = "CSS";
courses[2] = "JS";
courses[3] = "C++";
You can add as many elements as you need to.
Array Literal
For greater simplicity, readability, and execution speed, you can also declare arrays using
the array literal syntax.
var courses = ["HTML", "CSS", "JS"];
This results in the same array as the one created with the new Array() syntax.
You can access and modify the elements of the array using the index number, as you did before.
The array literal syntax is the recommended way to declare arrays.
The length Property
JavaScript arrays have useful built-in properties and methods.
The length property is always one more than the highest array index.
If the array is empty, the length property returns 0.
Combining Arrays
JavaScript's concat() method allows you to join arrays and create an entirely new array.
The courses array that results contains 4 elements (HTML, CSS, JS, C++).
The concat operation does not affect the c1 and c2 arrays - it returns the resulting concatenation as a new
array.
Associative Arrays
While many programming languages support arrays with named indexes (text instead of
numbers), called associative arrays, JavaScript does not.
However, you still can use the named array syntax, which will produce an object.
As the person array is treated as an object, the standard array methods and properties will produce
incorrect results. For example, person.length will return 0.
Associative Arrays
Remember that JavaScript does not support arrays with named indexes.
In JavaScript, arrays always use numbered indexes.
It is better to use an object when you want the index to be a string (text).
Use an array when you want the index to be a number.
If you use a named index, JavaScript will redefine the array to a standard object.
document.write(Math.PI);
//Outputs 3.141592653589793
To get a random number between 1-10, use Math.random(), which gives you a number between 0-1. Then
multiply the number by 10, and then take Math.ceil() from it: Math.ceil(Math.random() * 10).
setInterval
The setInterval() method calls a function or evaluates an expression at specified intervals
(in milliseconds).
It will continue calling the function until clearInterval() is called or the window is closed.
function myAlert() {
alert("Hi");
}
setInterval(myAlert, 3000);
This will call the myAlert function every 3 seconds (1000 ms = 1 second).
Write the name of the function without parentheses when passing it into the setInterval method.
Using new Date(), create a new date object with the current date and time.
var d = new Date();
//d stores the current date and time
The other ways to initialize dates allow for the creation of new date objects from the specified
date and time.
new Date(milliseconds)
new Date(dateString)
new Date(year, month, day, hours, minutes, seconds, milliseconds)
JavaScript dates are calculated in milliseconds from 01 January, 1970 00:00:00 Universal Time (UTC). One
day contains 86,400,000 millisecond.
function printTime() {
var d = new Date();
var hours = d.getHours();
var mins = d.getMinutes();
var secs = d.getSeconds();
document.body.innerHTML = hours+":"+mins+":"+secs;
}
setInterval(printTime, 1000);
We declared a function printTime(), which gets the current time from the date object, and prints it
to the screen.
We then called the function once every second, using the setInterval method.
JavaScript can be used to manipulate the DOM of a page dynamically to add, delete and modify elements.
DOM Tree
The DOM represents a document as a tree structure.
HTML elements become interrelated nodes in the tree.
All those nodes in the tree have some kind of relations among each other.
Nodes can have child nodes. Nodes on the same tree level are called siblings.
For example, consider the following structure:
As body is an element of the DOM, we can access it using the document object and change the
content of the innerHTML property.
The innerHTML property can be used on almost all HTML elements to change its content. innerHTML get
or sets the content of HTML elements
Selecting Elements
All HTML elements are objects. And as we know every object has properties and
methods.
The document object has methods that allow you to select the desired HTML element.
These three methods are the most commonly used for selecting HTML elements:
//finds element by id
document.getElementById(id)
In the example below, the getElementById method is used to select the element with id="demo"
and change its content:
The example above assumes that the HTML contains an element with id="demo", for example <div
id="demo"></div>.
Selecting Elements
The getElementsByClassName() method finds all elements by class name and returns
them as an array.
For example, if our HTML page contained three elements with class="demo", the following
code would return all those elements as an array:
var arr = document.getElementsByClassName("demo");
//accessing the second element
arr[1].innerHTML = "Hi";
Similarly, the getElementsByTagName method returns all of the elements of the specified tag
name as an array.
The following example gets all paragraph elements of the page and changes their content:
<p>hi</p>
<p>hello</p>
<p>hi</p>
<script>
var arr = document.getElementsByTagName("p");
for (var x = 0; x < arr.length; x++) {
arr[x].innerHTML = "Hi there";
}
</script>
<p>Hi there</p>
<p>Hi there</p>
<p>Hi there</p>
We used the length property of the array to loop through all the selected elements in the above example.
We can, for example, select all child nodes of an element and change their content:
<html>
<body>
<div id ="demo">
<p>some text</p>
<p>some other text</p>
</div>
<script>
var a = document.getElementById("demo");
var arr = a.childNodes;
for(var x=0;x<arr.length;x++) {
arr[x].innerHTML = "new text";
}
</script>
</body>
</html>
The code above changes the text of both paragraphs to "new text".
Changing Attributes
Once you have selected the element(s) you want to work with, you can change their
attributes.
As we have seen in the previous lessons, we can change the text content of an element
using the innerHTML property.
Similarly, we can change the attributes of elements.
For example, we can change the src attribute of an image:
The code above changes the text color and width of the div element.
All CSS properties can be set and modified using JavaScript. Just remember, that you cannot use dashes (-)
in the property names: these are replaced with camelCase versions, where the compound words begin
with a capital letter.
For example: the background-color property should be referred to as backgroundColor.
Creating Elements
Use the following methods to create new nodes:
element.cloneNode() clones an element and returns the resulting node.
document.createElement(element) creates a new element node.
document.createTextNode(text) creates a new text node.
This will create a new text node, but it will not appear in the document until you append it to an
existing element with one of the following methods:
element.appendChild(newNode) adds a new child node to an element as the last child node.
element.insertBefore(node1, node2) inserts node1 as a child before node2.
<script>
//creating a new paragraph
var p = document.createElement("p");
var node = document.createTextNode("Some new text");
//adding the text to the paragraph
p.appendChild(node);
This creates a new paragraph and adds it to the existing div element on the page.
Removing Elements
To remove an HTML element, you must select the parent of the element and use the
removeChild(node) method.
<div id="demo">
<p id="p1">This is a paragraph.</p>
<p id="p2">This is another paragraph.</p>
</div>
<script>
var parent = document.getElementById("demo");
var child = document.getElementById("p1");
parent.removeChild(child);
</script>
An alternative way of achieving the same result would be the use of the parentNode property to get the
parent of the element we want to remove:
var child = document.getElementById("p1");
child.parentNode.removeChild(child);
Replacing Elements
To replace an HTML element, the element.replaceChild(newNode, oldNode) method is
used.
<div id="demo">
<p id="p1">This is a paragraph.</p>
<p id="p2">This is another paragraph.</p>
</div>
<script>
var p = document.createElement("p");
var node = document.createTextNode("This is new");
p.appendChild(node);
The code above creates a new paragraph element that replaces the existing p1 paragraph.
Animations
Now that we know how to select and change DOM elements, we can create a simple
animation.
Let's create a simple HTML page with a box element that will be animated using JS.
<style>
#container {
width: 200px;
height: 200px;
background: green;
position: relative;
}
#box {
width: 50px;
height: 50px;
background: red;
position: absolute;
}
</style>
<div id="container">
<div id="box"> </div>
</div>
Our box element is inside a container element. Note the position attribute used for the elements:
the container is relative and the box is absolute. This will allow us to create the animation relative
to the container.
We will be animating the red box to make it move to the right side of the container.
You need to be familiar with CSS to better understand the code provided.
Animations
To create an animation, we need to change the properties of an element at small intervals of
time. We can achieve this by using the setInterval() method, which allows us to create a
timer and call a function to change properties repeatedly at defined intervals (in
milliseconds).
var t = setInterval(move, 500);
This code creates a timer that calls a move() function every 500 milliseconds.
Now we need to define the move() function, that changes the position of the box.
// starting position
var pos = 0;
//our box element
var box = document.getElementById("box");
function move() {
pos += 1;
box.style.left = pos+"px"; //px = pixels
}
The move() function increments the left property of the box element by one each time it is called.
Animations
The following code defines a timer that calls the move() function every 10 milliseconds:
However, this makes our box move to the right forever. To stop the animation when the box
reaches the end of the container, we add a simple check to the move() function and use the
clearInterval() method to stop the timer.
function move() {
if(pos >= 150) {
clearInterval(t);
}
else {
pos += 1;
box.style.left = pos+"px";
}
}
When the left attribute of the box reaches the value of 150, the box reaches the end of the
container, based on a container width of 200 and a box width of 50.
var pos = 0;
//our box element
var box = document.getElementById("box");
var t = setInterval(move, 10);
function move() {
if(pos >= 150) {
clearInterval(t);
}
else {
pos += 1;
box.style.left = pos+"px";
}
}
Events
You can write JavaScript code that executes when an event occurs, such as when a user
clicks an HTML element, moves the mouse, or submits a form.
When an event occurs on a target element, a handler function is executed.
Common HTML events include:
var x = document.getElementById("demo");
x.onclick = function () {
document.body.innerHTML = Date();
}
Events
The onload and onunload events are triggered when the user enters or leaves the page.
These can be useful when performing actions after the page is loaded.
<body onload="doSomething()">
Similarly, the window.onload event can be used to run code after the whole page is loaded.
window.onload = function() {
//some code
}
The onchange event is mostly used on textboxes. The event handler gets called when the text
inside the textbox changes and focus is lost from the element.
It’s important to understand events, because they are an essential part of dynamic web pages.
Event Listeners
The addEventListener() method attaches an event handler to an element without
overwriting existing event handlers. You can add many event handlers to one element.
You can also add many event handlers of the same type to one element, i.e., two "click"
events.
element.addEventListener(event, function, useCapture);
Note that you don't use the "on" prefix for this event; use "click" instead of "onclick".
element.addEventListener("click", myFunction);
element.addEventListener("mouseover", myFunction);
function myFunction() {
alert("Hello World!");
}
element.removeEventListener("mouseover", myFunction);
Let's create an event handler that removes itself after being executed:
<button id="demo">Start</button>
<script>
var btn = document.getElementById("demo");
btn.addEventListener("click", myFunction);
function myFunction() {
alert(Math.random());
btn.removeEventListener("click", myFunction);
}
</script>
After clicking the button, an alert with a random number displays and the event listener is
removed.
Internet Explorer version 8 and lower do not support the addEventListener() and removeEventListener()
methods. However, you can use the document.attachEvent() method to attach event handlers in Internet
Explorer.
Event Propagation
There are two ways of event propagation in the HTML DOM: bubbling and capturing.
Event propagation allows for the definition of the element order when an event occurs. If
you have a <p> element inside a <div> element, and the user clicks on the <p> element,
which element's "click" event should be handled first?
In bubbling, the innermost element's event is handled first and then the outer element's
event is handled. The <p> element's click event is handled first, followed by the <div>
element's click event.
In capturing, the outermost element's event is handled first and then the inner. The <div>
element's click event is handled first, followed by the <p> element's click event.
The default value is false, which means the bubbling propagation is used; when the value is set to
true, the event uses the capturing propagation.
//Capturing propagation
elem1.addEventListener("click", myFunction, true);
//Bubbling propagation
elem2.addEventListener("click", myFunction, false);
This is particularly useful when you have the same event handled for multiple elements in the DOM
hierarchy.
Image Slider
Now we can create a sample image slider project. The images will be changed using "Next"
and "Prev" buttons.
Now, let’s create our HTML, which includes an image and the two navigation buttons:
<div>
<button> Prev </button>
<img id="slider" src="http://www.sololearn.com/uploads/slider/1.jpg"
width="200px" height="100px"/>
<button> Next </button>
</div>
var images = [
"http://www.sololearn.com/uploads/slider/1.jpg",
"http://www.sololearn.com/uploads/slider/2.jpg",
"http://www.sololearn.com/uploads/slider/3.jpg"
];
We are going to use three sample images that we have uploaded to our server. You can use any number
of images.
Image Slider
Now we need to handle the Next and Prev button clicks and call the corresponding
functions to change the image.
<div>
<button onclick="prev()"> Prev </button>
<img id="slider" src="http://www.sololearn.com/uploads/slider/1.jpg"
width="200px" height="100px"/>
<button onclick="next()"> Next </button>
</div>
var images = [
"http://www.sololearn.com/uploads/slider/1.jpg",
"http://www.sololearn.com/uploads/slider/2.jpg",
"http://www.sololearn.com/uploads/slider/3.jpg"
];
var num = 0;
function next() {
var slider = document.getElementById("slider");
num++;
if(num >= images.length) {
num = 0;
}
slider.src = images[num];
}
function prev() {
var slider = document.getElementById("slider");
num--;
if(num < 0) {
num = images.length-1;
}
slider.src = images[num];
}
The num variable holds the current image. The next and previous button clicks are handled by
their corresponding functions, which change the source of the image to the next/previous image
in the array.
Form Validation
HTML5 adds some attributes that allow form validation. For example, the required
attribute can be added to an input field to make it mandatory to fill in.
More complex form validation can be done using JavaScript.
The form element has an onsubmit event that can be handled to perform validation.
For example, let's create a form with two inputs and one button. The text in both fields
should be the same and not blank to pass the validation.
function validate() {
var n1 = document.getElementById("num1");
var n2 = document.getElementById("num2");
if(n1.value != "" && n2.value != "") {
if(n1.value == n2.value) {
return true;
}
}
alert("The values should be equal and not blank");
return false;
}
We return true only when the values are not blank and are equal.
The form will not get submitted if its onsubmit event returns false.