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

Revised CSS Kit

Uploaded by

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

Revised CSS Kit

Uploaded by

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

MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION

(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

WINTER – 19 EXAMINATIONS
Subject Name: Client Side Scripting Model Answer Subject Code: 22519
Important Instructions to examiners:
1) The answers should be examined by key words and not as word-to-word as given in
the model answer scheme.
2) The model answer and the answer written by candidate may vary but the examiner
may try to assess the understanding level of the candidate.
3) The language errors such as grammatical, spelling errors should not be given more
Importance (Not applicable for subject English and Communication Skills.
4) While assessing figures, examiner may give credit for principal components
indicated in the figure. The figures drawn by candidate and model answer may vary.
The examiner may give credit for any equivalent figure drawn.
5) Credits may be given step wise for numerical problems. In some cases, the assumed
constant values may vary and there may be some difference in the candidate’s
answers and model answer.
6) In case of some questions credit may be given by judgement on part of examiner of
relevant answer based on candidate’s understanding.
7) For programming language papers, credit may be given to any other program based
on equivalent concept.

Q. Sub Answer Marking


No. Q. Scheme
N.
1 Attempt any FIVE of the following : 10 M
a List any four features of Java script. 2M
Ans Features of Java script Any four
features : ½
1. JavaScript is a object-based scripting language. M each
2. Giving the user more control over the browser.
3. It Handling dates and time.
4. It Detecting the user's browser and OS,
5. It is light weighted.
6. Client – Side Technology
7. JavaScript is a scripting language and it is not java.
8. JavaScript is interpreter based scripting language.
9. JavaScript is case sensitive.
10. JavaScript is object based language as it provides predefined objects.
11. Every statement in javascript must be terminated with semicolon (;).
12. Most of the javascript control statements syntax is same as syntax of
control statements in C language.
13. An important part of JavaScript is the ability to create new functions
within scripts. Declare a function in JavaScript
using function keyword.
b List the comparison operators in Java script. 2M

Page 1 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

Ans Comparison operators in Java script Any 4


operators
== Equal to :1/2 M each
!= Not equal to
> Greater than
< Less than
>= Greater than or equal to
<= Less than or equal to
=== Equal value and equal
type
!== not equal value or not
equal type
c Write a Java script to create person object with properties firstname, 2M
lastname, age, eyecolor, delete eyecolor property and display remaining
properties of person object.
Ans <html> Create
person
<body> object : 1M
<script>

var person = {
firstname:"John",
lastname:"Doe",
age:50,
eyecolor:"blue"
}; Delete and
display
delete person.eyecolor; //delete person eyecolor
properties :
document.write("After delete "+ person.firstname +" "+ person.lastname +" " 1M
+person.age +" "+ person.eyecolor);
</script>

</body>
</html>
d Write a Java script that initializes an array called flowers with the names of 2M
3 flowers. The script then displays array elements.
Ans <html> Initialization
of array :
<head> 1M,

Page 2 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

<title>Display Array Elements</title>


</head> Display of
array
<body> elements :
1M
<script>
var flowers = new Array();
flowers[0] = 'Rose ';

flowers[1] = 'Mogra';
flowers[2] = 'Hibiscus';
for (var i = 0; i < flowers.length; i++)
{
document.write(flowers[i] + '<br>');
}
</script>

</body>
</html>
e Write Javascript to call function from HTML. 2M
Ans <html> Function
declaration :
<head> 1M,
<title>Calling function from HTML</title>
<script> Function
call from
function welcome()
HTML: 1M
{
alert("Welcome students");
(Any other
} example
allowed)
function goodbye()
{

alert("Bye");

Page 3 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

}
</script>
</head>
<body onload="welcome()" onunload="goodbye()">
</body>
</html>
f Write a Javascript to design a form to accept values for user ID & password. 2M
Ans <html> Correct
syntax: 1M,
<body>
<form name="login">
Correct
Enter Username<input type="text" name="userid"><br> logic: 1M
Enter Password<input type="password" name="pswrd">
<input type="button" onclick="display()" value="Display">
</form>

<script language="javascript">
function display()
{
document.write("User ID "+ login.userid.value + "Password :
"+login.pswrd.value);
}
</script>
</body>
</html>
g State any two properties and methods of location object. 2M
Ans Properties of location object: Any 2
properties :
1. hash ½ M each
2. host
3. hostname
4. href
5. origin

Page 4 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

6. pathname
7. port
8. protocol
9. search
Any 2
Methods of location object: methods : ½
M each
1. assign( )
2. reload( )
3. replace( )

2 Attempt any THREE of the following : 12 M


a Explain getter and setter properties in Java script with suitable example. 4M
Ans Property getters and setters Explanation
1. The accessor properties. They are essentially functions that work on : 2M
getting and setting a value.
2. Accessor properties are represented by “getter” and “setter” methods. In
an object literal they are denoted by get and set.
let obj = {
get propName() {
// getter, the code executed on getting obj.propName
},

set propName(value) {
// setter, the code executed on setting obj.propName = value
}
};

3. An object property is a name, a value and a set of attributes. The value


may be replaced by one or two methods, known as setter and a getter.
4. When program queries the value of an accessor property, Javascript
invoke getter method(passing no arguments). The retuen value of this
method become the value of the property access expression.
5. When program sets the value of an accessor property. Javascript invoke
the setter method, passing the value of right-hand side of assignment. This
method is responsible for setting the property value.
 If property has both getter and a setter method, it is read/write
property.
 If property has only a getter method , it is read-only property.
 If property has only a setter method , it is a write-only property.
6. getter works when obj.propName is read, the setter – when it is assigned.

Example:
<html>

Page 5 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

<head>
<title>Functions</title>
<body> Example :
<script language="Javascript"> 2M
var myCar = {
/* Data properties */
defColor: "blue",
defMake: "Toyota",
(Any other
/* Accessor properties (getters) */ example can
get color() { be
return this.defColor; considered)
},
get make() {
return this.defMake;
},

/* Accessor properties (setters) */


set color(newColor) {
this.defColor = newColor;
},
set make(newMake) {
this.defMake = newMake;
}
};
document.write("Car color:" + myCar.color + " Car Make: "+myCar.make)
/* Calling the setter accessor properties */
myCar.color = "red";
myCar.make = "Audi";
/* Checking the new values with the getter accessor properties */
document.write("<p>Car color:" + myCar.color); // red
document.write(" Car Make: "+myCar.make); //Audi
</script>
</head>
</body>
</html>
b Explain prompt() and confirm() method of Java script with syntax and 4M
example.
Ans prompt() For Each
explanation/
The prompt () method displays a dialog box that prompts the visitor for input.The
prompt () method returns the input value if the user clicks "OK". If the user clicks syntax : 1M,
"cancel" the method returns null.
Example :
Syntax: window.prompt (text, defaultText) 1M

Page 6 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

Example: (Any other


<html> example can
<script type="text/javascript"> be
considered)
function msg(){
var v= prompt("Who are you?");
alert("I am "+v);
}
</script>

<input type="button" value="click" onclick="msg()"/>


</html>
confirm()
It displays the confirm dialog box. It has message with ok and cancel buttons.
Returns Boolean indicating which button was pressed
Syntax:
window.confirm("sometext");
Example :
<html>
<script type="text/javascript">
function msg(){
var v= confirm("Are u sure?");
if(v==true){
alert("ok");
}

else{
alert("cancel");
}
}
</script>
<input type="button" value="delete record" onclick="msg()"/>

</html>

Page 7 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

c Write a Java script program which computes, the average marks of the 4M
following students then, this average is used to determine the corresponding
grade.
Student Name Marks
Sumit 80
Kalpesh 77
Amit 88
Tejas 93
Abhishek 65

The grades are computed as follows :


Range Grade
<60 E
<70 D
<80 C
<90 B
<100 A
Ans <html> Correct
logic : 2M,
<head>
Correct
<title>Compute the average marks and grade</title> Syntax: 2M
</head> (any other
logic can be
<body>
considered)
<script>
var students = [['Summit', 80], ['Kalpesh', 77], ['Amit', 88], ['Tejas', 93],
['Abhishek', 65]];
var Avgmarks = 0;
for (var i=0; i < students.length; i++) {
Avgmarks += students[i][1];
}
var avg = (Avgmarks/students.length);

document.write("Average grade: " + (Avgmarks)/students.length);


document.write("<br>");
if (avg < 60){

Page 8 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

document.write("Grade : E");
}
else if (avg < 70) {
document.write("Grade : D");
}
else if (avg < 80) {

document.write("Grade : C");
} else if (avg < 90) {
document.write("Grade : B");
} else if (avg < 100) {
document.write("Grade : A");
}
</script>

</body>
</html>

Output (Optional)
Average grade: 80.6
Grade : B
d Write the use of chatAt() and indexof() with syntax and example. 4M
Ans charAt() Each syntax
: 1M,
The charAt() method requires one argument i.e is the index of the character that
you want to copy.

Syntax: Example :
1M
var SingleCharacter = NameOfStringObject.charAt(index);

Example:

var FirstName = 'Bob';

Page 9 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

var Character = FirstName.charAt(0); //o/p B

indexOf()
The indexOf() method returns the index of the character passed to it as an
argument.
If the character is not in the string, this method returns –1.

Syntax:
var indexValue = string.indexOf('character');

Example:
var FirstName = 'Bob';

var IndexValue = FirstName.indexOf('o'); //o/p index as 1

3 Attempt any THREE of the following : 12 M


a Differentiate between concat() and join() methods of array object. 4M
Ans concat() join()

Array elements can be combined by Array elements can be combined by


using concat() method of Array using join() method of Array object.
object.

The concat() method separates each The join() method also uses a comma
value with a comma. to separate values, but you can
specify a character other than a
comma to separate values.

Eg: Eg:
var str = cars.concat() var str = cars.join(' ')
The value of str in this case is
The value of str is 'BMW Audi Maruti'
'BMW, Audi, Maruti'

b Write a JavaScript that will replace following specified value with another 4M
value in string.

Page 10 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

String = “I will fail”


Replace “fail” by “pass”
Ans <html> Correct
program
<head> with any
proper logic:
<body>
4M
<script>
var myStr = ‘I will fail’;
var newStr = myStr.replace(fail, "pass");
document.write(newStr);
</script>

</body>
</head>
</html>

c Write a Java Script code to display 5 elements of array in sorted order. 4M


Ans <html> Correct
program
<head> with any
proper logic
<title> Array</title>
:4M
</head>
<body>

<script>
var arr1 = [ “Red”, “red”, “Blue”, “Green”]
document.write(“Before sorting arra1=” + arr1);
document.write(“<br>After sorting arra1=” + arr1.sort());
</script>
</body>

</html>

d Explain open() method of window object with syntax and example. 4M

Page 11 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

Ans The open() method of window object is used to open a new window and loads the Explanation:
document specified by a given URL. 1M
MyWindow = window.open() syntax: 1 M
The open() method returns a reference to the new window, which is assigned to
Example: 2
the MyWindow variable. You then use this reference any time that you want to
do something with the window while your JavaScript runs. M
A window has many properties, such as its width, height, content, and name—to
mention a few. You set these attributes when you create the window by passing
(Any other
them as parameters to the open() method:
example can
be
• The first parameter is the full or relative URL of the web page that will appear
considered)
in the new window.
• The second parameter is the name that you assign to the window.
• The third parameter is a string that contains the style of the window.
We want to open a new window that has a height and a width of 250 pixels and
displays an advertisement that is an image. All other styles are turned off.

Syntax:

MyWindow = window.open(‘webpage1.html’, 'myAdWin', 'status=0, toolbar=0,


location=0, menubar=0, directories=0, resizable=0, height=250, width=250')

Example:

<html >
<head>
<title>Open New Window</title>
<script >
function OpenNewWindow() {
MyWindow = window.open(‘webpage1.html’, 'myAdWin', 'status=0, toolbar=0,
location=0,
menubar=0, directories=0, resizable=0, height=250, width=250')
}
</script>
</head>
<body>
<FORM action=" " method="post">
<INPUT name="OpenWindow" value="Open Window" type="button"
onclick="OpenNewWindow()"/>
</FORM>
</body>
</html>

Page 12 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

4 Attempt any THREE of the following : 12 M


a Describe regular expression. Explain search () method used in regular 4M
expression with suitable example.
Ans Regular Expression: Regular
A regular expression is very similar to a mathematical expression, except a Expression:
regular expression tells the browser how to manipulate text rather than numbers 1M
by using special symbols as operators.
search()
Search() method: method: 1 M
str.search() method takes a regular expression/pattern as argument and search
for the specified regular expression in the string. This method returns the index Example:
where the match found. 2M

Example:

<html>
<body>
<script>
function myFunction() {

// input string
var str = "Good Morning!";

// searching string with modifier i


var n = str.search(/Morning/i);

document.write(n + '<br>');

// searching string without modifier i


var n = str.search(/Morning/);

document.write(n);
}
myFunction();
</script>
</body>
</html>
b List ways of protecting your web page and describe any one of them. 4M
Ans Ways of protecting Web Page: List: 1 M

1)Hiding your source code Explanation


2)Disabling the right MouseButton any one: 3M
3) Hiding JavaScript
4) Concealing E-mail address.

Page 13 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

1) Hiding your source code

The source code for your web page—including your JavaScript—is stored in the
cache, the part of computer memory where the browser stores web pages that
were requested by the visitor. A sophisticated visitor can access the cache and
thereby gain access to the web page source code.
However, you can place obstacles in the way of a potential peeker. First, you can
disable use of the right mouse button on your site so the visitor can't access the
View Source menu option on the context menu. This hides both your HTML code
and your JavaScript from the visitor.
Nevertheless, the visitor can still use the View menu's Source option to display
your source code. In addition, you can store your JavaScript on your web server
instead of building it into your web page. The browser calls the JavaScript from
the web server when it is needed by your web page.
Using this method, the JavaScript isn't visible to the visitor, even if the visitor
views the source code for the web page.

2)Disabling the right MouseButton

The following example shows you how to disable the visitor's right mouse button
while the browser displays your web page. All the action occurs in the JavaScript
that is defined in the <head> tag of the web page.

The JavaScript begins by defining the BreakInDetected() function. This function


is called any time the visitor clicks the right mouse button while the web page is
displayed. It displays a security violation message in a dialog box whenever a
visitor clicks the right mouse button
The BreakInDetected() function is called if the visitor clicks any button other
than the left mouse button.

Example:

<html>
<head>
<title>Lockout Right Mouse Button</title>
<script language=JavaScript>

function BreakInDetected(){
alert('Security Violation')
return false
}
function NetscapeBrowser(e){
if (document.layers||
document.getElementById&&!document.all){
if (e.which==2||e.which==3){

Page 14 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

BreakInDetected()
return false
}
}
}
function InternetExploreBrowser(){
if (event.button==2){
BreakInDetected()
return false
}
}
if (document.layers){
document.captureEvents(Event.MOUSEDOWN)
document.onmousedown=NetscapeBrowser()
}
else if (document.all&&!document.getElementById){
document.onmousedown=InternetExploreBrowser()
}
document.oncontextmenu=new Function(
"BreakInDetected();return false")

</script>
</head>
<body>
<table width="100%" border=0>
<tbody>
<tr vAlign=top>
<td width=50>
<a>
<ing height=92 src="rose.jpg"
width=70 border=0
onmouseover="src='rose1.jpg'"
onmouseout="src='rose.jpg'">
</a>
</td>
<td>
<img height=1 src="" width=10>
</td>
<td>
<a>
<cTypeface:Bold><u> Rose Flower</U></b>
</a>
</font><font face="arial, helvetica, sans-serif"
size=-1><BR>Rose Flower

Page 15 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

</td>
</tr>
</tbody>
</table>
</body>
</html>

3) Hiding JavaScript

You can hide your JavaScript from a visitor by storing it in an external fi le on


your web server. The external fi le should have the .js fi le extension. The browser
then calls the external file whenever the browser encounters a JavaScript element
in the web page. If you look at the source code for the web page, you'll see
reference to the external .js fi le, but you won't see the source code for the
JavaScript.
The next example shows how to create and use an external JavaScript file. First
you must tell the browser that the content of the JavaScript is located in an
external
file on the web server rather than built into the web page. You do this by assigning
the fi le name that contains the JavaScripts to the src attribute of the <script>
tag, as shown here:

<script src="MyJavaScripts.js"
language="Javascript" type="text/javascript">

Next, you need to defi ne empty functions for each function that you define in the
external JavaScript fi le.

<html >
<head>
<title>Using External JavaScript File</title>
<script src="myJavaScript.js" language="Javascript" type="text/javascript">

function OpenNewWindow(book) {
}
</script>
</head>
<body>
<tablewidth="100%" border=0>
<tbody>
<tr vAlign=top>
<td width=50>
<a>
<img height=92 src="rose.jpg" width=70 border=0 name='cover'>
</a>

Page 16 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

</td>
<td>
<img height=1 src="" width=10>
</td>
<td>
<a onmouseover="OpenNewWindow(1)" onmouseout="MyWindow.close()">
<b><u>Rose </u></b>
</a>
<br>
<a onmouseover="OpenNewWindow(2)" onmouseout="MyWindow.close()">
<b><u>Sunflower</U></b>
</a>
<br>
<A onmouseover="OpenNewWindow(3)" onmouseout="MyWindow.close()">
<b><u>Jasmine </u></b>
</a>
</td>
</tr>
</tbody>
</table>
</body>
</html>

The final step is to create the external JavaScript fi le. You do this by placing all
function definitions into a new fi le and then saving the fi le using the .js
extension.
MyJavaScript.js file:

function OpenNewWindow(book) {
if (book== 1)
{
document.cover.src='rose.jpg'
MyWindow = window.open('', 'myAdWin', 'titlebar=0 status=0, toolbar=0,
location=0, menubar=0, directories=0, resizable=0, height=50,
width=150,left=500,top=400')
MyWindow.document.write( 'Rose flower')
}
if (book== 2)
{
document.cover.src='sunflower.jpeg'
MyWindow = window.open('', 'myAdWin', 'titlebar=0 status=0, toolbar=0,
location=0, menubar=0, directories=0, resizable=0, height=50,
width=150,left=500,top=500')
MyWindow.document.write( 'sunflower flower')
}

Page 17 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

if (book== 3)
{
document.cover.src='jasmine.gif'
MyWindow = window.open('', 'myAdWin', 'titlebar=0
status=0, toolbar=0, location=0, menubar=0, directories=0, resizable=0,
height=50,
width=150,left=500,top=600')
MyWindow.document.write( 'Jasmine Flower')
}
}

After you create the external JavaScript fi le, defi ne empty functions for each
function that is contained in the external JavaScript fi le, and reference the
external
JavaScript fi le in the src attribute of the <script> tag, you're all set.

4) Concealing E-mail address:

Many of us have endured spam at some point and have probably blamed every
merchant we ever patronized for selling our e-mail address to spammers. While
e-mail addresses are commodities, it's likely that we ourselves are the culprits
who invited spammers to steal our e-mail addresses.
Here's what happens: Some spammers create programs called bots that surf the
Net looking for e-mail addresses that are embedded into web pages, such as those
placed there by developers to enable visitors to contact them. The bots then strip
these e-mail addresses from the web page and store them for use in a spam attack.
This technique places developers between a rock and a hard place. If they place
their e-mail addresses on the web page, they might get slammed by spammers. If
they don't display their e-mail addresses, visitors will not be able to get in touch
with the developers.
The solution to this common problem is to conceal your e-mail address in the
source code of your web page so that bots can't fi nd it but so that it still appears
on the web page. Typically, bots identify e-mail addresses in two ways: by the
mailto: attribute that tells the browser the e-mail address to use when the visitor
wants to respond to the web page, and by the @ sign that is required of all e-mail
addresses. Your job is to confuse the bots by using a JavaScript to generate the
e-mail address dynamically. However, you'll still need to conceal the e-mail
address in your JavaScript, unless the JavaScript is contained in an external
JavaScript file, because a bot can easily recognize the mailto: attribute and the @
sign in a JavaScript.
Bots can also easily recognize when an external fi le is referenced. To conceal an
e-mail address, you need to create strings that contain part of the e-mail address
and then build a JavaScript that assembles those strings into the e-mail address,
which is then written to the web page.
The following example illustrates one of many ways to conceal an e-mail address.

Page 18 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

It also shows you how to write the subject line of the e-mail. We begin by
creating four strings:

• The first string contains the addressee and the domain along with symbols &, *,
and _ (underscore) to confuse the bot.
• The second and third strings contain portions of the mailto: attribute name.
Remember that the bot is likely looking for mailto:.
• The fourth string contains the subject line. As you'll recall from your HTML
training, you can generate the TO, CC, BCC, subject, and body of an e-mail from
within a web page.
You then use these four strings to build the e-mail address. This process starts by
using the replace() method of the string object to replace the & with the @ sign
and the * with a period (.). The underscores are replaced with nothing, which is
the
same as simply removing the underscores from the string.
All the strings are then concatenated and assigned to the variable b, which is then
assigned the location attribute of the window object. This calls the e-mail program
on the visitor's computer and populates the TO and Subject lines with the strings
generated by the JavaScript.

<html>
<head>
<title>Conceal Email Address</title>
<script>
function CreateEmailAddress(){
var x = manish*c_o_m'
var y = 'mai'
var z = 'lto'
var s = '?subject=Customer Inquiry'
x = x.replace('&','@')
x = x.replace('*','.')
x = x.replace('_','')
x = x.replace('_','')
var b = y + z +':'+ x + s
window.location=b
}
-->
</script>
</head>
<body>
<input type="button" value="Help"
onclick="CreateEmailAddress()">
</body>
</html>

Page 19 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

c Create a slideshow with the group of three images, also simulate next and 4M
previous transition between slides in your Java Script.
Ans <html> Correct
<head> program: 4
<script> M
pics = new Array('1.jpg' , '2.jpg' , '3.jpg');
count = 0; (Any other
function slideshow(status) example can
{ be
if (document.images) considered)
{
count = count + status;
if (count > (pics.length - 1))
{
count = 0;
}
if (count < 0)
{
count = pics.length - 1;
}
documet.imag1.src = pics[count];
}
}
</script>
</head>
<body>
<img src="1.jpg" width="200" name="img1">
<br>
<input type="button" value="Next" onclick="slideshow(1)">
<input type="button" value="Back" onclick="slideshow(-1)">
</body>
</html>
d Explain text rollover with suitable example. 4M
Ans You create a rollover for text by using the onmouseover attribute of the <A> tag, Explanation:
which is the anchor tag. You assign the action to the onmouseover attribute the 2M
same way as you do with an <IMG> tag. Program: 2
Let's start a rollover project that displays a flower titles. Additional information M
about a flower can be displayed when the user rolls the mouse cursor over the
flower name. In this example, the image of the flower is displayed. However, (Any other
you could replace the flower image with an advertisement or another message example can
that you want to show about the flower. be
considered)
<html>
<head>
<title>Rollover Text</title>

Page 20 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

</head>
<body>
<TABLE width="100%" border="0">
<TBODY>
<TR vAlign="top">
<TD width="50">
<a>
<IMG height="92" src="rose.jpg"
width="70" border="0" name="cover">
</a>
</TD>
<TD>
<IMG height="1" src="" width="10">
</TD>
<TD>
<A onmouseover= "document.cover.src='sunflower.jpg'">
<B><U>Sunflower</U></B>
</A>
<BR>
<A onmouseover=
"document.cover.src='jasmine.jpg'">
<B><U>Jasmine</U></B>
</A>
<BR>
<A onmouseover=
"document.cover.src='rose.jpg'">
<B><U>Rose</U></B>
</A>
</TD>
</TR>
</TBODY>
</TABLE>
</body>
</html>
e Write a Java script to modify the status bar using on MouseOver and on 4M
MouseOut with links. When the user moves his mouse over the links, it will
display “MSBTE” in the status bar. When the user moves his mouse away
from the link the status bar will display nothing.
Ans <html> Correct
<head> program: 4
<title>JavaScript Status Bar</title></head> M
<body>
<a href=" https://msbte.org.in/"
onMouseOver="window.status='MSBTE';return true"
onMouseOut="window.status='';return true">

Page 21 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

MSBTE

</a>
</body>
</html>

5 Attempt any TWO of the following : 12 M


a Write a HTML script which displays 2 radio buttons to the users for fruits 6M
and vegetables and 1 option list. When user select fruits radio button option
list should present only fruits names to the user & when user select vegetable
radio button option list should present only vegetable names to the user.
Ans <html> Correct
<head> script code:
<title>HTML Form</title> 4M
<script language="javascript" type="text/javascript"> HTML
function updateList(ElementValue) code: 2M
{
with(document.forms.myform)
{
if(ElementValue == 1)
{
optionList[0].text="Mango";
optionList[0].value=1;
optionList[1].text="Banana";
optionList[1].value=2;
optionList[2].text="Apple";
optionList[2].value=3;
}
if(ElementValue == 2)
{
optionList[0].text="Potato";
optionList[0].value=1;
optionList[1].text="Cabbage";
optionList[1].value=2;
optionList[2].text="Onion";
optionList[2].value=3;
}
}
}
</script>
</head>
<body>
<form name="myform" action="" method="post">
<p>

Page 22 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

<select name="optionList" size="2">


<option value=1>Mango
<option value=2>Banana
<option value=3>Apple
</select>
<br>
<input type="radio" name="grp1" value=1 checked="true"
onclick="updateList(this.value)">Fruits
<input type="radio" name="grp1" value=2
onclick="updateList(this.value)">Vegetables
<br>
<input name="Reset" value="Reset" type="reset">
</p>
</form>
</body>
</html>
b Describe, how to read cookie value and write a cookie value. Explain with 6M
example.
Ans Web Browsers and Servers use HTTP protocol to communicate and HTTP is a Reading
stateless protocol. But for a commercial website, it is required to maintain cookie with
session information among different pages. For example, one user registration example:
ends after completing many pages. But how to maintain users' session 3M
information across all the web pages. Writing
cookie with
Cookies are a plain text data record of 5 variable-length fields − example:
 Expires − The date the cookie will expire. If this is blank, the cookie will 3M
expire when the visitor quits the browser. **Note:
Combined of
 Domain − The domain name of your site. both code is
 Path − The path to the directory or web page that set the cookie. This also
may be blank if you want to retrieve the cookie from any directory or acceptable
page.
 Secure − If this field contains the word "secure", then the cookie may
only be retrieved with a secure server. If this field is blank, no such
restriction exists.
 Name=Value − Cookies are set and retrieved in the form of key-value
pairs
Cookies were originally designed for CGI programming. The data contained in
a cookie is automatically transmitted between the web browser and the web
server, so CGI scripts on the server can read and write cookie values that are
stored on the client.

Page 23 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

JavaScript can also manipulate cookies using the cookie property of


the Document object. JavaScript can read, create, modify, and delete the cookies
that apply to the current web page.

Storing Cookies
The simplest way to create a cookie is to assign a string value to the
document.cookie object, which looks like this.
document.cookie = "key1 = value1;key2 = value2;expires = date";
Here the expires attribute is optional. If you provide this attribute with a valid
date or time, then the cookie will expire on a given date or time and thereafter,
the cookies' value will not be accessible.
<html>
<head>
<script type = "text/javascript">
<!--
function WriteCookie()
{
if( document.myform.customer.value == "" ) {
alert("Enter some value!");
return;
}
cookievalue = escape(document.myform.customer.value) + ";";
document.cookie="name=" + cookievalue;
document.write ("Setting Cookies : " + "name=" + cookievalue );
}
//-->
</script>
</head>
<body>
<form name = "myform" action = "">
Enter name: <input type = "text" name = "customer"/>
<input type = "button" value = "Set Cookie" onclick = "WriteCookie();"/>
</form>
</body>
</html>

Reading Cookies
Reading a cookie is just as simple as writing one, because the value of the
document.cookie object is the cookie. So you can use this string whenever you
want to access the cookie. The document.cookie string will keep a list of
name=value pairs separated by semicolons, where name is the name of a cookie
and value is its string value.

Page 24 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

You can use strings' split() function to break a string into key and values as
follows:-
<html>
<head>
<script type = "text/javascript">
<!--
function ReadCookie()
{
var allcookies = document.cookie;
document.write ("All Cookies : " + allcookies )
// Get all the cookies pairs in an array
cookiearray = allcookies.split(';');

// Now take key value pair out of this array


for(var i=0; i<cookiearray.length; i++) {
name = cookiearray[i].split('=')[0];
value = cookiearray[i].split('=')[1];
document.write ("Key is : " + name + " and Value is : " + value);
}
}
//-->
</script>

</head>
<body>

<form name = "myform" action = "">


<p> click the following button and see the result:</p>
<input type = "button" value = "Get Cookie" onclick =
"ReadCookie()"/>
</form>

Page 25 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

</body>
</html>
c Write a java script that displays textboxes for accepting name & email ID & 6M
a submit button. Write java script code such that when the user clicks on
submit button
(1) Name Validation
(2) Email ID Validation.
Ans <html> Correct
<head> Html code:
<title>Form Validation</title> 2M
</head>
<body> Correct
<form action = "/cgi-bin/test.cgi" name = "myForm" onsubmit = Script code:
"return(validate());"> 4M
<table cellspacing = "2" cellpadding = "2" border = "1">
(Any other
<tr>
example can
<td align = "right">Name</td>
be
<td><input type = "text" name = "Name" /></td>
considered)
</tr>

<tr>
<td align = "right">EMail</td>
<td><input type = "text" name = "EMail" /></td>
</tr>

<tr>
<td align = "right"></td>
<td><input type = "submit" value = "Submit" /></td>
</tr>
</table>
</form>
</body>
</html>
<script type = "text/javascript">
<!--
// Form validation code will come here.
function validate() {
if( document.myForm.Name.value == "" ) {
alert( "Please provide your name!" );
document.myForm.Name.focus() ;
return false;
}
if( document.myForm.EMail.value == "" ) {

Page 26 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

alert( "Please provide your Email!" );


document.myForm.EMail.focus() ;
return false;
}
var emailID = document.myForm.EMail.value;
atpos = emailID.indexOf("@");
dotpos = emailID.lastIndexOf(".");

if (atpos < 1 || ( dotpos - atpos < 2 )) {


alert("Please enter correct email ID")
document.myForm.EMail.focus() ;
return false;
}
return( true );
}
//-->
</script>

6 Attempt any TWO of the following : 12 M


a Describe how to evaluate checkbox selection. Explain with suitable example. 6M
Ans Evaluating Checkbox Selection: Correct
Explanation
 A checkbox is created by using the input element with the : 3M
type=”checkbox” attribute-value pair.
 A checkbox in a form has only two states(checked or un-checked) and is &
independent of the state of other checkboxes in the form. Check boxes can
be grouped together under a common name. Correct
Example:3M
 You can write javascript function that evaluates whether or not a check
box was selected and then processes the result according to the needs of
(Any other
your application.
example can
 Following example make use of five checkboxes to provide five options
be
to the user regarding fruit.
considered)
<html>
<head>
<title>HTML Form</title>
<script language="javascript" type="text/javascript">
function selection()
{
var x ="You selected: ";
with(document.forms.myform)
{
if(a.checked == true)
{
x+= a.value+ " ";

Page 27 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

}
if(b.checked == true)
{
x+= b.value+ " ";
}
if(o.checked == true)
{
x+= o.value+ " ";
}
if(p.checked == true)
{
x+= p.value+ " ";
}
if(g.checked == true)
{
x+= g.value+ " ";
}
document.write(x);
}
}
</script>
</head>
<body>
<form name="myform" action="" method="post">
Select Your Favourite Fruits: <br>
<input type="checkbox" name="a" value="Apple">Apple
<input type="checkbox" name="b" value="Banana">Banana
<input type="checkbox" name="o" value="Orange">Orange
<input type="checkbox" name="p" value="Pear">Pear
<input type="checkbox" name="g" value="Grapes">Grapes
<input type="reset" value="Show" onclick="selection()">
</form>
</body>
</html>

</form>
</body>
</html>

Page 28 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

b Write a script for creating following frame structure 6M

FRUITS, FLOWERS AND CITIES are links to the webpage fruits.html,


flowers.html, cities.html respectively. When these links are clicked
corresponding data appears in FRAME 3.
Ans <html> Frame part:
<head> 2M for each
<title>Frame Demo</title>
</head>
<body>
<table border="1">
<tr>
<td align="center" colspan="2">
FRAME 1
</td>
</tr>
<tr>
<td>
FRAME 2
<ul>
<li>
<a href="fruits.html" target="mainframe">FRUITS</a>
</li>
<li>
<a href="flowers.html" target="mainframe">FLOWERS</a>
</li>
<li>
<a href="cities.html" target="mainframe">CITIES</a>
</li>
</ul>
</td>
<td>
FRAME 3<BR>
<iframe name="mainframe"></iframe>
</td>
</tr>
</table>
</body>
</html>

Page 29 |3 0
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)

c Write a javascript to create a pull-down menu with three options [Google, 6M


MSBTE, Yahoo] once the user will select one of the options then user will be
redirected to that site.
Ans <html> pull-down
<head> menu code:
<title>HTML Form</title> 2M each
<script language="javascript" type="text/javascript">
function getPage(choice)
{
page=choice.options[choice.selectedIndex].value;
if(page != "")
{
window.location=page;
}
}
</script>
</head>
<body>
<form name="myform" action="" method="post">
Select Your Favourite Website:
<select name="MenuChoice" onchange="getPage(this)">
<option
value="https://www.google.com">Google</option>
<option
value="https://www.msbte.org.in">MSBTE</option>
<option
value="https://www.yahoo.com">Yahoo</option>
</form>
</body>
</html>

Page 30 |3 0
21222
22519
3 Hours / 70 Marks Seat No.
15 minutes extra for each hour

Instructions : (1) All Questions are compulsory.

(2) Answer each next main Question on a new page.

(3) Illustrate your answers with neat sketches wherever necessary.

(4) Figures to the right indicate full marks.

(5) Assume suitable data, if necessary.

(6) Mobile Phone, Pager and any other Electronic Communication


devices are not permissible in Examination Hall.

Marks

1. Attempt any FIVE of the following : 10

(a) State the features of Javascript.

(b) Differentiate between bession cookies and persistent cookies.

(c) Write a javascript program to check whether entered number is prime or not.

(d) Explain following form events :

(i) onmouseup

(ii) onblur

(e) Write a javascript program to changing the contents of a window.

(f) Explain frame works of javascript and its application.

(g) Write a javascript syntax to accessing elements of another child window.

[1 of 4] P.T.O.
22519 [2 of 4]
2. Attempt any THREE of the following : 12

(a) Write a javascript program to validate user accounts for multiple set of user
ID and password (using swith case statement).

(b) Differentiate between concat() and join() methods of array object.

(c) Write a javascript program to demonstrate java intrinsic function.

(d) Design a webpage that displays a form that contains an input for user name
and password. User is prompted to enter the input user name and password
and password become value of the cookies. Write the javascript function for
storing the cookies.

3. Attempt any THREE of the following : 12

(a) Write a javascript program to create read, update and delete cookies.

(b) Write a javascript program to link banner advertisements to different URLs.

(c) Write a javascript program to calculate add, sub, multiplication and division
of two number (input from user). Form should contain two text boxes to input
numbers of four buttons for addition, subtraction, multiplication and division.

(d) State what is regular expression. Explain its meaning with the help of a
suitable example.

4. Attempt any THREE of the following : 12

(a) Differentiate between For-loop and For-in loop.

(b) Write a javascript function that accepts a string as a parameter and find the
length of the string.

(c) Write a javascript program to validate email ID of the user using regular
expression.
22519 [3 of 4]
(d) Write a javascript program to design HTML page with books information in
tabular format, use rollovers to display the discount information.

(e) List ways of protecting your webpage and describe any one of them.

5. Attempt any TWO of the following : 12

(a) Write a javascript to checks whether a passed string is palindrome or not.

(b) Develop javascript to convert the given character to unicode and vice-versa.

(c) Write a javascript program to create a silde show with the group of six
images, also simulate the next and previous transition between slides in your
javascript.

6. Attempt any TWO of the following : 12

(a) Write a javascript to open a new window and the new window is having two
frames. One frame containing buthon as “click here !”, and after clicking this
button an image should open in the second frame of that child window.

(b) Write a javascript to create option list containing list of images and then
display images in new window as per selection.

(c) Write a javascript function to generate Fibonacci series till user defined limit.

____________

P.T.O.
22519 [4 of 4]
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
WINTER – 2022 EXAMINATION
Subject Name: Client-Side Scripting Model Ans Subject Code: 22519
Important Instructions to examiners: XXXXX
1) The answers should be examined by key words and not as word-to-word as given in the model answer
scheme.
2) The model answer and the answer written by candidate may vary but the examiner may try to assess the
understanding level of the candidate.
3) The language errors such as grammatical, spelling errors should not be given more Importance (Not
applicable for subject English and Communication Skills.
4) While assessing figures, examiner may give credit for principal components indicated in the figure. The
figures drawn by candidate and model answer may vary. The examiner may give credit for any equivalent
figure drawn.
5) Credits may be given step wise for numerical problems. In some cases, the assumed constant values may
vary and there may be some difference in the candidate’s answers and model answer.
6) In case of some questions credit may be given by judgement on part of examiner of relevant answer based
on candidate’s understanding.
7) For programming language papers, credit may be given to any other program based on equivalent concept.
8) As per the policy decision of Maharashtra State Government, teaching in English/Marathi and Bilingual
(English + Marathi) medium is introduced at first year of AICTE diploma Programme from academic year
2021-2022. Hence if the students in first year (first and second semesters) write answers in Marathi or
bilingual language (English +Marathi), the Examiner shall consider the same and assess the answer based
on matching of concepts with model answer.

Q. Sub Answer Marking


No. Q. Scheme
N.

1 Attempt any FIVE of the following: 10 M

a) State the use of method in javascript with the help of suitable example. 2M

Ans A method/function is a set of statements that take inputs, do some specific computation, Explanation
and produce output. The idea is to put some commonly or repeatedly done tasks together - 1 M and
and make a function so that instead of writing the same code again and again for different Example-
1 M.
inputs, we can call that function.

Example:
function Addition (number1, number2)
{
return number1 + number2;
}
b) List & Explain datatypes in JavaScript. 2M

Ans JavaScript provides different data types to hold different types of values. There are two Any four,
types of data types in JavaScript, Primitive data type and Non-primitive data type ½ for each
i) There are five types of primitive data types in JavaScript. They are as follows:
String - represents sequence of characters e.g., "hello"
Number - represents numeric values e.g., 100
Page No: 1 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
Boolean - represents boolean value either false or true
Undefined - represents undefined value
Null - represents null i.e., no value at all

ii) The non-primitive data types are as follows:


Object - represents instance through which we can access members
Array - represents group of similar values
RegExp - represents regular expression
c) Write a simple calculator program using switch case in JavaScript. 2M

Ans <html> 2 M for


<body> relevant
<script> program.
const number1 = parseFloat(prompt("Enter first number: "));
const number2 = parseFloat(prompt("Enter second number: "));

const operator = prompt("Enter operator ( either +, -, *, / or %): ");


let result;

switch (operator) {
case "+":
result = number1 + number2;
document.write(result);
break;
case "-":
result = number1 - number2;
document.write(result);
break;

case "*":
result = number1 * number2;
document.write(result);
break;

case "/":
result = number1 / number2;
document.write(result);
break;

case "%":
result = number1 % number2;
document.write(result);
break;

Page No: 2 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________

default:
document.write("Invalid operator");
break;
}
</script>
</body>
</html>
d) Write a program using sort method of array object. 2M

Ans <html> 2 M for


<body> relevant
<script> program.
var array =[5,1,9,7,5];
// sorting the array
sorted = array.sort();
document.write(sorted);
</script>
</body>
</html>
e) Describe property Getters & Setters. 2M

Ans JavaScript object accessors are used to access and update the objects. Getter and setter are 1 m for each
used as object accessors to get or set object properties.

Getter method helps in accessing the object methods as object properties.

Setter method is used to set object properties.

Using getter and setter the javascript provides better data security and data quality.

Example:

<!DOCTYPE html>
<html>
<body>
<script>
var car = {
brand: "Toyota",
color: "Blue",

get getBrand () {
return this.brand;
},
get getColor () {
return this.color;

Page No: 3 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
},

set setBrand (newBrand) {


this.brand = newBrand;
},
set setColor (newColor) {
this.color = newColor;
}
};

document.write("Car Brand: " + car.brand + "<br>Car Color: " + car.color);

car.setBrand = "Tesla";
car.setColor = "Red";
document.write("<br><br>Car Brand: " + car.brand + "<br>Car Color: " +
car.color);
</script>
</body>
</html>
f) Enlist & explain the use of any two Intrinsic JavaScript Functions. 2M

Ans An intrinsic function (or built-in function) is a function (subroutine) available for use in a 1 M for
given programming language whose implementation is handled specially by the compiler. each
You can use intrinsic functions to make reference to a data item whose value is derived function
automatically during execution.

abs() - The ABS function returns the absolute value of the argument.

sin() - The SIN function returns a numeric value that approximates the sine of the angle or
arc specified by the argument in radians.

sqrt() - The SQRT function returns a numeric value that approximates the square root of
the argument specified.

Date(): return current date.

Len(): returns number of characters in the text.

parseInt() - parseInt() function takes string as a parameter and converts it to integer.

parseFloat() - parseFloat() function takes a string as parameter and parses it to a floating


point number.

g) Describe browser location object. 2M

Page No: 4 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
Ans i) The location object contains information about the current URL. Explanation
ii) The location object is a property of the window object. 1M
iii) The location object is accessed with: window.location or just location. Example-
Example: 1M
<!DOCTYPE html>
<html>
<body>
<h1>The Window Location Object</h1>
<p id="demo"></p>
<script>
let origin = window.location.origin;
document.getElementById("demo").innerHTML = origin;
</script>
</body>
</html>

2. Attempt any THREE of the following: 12 M

a) Write a JavaScript program that will display current date in DD/MM/YYYY format. 4M

Ans <!DOCTYPE html> Any


relevant
<html lang="en"> code 4 M.

<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>

<script>

var d=new Date();

var currentDate=d.getDate()+'/'+(d.getMonth()+1)+'/'+d.getFullYear()

document.write(currentDate)

Page No: 5 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
</script>

</body>

</html>

b) Write a JavaScript program that will remove the duplicate element from an array. 4M

Ans <!DOCTYPE html> Any


<html lang="en"> relevant
<body> code 4 M.
<script>
let arr = ["scale", "happy", "strength", "peace", "happy", "happy"];
function removeDuplicates(arr) {
let unique = [];
for (i = 0; i < arr.length; i++) {
if (unique.indexOf(arr[i]) === -1) {
unique.push(arr[i]);
}
}
return unique;
}
document.write(removeDuplicates(arr));
</script>
</body>
</html>
c) Write a JavaScript program that will display list of student in ascending order 4M
according to the marks & calculate the average performance of the class.

Student Name Marks


Amit 70
Sumit 78
Abhishek 71

Ans <html> Any


relevant
<body> code 4 M.

<script>

var students = [["Amit", 70],["Sumit", 78],["Abhishek", 71],];

var Avgmarks = 0;

for (var i = 0; i < students.length; i++) {

Page No: 6 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
Avgmarks += students[i][1];

for (var j = i + 1; j < students.length; j++) {

if (students[i] > students[j]) {

a = students[i];

students[i] = students[j];

students[j] = a

var avg = Avgmarks / students.length;

document.write("Average grade: " + Avgmarks / students.length);

document.write("<br><br>");

for (i = 0; i < students.length; ++i){

document.write(students[i]+"<br>")

</script>

</body>

</html>

d) Write and explain a string functions for converting string to number and number to 4M
string.

Ans To covert string to number we can use parseInt() which converts a string number to a Any
integer number. Similarly we can use parseFloat(), number() for converting string to relevant
number. code with
explanation
Eg- 4 M.
var a=prompt('Enter a number');
var b=parseInt(prompt('Enter a number'));
document.write(typeof a+"<br>");
document.write(typeof b);
To convert form number to string we can use toString()
<html>
Page No: 7 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
<body>
<p>toString() returns a number as a string:</p>
<script>
let num = 12;
let text = num.toString();
document.write(num)
</script>
</body>
</html>

3. Attempt any THREE of the following: 12 M

a) Differentiate between concat( ) & join( ) methods of array object. 4M

Ans Any 4
concat() join() point=4M
The concat() method concatenates (joins) two The join() method returns an array as
or more arrays. a string.
The concat() method returns a new array,
containing the joined arrays.
The concat() method separates each value with Any separator can be specified. The
a comma only. default is comma (,).
Syntax: Syntax:
array1.concat(array2, array3, ..., arrayX) array.join(separator)
Example: Example:
<script> <script>
const arr1 = ["CO", "IF"]; var fruits = ["Banana", "Orange",
const arr2 = ["CM", "AI",4]; "Apple", "Mango"];
const arr = arr1.concat(arr1, arr2); var text = fruits.join();
document.write(arr); document.write(text);
</script> var text1 = fruits.join("$$");
document.write("<br>"+text1);
</script>

b) Write a JavaScript function to check the first character of a string is uppercase or 4M


not.

Ans <html> Correct


<body> function
<script> logic=4M
function upper_case(str)
{
regexp = /^[A-Z]/; (any other
if (regexp.test(str)) relevant
{
document.write("String's first character is uppercase");
Page No: 8 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
} logic can
else consider)
{
document.write("String's first character is not uppercase");
}
}
upper_case('Abcd');
</script>
</body>
</html>

OR
<script>
function firstIsUppercase(str)
{
if (str.length === 0)
{
return false;
}

return str.charAt(0).toUpperCase() === str.charAt(0);


}

if (firstIsUppercase(prompt("Enter text")))
{
document.write('First letter is uppercase');
} else {
document.write('First letter is NOT uppercase');
}
</script>

c) Write a JavaScript function to merge two array & removes all duplicate 4M
values.
Ans <html> Correct
<body> function
<script> logic=4 M
function merge_array(array1, array2)
{
var result_array = []; (any other
relevant
var arr = array1.concat(array2);
logic can
var len = arr.length; consider)
var assoc = {};

Page No: 9 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
while(len--)
{
var item = arr[len];

if(!assoc[item])
{
result_array.unshift(item);
assoc[item] = true;
}
}

return result_array;
}
var array1 = [1, 2, 3,4,7,9];
var array2 = [2, 30, 1,40,9];
document.write(merge_array(array1, array2));
</script>
</body>
</html>

Output:
3,4,7,2,30,1,40,9

OR

<html>
<body>
<script>
function mergearr(arr1, arr2)
{
// merge two arrays
var arr = arr1.concat(arr2);
var uniqueArr = [];
// loop through array
for(var i of arr) {
if(uniqueArr.indexOf(i) === -1)
{
uniqueArr.push(i);
}
}
document.write(uniqueArr);
}
Page No: 10 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
var array1 = [1, 2, 3,6,8];
var array2 = [2, 3, 5,56,78,3]
mergearr(array1, array2);
</script>
</body>
</html>

Output:
1,2,3,6,8,5,56,78

d) Write a JavaScript function that will open new window when the user will 4M
clicks on the button.
Ans <html> Correct
<body> function
<button onclick="openWin()">Open "New Window"</button> logic=4 M
<script>
var myWindow;
function openWin()
{
myWindow = window.open("", "myWindow", "width=400,height=400");
myWindow.document.write("<p>Hello Everyone.Welcome to new window.</p>");
}
</script>
</body>
</html>

4. Attempt any THREE of the following: 12 M

a) Describe text Rollover with the help of example. 4M

Ans Rollover means a webpage changes when the user moves his or her mouse over an object Define
on the page. It is often used in advertising. There are two ways to create rollover, using Rollover-2
plain HTML or using a mixture of JavaScript and HTML. We will demonstrate the creation M
of rollovers using both methods.

The keyword that is used to create rollover is the <onmousover> event.


Example-2
For example, we want to create a rollover text that appears in a text area. The text “What M
is rollover?” appears when the user place his or her mouse over the text area and the
(For
rollover text changes to “Rollover means a webpage changes when the user moves his or
example,
her mouse over an object on the page” when the user moves his or her mouse away from
any other
the text area.
relevant

Page No: 11 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
The HTML script is shown in the following example: logic can be
considered)
Example:
<html>
<head></head>
<Body>
<textarea rows="2" cols="50" name="rollovertext" onmouseover="this.value='What
is rollover?'"
onmouseout="this.value='Rollover means a webpage changes when the user moves
his or her mouse over an object on the page'"></textarea>
</body>
</html>

b) Write a JavaScript program that will create pull-down menu with three 4M
options. Once the user will select the one of the options then user will redirected
to that website.

Ans <html> Creation of


<head> pull-down
<title>HTML Form</title> menus-1 M
<script language="javascript" type="text/javascript">
function getPage(choice)
{ Correct
page=choice.options[choice.selectedIndex].value; function to
if(page != "") redirect
{ particular
window.location=page; website-3 M
}
}
</script>
OR
</head>
<body>
<form name="myform" action="" method="post">
Select Your Favourite Website: any other
<select name="MenuChoice" onchange="getPage(this)"> relevant
<option value="select any option">Select</option> logic can be
<option value="https://www.codecademy.com/catalog/language/javascript/"> considered
CodeAcademy </option>
<option value="https://www.msbte.org.in">MSBTE</option>
<option value="https://www.javatpoint.com/javascript-tutorial">JavaTpoint</option>
</form>
</body>
</html>

Page No: 12 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________

Output:

c) Describe Quantifiers with the help of example. 4M

Ans The frequency or position of bracketed character sequences and single characters can be Describe
denoted by a special character. Each special character has a specific connotation. Quantifiers-
The +, *, ?, and $ flags all follow a character sequence. 2M
For
Sr.No. Expression & Description
Example-2
p+ M
1
It matches any string containing one or more p's.
p*
2
It matches any string containing zero or more p's.
p?
3
It matches any string containing at most one p.(zero or one occurrences)
p{N}
4
It matches any string containing a sequence of N p's
p{2,3}
5
It matches any string containing a sequence of two or three p's.
p{2, }
6
It matches any string containing a sequence of at least two p's.
p$
7
It matches any string with p at the end of it.
Example:
<html>
<body>
<button onclick="myFunction()">Try it</button>
<p id="demo"></p>
<script>
function myFunction()
{
var str = "100, 1000 or 10000?";
var patt1 = /\d{3,4}/g;

Page No: 13 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
var result = str.match(patt1);
document.getElementById("demo").innerHTML = result;
}
</script>
</body>
</html>
d) Describe frameworks of JavaScript & its application. 4M

Ans Frameworks of JavaScript: Any 2


1. ReactJs
React is based on a reusable component. Simply put, these are code blocks that can be (1m for
classified as either classes or functions. Each component represents a specific part of a explanation
page, such as a logo, a button, or an input box. The parameters they use are called props, and 1M for
which stands for properties. application)

Applications:
React is a JavaScript library developed by Facebook which, among other things, was used
to build Instagram.com.

2. Angular
Google operates this framework and is designed to use it to develop a Single Page
Application (SPA). This development framework is known primarily because it gives
developers the best conditions to combine JavaScript with HTML and CSS. Google
operates this framework and is designed to use it to develop a Single Page Application
(SPA). This development framework is known primarily because it gives developers the
best conditions to combine JavaScript with HTML and CSS.

Applications:
Microsoft Office ,Gmail, Forbes, PayPal, Grasshopper, Samsung, Delta

3. Vue.js
Vue is an open-source JavaScript framework for creating a creative UI. The integration
with Vue in projects using other JavaScript libraries is simplified because it is designed to
be adaptable.

Application:
VueJS is primarily used to build web interfaces and one-page applications. It can also
be applied to both desktop and mobile app development.

4. jQuery
It is a cross-platform JavaScript library designed to simplify HTML client-side scripting.
You can use the jQuery API to handle, animate, and manipulate an event in an HTML
document, also known as DOM. Also, jQuery is used with Angular and React App building
tools.
Applications:
1. JQuery can be used to develop Ajax based applications.
2. It can be used to make code simple, concise and reusable.
3. It simplifies the process of traversal of HTML DOM tree.
4. It can also handle events, perform animation and add ajax support in web applications.
Page No: 14 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________

5. Node.js
Node.js is an open-source, server-side platform built on the Google Chrome JavaScript
Engine. Node.js is an asynchronous, single-threaded, non-blocking I/O model that makes
it lightweight and efficient.
Applications:
Paypal, LinkedIn, Yahoo, Mozilla, Netflix, Uber, Groupon, GoDaddy, eBay

e) Describe how to link banner advertisement to URL with example. 4M

Ans The banner advertisement is the hallmark of every commercial web page. It is typically Banner-1 M
positioned near the top of the web page, and its purpose is to get the visitor's attention by Example-3
doing all sorts of clever things. M
To get additional information, the visitor is expected to click the banner so that a new web
page opens. You can link a banner advertisement to a web page by inserting a hyperlink
into your web page that calls a JavaScript function rather than the URL of a web page. The
JavaScript then determines the URL that is associated with the current banner and loads the
web page that is associated with the URL.

Example:
<html>
<head>
<title>Link Banner Ads</title>
<script language="Javascript" type="text/javascript">
Banners = new Array('1.jpg','2.jpg','3.jpg')
BannerLink = new Array(
'google.com/','vpt.edu.in/', 'msbte.org.in/');
CurrentBanner = 0;
NumOfBanners = Banners.length;
function LinkBanner()
{
document.location.href =
"http://www." + BannerLink[CurrentBanner];
}
function DisplayBanners() {
if (document.images) {
CurrentBanner++
if (CurrentBanner == NumOfBanners) {
CurrentBanner = 0
}
document.RotateBanner.src= Banners[CurrentBanner]
setTimeout("DisplayBanners()",1000)
}
}
</script>
</head>
<body onload="DisplayBanners()" >
<center>
<a href="javascript: LinkBanner()"><img src="1.jpg"
Page No: 15 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
width="400" height="75" name="RotateBanner" /></a>
</center>
</body> </html>

5. Attempt any TWO of the following: 12 M

a) Write HTML script that will display following structure 6M

Write the JavaScript code for below operations:


(1) Name, Email & Pin Code should not be blank.
(2) Pin Code must contain 6 digits & it should not be accept any characters.
Ans <html> Creation of
<head> correct form
<style> and calling
table,tr,td event-2 M
{
border: solid black 1px;
border-collapse: collapse;
Name,
}
Email and
Pin code
td
should not
{
be blank-2
padding: 10px;
M
}
</style>
</head>
<body>
<table>
<tbody> Pin code
<tr> must
<td>Name : </td> contain 6
<td> <input type="text" id="name" required></td> digits and it
</tr> should not
<tr> be blank-2
<td>Email : </td> M
<td> <input type="email" id="email" required></td>
</tr>
<tr>

Page No: 16 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
<td>Pin code : </td>
<td> <input type="number" id="pin" required></td>
</tr>
<tr>
<td></td>
<td><button onclick="submit()">Submit</button></td>
</tr>
</tbody>
</table>
</body>
<script>
function submit()
{
var name = document.getElementById("name").value;
var email = document.getElementById("email").value;
var pin = Number(document.getElementById("pin").value);
if(name.length==0 || email.length==0 || pin.length==0)
{
alert("Please enter value in all fields.")
}
else
{
var pinpattern =/^[4]{1}[0-9]{5}$/;
if( pinpattern.test(pin))
{
alert("Perfect Pin code");
}
else
{
alert("Wrong Pin code.");
}
}
}
</script>
</html>

b) Write a webpage that displays a form that contains an input for user name and 6M
password. User is prompted to enter the input user name and password and password
becomes the value of the cookie. Write the JavaScript function for storing the cookies.
It gets executed when the password changes.
Ans <html> Creation of
<head> form=2 M
<script> Storing and
function storeCookie() display
{ cookie
var pwd = document.getElementById('pwd').value information-
document.cookie = "Password=" + pwd + ";" 4M

Page No: 17 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
alert("Cookie Stored\n"+document.cookie);
}
</script>
</head>
<body>
<form name="myForm">
Enter Username <input type="text" id="uname"/><br/>
Enter Password <input type="password" id="pwd"/><br/>
<input type="button" value="Submit" onclick="storeCookie()"/>
<p id="panel"></p>
</form>
</body>
</html>

c) Write a JavaScript for creating following frame structure: 6M

Chapter 1 and Chapter 2 are linked to the webpage Ch1.html and ch2.html
respectively. When user click on these links corresponding data appears in
FRAME3.
Ans Step 1) create file frame1.html Correct
<html> frameset
<body> logic=6 M
<h1 align="center">FRAME1</h1>
</body>
</html> OR
( any other
relevant
Step 2) create frame2.html
logic can be
<html> considered )
<head>
<title>FRAME 2</title>
</head>
<body><H1>Operating System</H1>
<a href="Ch1.html" target="c"><UL>Chapter 1</UL></a>
<br>
<a href=" Ch2.html" target="c"><UL> Chapter 2</UL></a>
</body>
</html>

Page No: 18 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
Step 3) create frame3.html
<html>
<body>
<h1>FRAME3</h1>
</body>
</html>

Step4) create frame_target.html


<html>
<head>
<title>Create a Frame</title>
</head>
<frameset rows="30%,*" border="1">
<frame src="frame1.html" name="a" />
<frameset cols="50%,*" border="1">
<frame src="frame2.html" name="b" />
<frame src="frame3.html" name="c" />
</frameset>
</frameset>
</html>

Output:

6. Attempt any TWO of the following: 12 M

a) Write HTML script that will display dropdown list containing options such as 6M
Red, Green, Blue and Yellow. Write a JavaScript program such that when the
user selects any options. It will change the background colour of webpage.

Page No: 19 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
Ans <html> Creation of
<body> list-2 M
<label for="color">Choose a Background Color:</label>
<select name="color" id="color" class="color" onchange="changeColor()"> Correct
<option value="red">Red</option> logic to
<option value="green">Green</option> Change
<option value="blue">Blue</option> background
<option value="yellow">Yellow</option> color as per
</select> selection-4
<script type="text/javascript"> M
function changeColor() {
var color = document.getElementById("color").value;
switch(color){
case "green":
document.body.style.backgroundColor = "green";
break;
case "red":
document.body.style.backgroundColor = "red";
break;
case "blue":
document.body.style.backgroundColor = "blue";
break;
case "yellow":
document.body.style.backgroundColor = "yellow";
break;
default:
document.body.style.backgroundColor = "white";
break;
}
}
</script>
</body>
</html>
b) Develop a JavaScript program to create Rotating Banner Ads. 6M

Ans <html > Correct


<head> logic-6 M
<title>Banner Ads</title>
<script>
Banners = new Array('1.jpg','2.jpg','3.jpg'); OR
CurrentBanner = 0; ( any other
function DisplayBanners() relevant
{ logic can be
if (document.images); considered )
{
CurrentBanner++;
if (CurrentBanner == Banners.length)
{
CurrentBanner = 0;

Page No: 20 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
}
document.RotateBanner.src= Banners[CurrentBanner];
setTimeout("DisplayBanners()",1000);
}
}
</script>
</head>
<body onload="DisplayBanners()" >
<center>
<img src="1.jpg" width="400"
height="75" name="RotateBanner" />
</center>
</body>
</html>

c) Write a JavaScript for the folding tree menu. 6M

Ans <html> Correct


<head> logic-6 M
<style>
ul, #myUL {
list-style-type: none;
OR
}
( any other
.caret::before {
relevant
content: "\25B6";
logic can be
color: black;
considered )
display: inline-block;
margin-right: 6px;
}

.caret-down::before {
-ms-transform: rotate(90deg); /* IE 9 */
-webkit-transform: rotate(90deg); /* Safari */'
transform: rotate(90deg);
}

.nested {
display: none;
}

.active {
display: block;
}
</style>
</head>
<body>

<h2>Folding Tree Menu</h2>


<p>A tree menu represents a hierarchical view of information, where each item can have a
number of subitems.</p>
Page No: 21 | 22
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
<p>Click on the arrow(s) to open or close the tree branches.</p>

<ul id="myUL">
<li><span class="caret">India</span>
<ul class="nested">
<li>Karnataka</li>
<li>Tamilnaadu</li>
<li><span class="caret">Maharashtra</span>
<ul class="nested">
<li>Mumbai</li>
<li>Pune</li>
<li><span class="caret">Navi Mumbai</span>
<ul class="nested">
<li>Nerul</li>
<li>Vashi</li>
<li>Panvel</li>

</ul>
</li>
</ul>
</li>
</ul>
</li>
</ul>
<script>
var toggler = document.getElementsByClassName("caret");
var i;
for (i = 0; i < toggler.length; i++) {
toggler[i].addEventListener("click", function() {
this.parentElement.querySelector(".nested").classList.toggle("active");
this.classList.toggle("caret-down");
});
}
</script>
</body>
</html>

Page No: 22 | 22
22232
22519
3 Hours / 70 Marks Seat No.

Instructions : (1) All Questions are compulsory.


(2) Illustrate your answers with neat sketches wherever necessary.
(3) Figures to the right indicate full marks.
(4) Assume suitable data, if necessary.

Marks

1. Attempt any FIVE of the following : 10

(a) State the ways to display the output in JavaScript.

(b) List the logical operators in JavaScript with description.


(c) Write JavaScript to create a object “student” with properties roll number,
name, branch, year. Delete branch property and display remaining properties
of student object.
(d) Write a JavaScript that initializes an array called Colors with the names of 3
Colors and display the array elements.
(e) Explain calling a function with arguments in JavaScript with example.
(f) Enlist any four mouse events with their use.
(g) State any four properties of Navigator object.

2. Attempt any THREE of the following : 12


(a) Explain getter and setter properties in JavaScript with suitable example.
(b) Explain Object creation in JavaScript using ‘new’ keyword with adding
properties and methods with example.

[1 of 4] P.T.O.
22519 [2 of 4]
(c) Write a JavaScript for loop that will iterate from 1 to 15. For each iteration, it
will check if the current number is odd or even and display a message to the
screen.

Sample Output :

“1 is odd”

“2 is even”

…………

………....

(d) Write the use of charCodeAt() and from CharCode() method with syntax and
example.

3. Attempt any THREE of the following : 12

(a) Differentiate between push() and join() method of array object with respect to
use, syntax, return value and example.

(b) Write JavaScript code to perform following operations on string. (Use split()
method)

Input String : “Sudha Narayana Murthy”

Display output as

First Name : Sudha

Middle Name : Narayana

Last Name : Murthy

(c) Explain splice() method of array object with syntax and example.

(d) Explain how to create and read Persistent Cookies in JavaScript with example.
22519 [3 of 4]
4. Attempt any THREE of the following : 12

(a) Explain test() and exec() method of Regular Expression object with example.

(b) List ways of protecting your web page and describe any one of them.

(c) Explain how to create and display Rotating Banner in JavaScript with
example.

(d) Explain text and image rollover with suitable example.

(e) What is Status bar and how to display moving message on the status line of a
window using JavaScript ?

5. Attempt any TWO of the following : 12

(a) Write HTML code to design a form that displays two textboxes for accepting
two numbers, one textbox for accepting result and two buttons as ADDITION
and SUBTRACTION. Write proper JavaScript such that when the user clicks
on any one of the button, respective operation will be performed on two
numbers and result will be displayed in result textbox.

(b) Write HTML code to design a form that displays two buttons START and
STOP. Write a JavaScript code such that when user clicks on START button,
real time digital clock will be displayed on screen. When user clicks on STOP
button, clock will stop displaying time. (Use Timer methods)

(c) Write HTML code to design a form that displays textboxes for accepting
UserID and Aadhar No. and a SUBMIT button. UserID should contain 10
alphanumeric characters and must start with Capital Letter. Aadhar No.
should contain 12 digits in the format nnnn nnnn nnnn. Write JavaScript code
to validate the UserID and Aadhar No. when the user clicks on SUBMIT
button.

P.T.O.
22519 [4 of 4]
6. Attempt any TWO of the following : 12

(a) Explain how to evaluate Radiobutton in JavaScript with suitable example.

(b) Write a script for creating following frame structure :

Frame 1 contains three buttons SPORT, MUSIC and DANCE that will
perform following action :

When user clicks SPORT button, sport.html webpage will appear in Frame 2.
When user clicks MUSIC button,music.html webpage will appear in Frame 3.
When user clicks DANCE button,dance.html webpage will appear in Frame 4.

FRAME 1

SPORT MUSIC DANCE

FRAME 2 FRAME 3 FRAME 4

(Fig. 1)

(c) Write a JavaScript to create a pull – down menu with four options [AICTE,
DTE, MSBTE, GOOGLE]. Once the user will select one of the options then
user will be redirected to that site.

_______________
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
WINTER – 2023 EXAMINATION
Model Answer – Only for the Use of RAC Assessors

Subject Name: Client Side Scripting Subject Code:


22519
Important Instructions to examiners:
1) The answers should be examined by key words and not as word-to-word as given in the model answer22519
scheme.
2) The model answer and the answer written by candidate may vary but the examiner may try to assess the
understanding level of the candidate.
XXXXX
3) The language errors such as grammatical, spelling errors should not be given more Importance (Not applicable for
subject English and Communication Skills.
4) While assessing figures, examiner may give credit for principal components indicated in the figure. The figures
drawn by candidate and model answer may vary. The examiner may give credit for any equivalent figure drawn.
5) Credits may be given step wise for numerical problems. In some cases, the assumed constant values may vary and
there may be some difference in the candidate’s answers and model answer.
6) In case of some questions credit may be given by judgement on part of examiner of relevant answer based on
candidate’s understanding.
7) For programming language papers, credit may be given to any other program based on equivalent concept.
8) As per the policy decision of Maharashtra State Government, teaching in English/Marathi and Bilingual (English +
Marathi) medium is introduced at first year of AICTE diploma Programme from academic year 2021-2022. Hence if
the students in first year (first and second semesters) write answers in Marathi or bilingual language (English
+Marathi), the Examiner shall consider the same and assess the answer based on matching of concepts with model
answer.
9) For programming language papers, in answer session comments and output is not required.
Q. Sub Answer Marking
No. Q. Scheme
N.

1 Attempt any FIVE of the following: 10 M

a) State meaning of each token of the following statement and describe 2M


it:
i) ++a;
ii) document. bgcolor;

Ans (i) ++ is the increment operator and a is the operand, hence a++ will increment the Anyone
value of a by 1. explained - 1
M each.
(ii) The bgColor property specifies the background color of HTML document.
b) Write and explain syntax of prompt( ) method in JavaScript. 2M

Ans  prompt() method is used to display a dialogue box to the user to prompt them to Definition- 1
an input. M

 It has two buttons “OK” and “CANCEL”, if the user click on the “OK” button Syntax- 1 M
then it will return the inputed value , if the user clicks on the "CANCEL” button
then it will return a null value

 Syntax: prompt(text)

Page No: 1 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
 Example:
<script>
var name = prompt ("Enter a name");
document. Write(name);
</script>
c) List various assignment operators supported by JavaScript, explain any 2M
two with the help of suitable example.
Ans assignment operators supported by JavaScript List – 1 M
Operators Meaning Explain any 2
= Equal to -1M
+= Plus Equal to
-= Minus Equal to
/= Divide Equal to
%= Modulus Equal to
*= Multiply Equal to

Example:
<script>
// = is used to assign a value to a variable
var num = 10;
document.write(num); // num 10
/* += first add the value to the existing value of the variable then assign it the new added
value */
num +=10; document.write(num); // num 20
</script>
d) Differentiate between shift() and push() methods of an Array object. 2M

Ans Any two


points- 1 M
shift push each
1. shift method is used to delete the first 1. push method is used to insert zero or
element of an existing array more element at the end of an existing
array
2. Syntax: 2. Syntax:
arr.shift(); arr.push(element1,element2,…,elementn);
3. Example: 3. Example:
<script> <script>
var arr = [1,2,3,4]; var arr = [1,2,3,4];
document.write(arr); document.write(arr);
arr.shift(); arr.push(5,6);
document.write(arr); document.write(arr);
</script> </script>

Page No: 2 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
e) State the meaning of "Defining a function". Explain with the help of an example. 2M

Ans  A function is a block of code that takes some input to perform some certain Explanation-
computation. 1M

 The main purpose of the function is to put commonly used or repeatedly used Example- 1
task in a function, so instead of writing the code again and again we can call it M
instead.

 The function can be defined as followed:

Syntax:
function func_name(parameter1 ,parameter2,…,parametern)
{
//code
}
Example:
<script>
function add(num1,num2)
{
return num1 + num2;
}
add(1,2);
</script>
f) Give syntax of and explain the use of small “with” clause. 2M

Ans “with” clause is used to directly access the properties and method of an object. Explanation-
1M
Syntax:
with (object) Syntax- 1 M
{
//object
}
Example:
<script>
var person ={ name:"Abc", age:18
}
with(person){ docment.write(name); docment.write(age);
}
</script>
g) With the help of suitable example explain the Date object and any two methods of 2M
Date object.

Ans “Date” object is used when we want to perform some operation on date, it has various Explanation-
method which helps you performs some task related to date, 1M
Example: Example- 1

Page No: 3 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
<script> M
var date = new Date();
document.write(date.getDate()); // get the current date
document.write(date.getFullYear()); // get the current Year
document.write(date.getMinutes()); // get the current minutes
</script>

2. Attempt any THREE of the following: 12 M

a) Write a JavaScript that accepts a number and displays addition of digits 4M


of that number in a message box.
Ans <html> Relevant
<body> code- 4 M
<script>
var num = prompt(“Enter a 2 digit number:”); //accept number from user
var digits = num.split();
var firstdigit = Integer(digits[0]);
var seconddigit = Integer(digits[1]);
var addition = firstdigit+seconddigit;
alert(“The addition is “+addition); //display result in message box
</script>
</body>
</html>
b) Describe the navigator object in JavaScript. Describe the methods of 4M
navigator object which is used to display browser name and version.
Ans  Navigator object is a representation of user’s browser. Explanation -
 Navigator is an object of window. 2M
 Methods of navigator object- Only one method is supported by Navigator
Object. Method – 2
i) javaEnabled()- returns true if the browser has java enabled. M
• We use appName to display browser name. appName is a property of navigator.
• appName property returns browser name.
• We use appVersion to display browser version. appVersion is a property of
navigator.
• appVersion property returns browser version.
• Example:-
<html>
<body>
<script>
document.write(“Browser name: “+navigator.appName); document.write(“Browser
Version: “+navigator.appVersion);
</script>

Page No: 4 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
</body>
</html>
c) Give syntax of and explain for-in loop in javascript with the help of suitable 4M
example.

Ans For-in Loop: Explanation -


2M
Syntax:-
Syntax – 1 M
For(x in object){
Example-1 M
//code to be executed
}

 For-in loop is used to loop through the properties of an object.


 In syntax, variable represents the property name, and object is the object being
iterated.
 It's handy for tasks like accessing or manipulating object properties.
Example:-
<html>
<body>
<script>
Var car = { Brand: ‘Toyota’, Model: ‘Camry’, Year: 2022
};
For( key in car){ Document.write(‘${key}: ${car[key]}’);
}
</script>
</body>
</html>
d) Write an HTML script that accepts Amount, Rate of interest and Period 4M
from user. When user submits the information a JavaScript function must
calculate and display simple interest in a message box. (Use formula S.I. =
PNR/100)

Ans <html> Relevant


code- 4 M
<body>
<script>
var P = parseInt(prompt(“Enter the principal amount:”));
var N = parseInt(prompt(“Enter the period:”));
var R = parseInt(prompt(“Enter the Rate of interest:”));
var SI =(P*N*R)/100;
alert(“Simple Interest is “+SI);

Page No: 5 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
</script>
</body>
</html>

OR
<html>
<head>
<script>

function interest()
{
var P, N, R;
P= parseInt(document.getElementById("pr").value);
N = parseInt(document.getElementById("period").value);
R = parseInt(document.getElementById("ri").value);
var SI =(P*N*R)/100;
alert("Simple Interest is="+SI);
}
</script>
</head>
<body>
<p>Principal Amount:<input id="pr"></p>
<p>Period in Year: <input id="period"></p>
<p>Rate of Interst: <input id="ri"></p>
<button onclick="interest()"> Simple Interest</button>
</body>
</html>

Output:

Page No: 6 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
3. Attempt any THREE of the following: 12 M

a) Write an HTML Script that displays the following webpage output: Designing
and calling
function in
onClick() -
1M

Writing
function for
add,sub,mul-
03M
The user enters two numbers in respective text boxes. Write a JavaScript
such that when user clicks "add", a message box displays sum of two entered
numbers, if the user clicks on "sub”. Message box displays subtraction of two
numbers and on clicking “mul” the message box displays multiplication of
two numbers.

Ans <html>
<head>
<script>
function add()
{
var num1, num2, r;
//to accept 2 values and stored in variable num1 and num2
num1 = parseInt(document.getElementById("firstnumber").value);
num2 = parseInt(document.getElementById("secondnumber").value);
r= num1 + num2;
alert(r);
}
function sub()
{
var num1, num2, r;
num1 = parseInt(document.getElementById("firstnumber").value);
num2 = parseInt(document.getElementById("secondnumber").value);

Page No: 7 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
r = num1 - num2;
alert(r);
}
function mul()
{
var num1, num2, r;
num1 = parseInt(document.getElementById("firstnumber").value);
num2 = parseInt(document.getElementById("secondnumber").value);
r = num1 * num2;
alert(r);
}
</script>
</head>
<body>
<fieldset>
<p>First Number: <input id="firstnumber"></p>
<p>Second Number: <input id="secondnumber"></p>
//onClick() event to perform addition, subtraction and multiplication
<button onclick="add()">Add</button>
<button onclick="sub()">Sub</button>
<button onclick="mul()">Mul</button>
</fieldset>
</body>
</html>

Output:

Page No: 8 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________

b) Write a JavaScript that accents user's first name and domain name of 4M
Organization from user., The JavaScript then forms email address as
<firstname@domain> name and displays the results in the browser window.

Ans <html> Accept


values-1M
<head>
Formation of
<script> email id-2M
//Email Address Function Calling
function in
function myemail()
onClick()-1M
{
var s1 = document.getElementById("first").value;
var s2 = document.getElementById("domain").value;
var s3=s1+"@"+s2;
document.getElementById("email").innerHTML = s3;
}
</script>
</head>
<body>
<p>First Name: <input id="first"></p>
<p>Domain Name: <input id="domain"></p>
<button onclick="myemail()">create email id</button>
<br> Email ID is
<p id="email"> </p>
</body>
</html>

Page No: 9 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
Output:

c) Differentiate between substring() and substr() method of a string class. Give 4M


Suitable example of each.

Ans Parameters substring() substr()

Use It is used to extract the It is used to extract a part of 3 points-3M


specified substring within a the string Example-1M
string

Syntax str.substring(start, end); str.substr(start, len);

Parameters Its parameters are the start It takes parameters as starting


and end position of the index of the part which we
substring that we want to want to extract and the length
extract. till which we want to extract
the string part.

index This method cannot handle This method can handle


negative indexes. negative indexes.

Example:
<script>
var a="Javascript";
document.write("Using substring()="+a.substring(2,6));
document.write("<br>Using substr()="+a.substr(2,6));
</script>

Output:
Using substring()=vasc
Using substr()=vascri
d) State what is a cookie? Explain its need. State characteristics of persistent 4M
cookies.

Page No: 10 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
Ans Cookie: Definition-1M
Cookies are small text files that websites use to store information on a user's computer
or device. Cookies can be used for a variety of purposes, such as remembering a user's Need-1M
preferences, tracking their behavior on a website, and enabling personalized advertising.
Charactristics-
There are two main types of cookies: session cookies and persistent cookies. 2M

Need of Cookie:
Cookies are built specifically for web browsers to track, personalize and save
information about each user's session. A “session” is the word used to define the amount
of time you spend on a site. Cookies are created to identify you when you visit a new
website.

Characteristics of persistent cookies:


 Persistent cookies can be used to store information that needs to be accessed
across multiple browsing sessions, such as login credentials and language
preferences.

 Persistent cookies can be used to track a user's behavior on a website over time,
which can be used to personalize the user's experience.

 Persistent cookies can be used to remember a user's preferences, such as their


preferred layout or font size.

4. Attempt any THREE of the following: 12 M

a) Write a JavaScript that accepts a string and searches for the pattern 4M
"MSBTE" in the given string using regular expressions. If the pattern is
found, JavaScript will display that "Pattern is found" else display "Pattern is
not found".

Ans <html> Accept string-


<head> 1M
<title>JavaScript RegExp exec Method</title>
</head> Correct
<body> RegEx-2M
<script type = "text/javascript">
Condition
var str= prompt("Enter a string");
checking-1M
var re = new RegExp( "MSBTE", "g" );
var result = re.exec(str);
if(result=="MSBTE")
{
document.write("pattern is found");
}
else
{
document.write("pattern is not found");
}
Page No: 11 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
</script>
</body>
</html>
b) List and state various properties of a window object. Write a JavaScript that 4M
opens a new popup window with message WELCOME To SCRIPTING"
when the page loads and a new popup window displaying message "FUN
WITH SCRIPTING when the page unloads.

Ans Window Object Properties properties of a


window
Property Description object-1M

Document It returns the document object for the window (DOM).


Frames It returns an array of all the frames including iframes in the current calling onload
window. ()-1M

Closed It returns the Boolean value indicating whether a window has been
closed or not.
calling
History It returns the history object for the window. onunload()-
1M
innerHeight It sets or returns the inner height of a window's content area.
innerWidth It sets or returns the inner width of a window's content area.
valid function
Length It returns the number of frames in a window.
definition-1M
Location It returns the location object for the window.
Name It sets or returns the name of a window.
Navigator It returns the navigator object for the window.
Opener It returns a reference to the window that created the window.
outerHeight It sets or returns the outer height of a window, including
toolbars/scrollbars.
outerWidth It sets or returns the outer width of a window, including
toolbars/scrollbars.
Parent It returns the parent window of the current window.
Screen It returns the screen object for the window.
screenX It returns the X coordinate of the window relative to the screen.
screenY It returns the Y coordinate of the window relative to the screen.
Self It returns the current window.
Status It sets the text in the status bar of a window.
Top It returns the topmost browser window that contains frames.

Page No: 12 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
Code:
<html>
<body onload="openWin()" onunload = "myWindow.document.write("FUN WITH
SCRIPTING");">

<script>
var myWindow;
function openWin()
{
myWindow = window.open("", "myWindow", "width=200,height=100");
myWindow.document.write("<p>WELCOME TO SCRIPTING</p>");
}
function closeWin()
{
myWindow.close();
alert("Fun with SCripting");
}
</script>
</body>
</html>
Output:

c) Write an HTML script that displays names of different brands of Laptop and 4M

an image by default as :

When the mouse moves over the specific brand name the script must display the
image of respective Laptop in the adjacent box.
Ans Code: Designing of
form-1M
<html>
<head> Any relevant
Page No: 13 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
<title> logic-3M
text rollovers</title>
<script>
b=new Image;
r=new Image;
g=new Image;
if(document.images)
{
b.src='vv.png';
r.src='hp.png';
g.src='dell.png';
}
else
{
b.src='';
r.src='';
g.src='';
document.clr='';
}

</script>
</head>
<body>
<table border="0" width="100%">
<tbody>
<tr valign="top">

<td><H2><ul><li>
<a onmouseover="document.clr.src='vv.png'">
<b><u>Lenovo</u></b></a></li>
<li><a onmouseover="document.clr.src='hp.png'">
<b><u>HP</u></b></a></li>
<li><a onmouseover="document.clr.src='dell.png'">
<b><u>DELL</u></b></a></li></ul>
</H2>
</td>
<td width="50%">
<a><img height="200" src="vv.png" width=400" name="clr"></a></td>
</tr>
</tbody>
</table>
</body>
</html>

Output:
When mouse over to HP, hp laptop image will displayed.

Page No: 14 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________

d) Give syntax of and explain the use of SetTimeOut() function with the help of 4M
suitable example.

Ans
Use of setTimeout() Use of
SetTimeOut()-
The setTimeout() method executes a block of code after the specified time. The method 1M
executes the code only once.
Syntax-1M
The commonly used syntax of JavaScript setTimeout is: Example-2M

setTimeout(function, milliseconds);

Its parameters are:

 function - a function containing a block of code


 milliseconds - the time after which the function is executed

The setTimeout() method returns an intervalID, which is a positive integer.

Example: Display a Text Once After 3 Second

<script>
function greet()
{
document.write('Hello world');
}
setTimeout(greet, 3000);
document.write('This message is shown first');
</script>

Page No: 15 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
In the above program, the setTimeout() method calls the greet() function after 3000
milliseconds (3 second).
Hence, the program displays the text Hello world only once after 3 seconds.
e) State the use of hiding the JavaScript. Explain the steps needed to accomplish it and 4M
describe the process.

Ans You can hide your JavaScript from a visitor by storing it in an external file on your web Use-2M
server. The external file should have the .js file extension. The browser then calls the
external file whenever the browser encounters a JavaScript element in the web page. If Steps with
you look at the source code for the web page, you'll see reference to the external .js file, code-2M
but you won't see the source code for the JavaScript.

webpage.html
<html>
<head>
<script src="mycode.js" languages="javascript" type="text/javascript">
</script>
<body>
<h3> Right Click on screen, Context Menu is disabled</h3>
</body>
</html>
mycode.js
window.onload=function()
{
document.addEventListener("contextmenu", function(e)
{
e.preventDefault();
}, false);
}

5. Attempt any TWO of the following: 12 M

a) Write a JavaScript that demonstrates use of floating menu alongwith 6M


respective HTML script.

Ans Code: Any relevant


<html> logic or
<title>Example</title> example-6M
<style>
body {
background-image: url('/pix/samples/bg1.gif');
}
main {
margin-bottom: 200%;
}
.floating-menu {
Page No: 16 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
font-family: sans-serif;
background: yellowgreen;
padding: 5px;;
width: 130px;
z-index: 100;
position: fixed;
}
.floating-menu a,
.floating-menu h3 {
font-size: 0.9em;
display: block;
margin: 0 0.5em;
color: white;
}
</style>
<main>
<p>Scroll down and watch the menu remain fixed in the same position, as though it
was floating.</p>
<nav class="floating-menu">
<h3>Floating Menu</h3>
<a href="c_sub.txt">C</a>
<a href="C++_sub.txt">C++</a>
<a href="java_sub.txt">Java</a>
<a href="python_sub.txt">Python</a>
</nav>
</main>

Output:

b) Form regular expressions for following : 6M

Page No: 17 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
i) Validation of email address.

ii) Validation of adhaar card. Format is

dddd - dddd - dddd

(iii) Validation of phone number. Format is

(ddd) -(dddddddd)

Ans i) Regular expression for Validation of email address: Any valid


regex for
var validRegex = /^[a-zA-Z0-9.!#$%&'*+/=?^_`{|}~-]+@[a-zA-Z0-9-]+(?:\.[a-zA-Z0- emailed-2M
9-]+)*$/;
Any valid
regex for
ii) Validation of adhaar card Format is adhaar card-
dddd - dddd – dddd 2M
Any valid
Regular expression for Validation of adhaar card
regex for
/^[2-9]{1}[0-9]{3}\s[0-9]{4}\s[0-9]{4}$/gm
phone no-2M

iii) Validation of phone number. Format is


(ddd) -(dddddddd)

Regular expression for Validation of phone number:

var re = /^[\+]?[(]?[0-9]{3}[)]?[-\s\.]?[0-9]{3}[-\s\.]?[0-9]{4,6}$/im;s

Page No: 18 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
c) 6M

Ans Code: Designing of


<html> form-2M
<body>
<html> Any relevant
<script type="text/javascript"> script-4M
function modifyList(x)
{
with(document.forms.myform)
{
if(x ==1)
{
optionList[0].text="Green Tea";
optionList[0].value=1;
optionList[1].text="Milk Tea ";
optionList[1].value=2;
optionList[2].text="Black Tea";
optionList[2].value=3;
}

if(x ==2)
{
optionList[0].text="Capaccino";
optionList[0].value=1;
Page No: 19 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
optionList[1].text="Latte";
optionList[1].value=2;
optionList[2].text="Expression";
optionList[2].value=3;
}
if(x ==3)
{
optionList[0].text="MAAZA";
optionList[0].value=1;
optionList[1].text="SPRITE";
optionList[1].value=2;
optionList[2].text="COKA-COLA";
optionList[2].value=3;
}

}
}

</script>
</head>
<body>
<form name="myform" action=" " method="post">
<table><tr><td>
Select Beverage: </td><td>
<input type="checkbox" name="grp1" value=1 checked="true"
onclick="modifyList(this.value)"> TEA

<input type="checkbox" name="grp1" value=2 onclick="modifyList(this.value)">


COFFEE
<input type="checkbox" name="grp1" value=3 onclick="modifyList(this.value)">
SOFT DRINK

</td></tr></table>
<select name="optionList" size="3">
<option value=1>Kiwi
<option value=1>Pine-Apple
<option value=1>Apple
</tr> </table>
</select>
</form>
</body>
</html>

Output:

Page No: 20 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________

6. Attempt any TWO of the following: 12 M

a) List and explain any six form events. 6M

Ans One event


with
Event Handler Description explanation-
1M each
onfocus When the user focuses on an element
onsubmit When the user submits the form
onblur When the focus is away from a form element (The onblur event
occurs when an object loses focus.)
onchange When the user modifies or changes the value of a form element
keydown The event occurs when the user is pressing a key
keypress The event occurs when the user presses a key
keyup The event occurs when the user releases a key
onclick Fires on a mouse click on the element
ondblclick Fires on a mouse double-click on the element
onmousedown Fires when a mouse button is pressed down on an element
onmousemove Fires when the mouse pointer is moving while it is over an element
onmouseout Fires when the mouse pointer moves out of an element
onmouseover Fires when the mouse pointer moves over an element
onmouseup Fires when a mouse button is released over an element
onwheel Fires when the mouse wheel rolls up or down over an element
oncontextmenu oncontextmenu event occurs when the user right-clicks on an
element to open the context menu.

b) Write a JavaScript that sets a crawling status bar message to the webpage. 6M
Message is "Welcome to the Mystic World of JavaScript". The message must
start crawling when the webpage gets loaded.

Ans <html> Any relevant


<head> script-6M
<title>Scrolling Text</title>
<script language="JavaScript">
var scrollPos = 0; // initial position to start status bar
var maxScroll = 100; // maximum allowed position
Page No: 21 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
var blanks = "";
function scrollText(text, milliseconds)
{
window.setInterval("displayText('"+text+"')", milliseconds);
}
function displayText(text)
{
window.defaultStatus = blanks + text;
++scrollPos;
blanks += " ";
if(scrollPos > maxScroll)
{
scrollPos = 0;
blanks = "";
}
}
</script>
</head>
<body onload="scrollText(‘Welcome to the Mystic World of JavaScript".’, 300)">
<p>Watch the text scroll at the bottom of this window!</p>
</body>
</html>
c) i)Design frameset tag for representing following layout: 6M

ii) List any three properties of regular expression objects and state their use.
Ans i) i) correct html
code-3M
Code:
ii) 3 properties
<html> with use-3M
<head> each
<title>Create a Frame</title>
</head>
<frameset rows="10%,*" border="5" frameborder="1" bordercolor="red" noresize>
<frame src="frame1.html">
<frameset cols="33%,33%,*" border="3">
<frame src="frame2.html">
<frame src="frame4.html">
Page No: 22 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
<frame src="frame3.html">
</frameset>
</frameset>
</html>

ii)

property Property & Description

constructor Specifies the function that creates an object's


prototype.
global
Specifies if the "g" modifier is set.

ignoreCase
Specifies if the "i" modifier is set.

lastIndex
The index at which to start the next match.

multiline
Specifies if the "m" modifier is set.

source
The text of the pattern.

Example:
<html>
<head>
<title>JavaScript RegExp ignoreCase Property</title>
</head>
<body>
<script type = "text/javascript">
var re = new RegExp( "string" );

if ( re.ignoreCase )
{

Page No: 23 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2013 Certified)
__________________________________________________________________________________________________
document.write("Test1-ignoreCase property is set");
} else
{
document.write("Test1-ignoreCase property is not set");
}

re = new RegExp( "string", "i" );

if ( re.ignoreCase )
{
document.write("<br/>Test2-ignoreCase property is set");
} else
{
document.write("<br/>Test2-ignoreCase property is not set");
}
</script>
</body>
</html>

Page No: 24 | 24
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

Important Instructions to examiners:


1) The answers should be examined by key words and not as word-to-word as given
in the model answer scheme.
2) The model answer and the answer written by candidate may vary but the examiner
may try to assess the understanding level of the candidate.
3) The language errors such as grammatical, spelling errors should not be given more
Importance (Not applicable for subject English and Communication Skills.
4) While assessing figures, examiner may give credit for principal components
indicated in the figure. The figures drawn by candidate and model answer may
vary. The examiner may give credit for any equivalent figure drawn.
5) Credits may be given step wise for numerical problems. In some cases, the
assumed constant values may vary and there may be some difference in the
candidate’s answers and model answer.
6) In case of some questions credit may be given by judgement on part of examiner
of relevant answer based on candidate’s understanding.
7) For programming language papers, credit may be given to any other program
based on equivalent concept.
8) As per the policy decision of Maharashtra State Government, teaching in
English/Marathi and Bilingual (English + Marathi) medium is introduced at first year
of AICTE diploma Programme from academic year 2021-2022. Hence if the
students in first year (first and second semesters) write answers in Marathi or
bilingual language (English +Marathi), the Examiner shall consider the same and
assess the answer based on matching of concepts with model answer.

Q. Sub Answer Marking


No Q.N. Scheme

1. Attempt any FIVE of the following: 10


a) Write features of JavaScript 2M
Ans. 1. It is an object-based scripting language. Any 2 features
1M each
2. It gives the user more control over the browser.
3. It is light weighted.
4. Client – Side Technology
5. JavaScript is interpreter based scripting language.
6. JavaScript is case sensitive.
7. JavaScript is object based language as it provides predefined
objects.
b) List and describe any four methods of Math object 2M

Page 1 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

Ans. Math. round(value)- It returns value rounded to its nearest integer.


Any 4 methods
Math.ceil(value)- It returns value rounded up to its nearest integer. 1/2M each
Math.floor(value)- It returns value rounded down to its nearest
integer.
Math.trunc(Value)- It returns value as integer part of value.
Math.pow (number, power)- It returns value as power of specified
number.
Math.sqrt(value)- It returns square root of value.
Math.abs(value)- It returns absolute –positive value for given value.
Math.min ()- It returns lowest value in a list of values.
Math.max ()- It returns highest value in a list of values.

c) Write a JavaScript program that will print even numbers from 1 2M


to 20 Correct
Ans. Note: Any other relevant logic shall be considered program 2M
<html>
<body>
<script type="text/javascript">
vari;
for(i=1; i<=20;i++)
{
if(i%2==0)
{
document.write(i+"<br>");
}
}
</script>
</body>
</html>
d) Write a JavaScript program to display the elements of array in 2M
ascending and descending order.
Ans. Note: Any other relevant logic shall be considered Correct
program
<script> 2M
function func()
{
Page 2 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

let arr = [45,12,32,78]


document.write("Original Array="+arr);
document.write("<br>Sorted Array="+arr.sort());
document.write("<br>Reverse Array="+arr.reverse());
}
func();
</script>
e) Give syntax of and explain function in JavaScript with suitable 2M
example
Ans. Function is a collection of one or more statements written to execute Explanation
1M
a specific task.
Syntax 1M
Syntax to define a function:
function function_name([Arguments])
{
Statement block;
[return statement;]
}
Example:
function display ( )
{
alert (―WELCOME TO JAVASCRIPT‖);
}
f) Enlist and explain any two mouse events. 2M
Ans. onclickevent: This event occurs when a mouse button is clicked on
or over a form element.
Example:<input type=‖text‖ onclick=‖ function ()‖>
Any two
mouse events
ondblclickevent: This event occurs when a mouse button is double with
clicked on or over a form element. explanation
Example:<input type=‖text‖ ondblclick=‖ function ()‖> 1M each

onmousedownevent: This event executes when a mouse button is


clicked while cursor is over an element.
Example:<input type=‖text‖ onmousedown=‖ function ()‖>

Page 3 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

onmouseupevent: This event executes when a mouse button is


released while the cursor is over an element.
Example:<input type=‖text‖ onmouseup=‖ function ()‖>

onmouseoverevent: This event executes when mouse cursor moves


onto an element.
Example:<input type=‖text‖ onmouseover=‖ function ()‖>

onmousemoveevent: This event executes when mouse cursor is


moved while over an element.
Example:<input type=‖text‖ onmousemove=‖ function ()‖>

onmouseoutevent: This event executes when mouse cursor is


moved away from an element.
Example:<input type=‖text‖ onmouseout=‖ function ()‖>

g) Explain the term JavaScript URL 2M


Ans. A URL (Uniform Resource Locator) is the address of a unique
Correct
resource on the internet. It is one of the key mechanisms used explanation
by browsers to retrieve published resources, such as HTML pages, 2M
CSS documents, images, and so on.
Examples of URLs:
https://developer.mozilla.org/en-US/docs/Learn/
https://developer.mozilla.org/en-US/search?q=URL

2. Attempt any THREE of the following: 12


a) State the use of Object, Method and Property in JavaScript 4M
Ans. Object: In JavaScript, almost everything is an object. In JavaScript,
an object is used to represent standalone entity, with properties and Correct use of
type. Each object has its unique identity based on fields, buttons, all terms
4M
interface elements, etc.
For example, two forms placed on web page can have different
elements and interface with respect to their use. So, each form can
have unique name or id that can be referenced by JavaScript.

Page 4 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

Property: A property is a value that is associated with an object. The


properties of an object are used to define the characteristics of the
object. You access the properties of an object with a simple dot-
notation.
For example, A form object in a web page can have properties like
width, height, etc.

Method: A method is used to define a function associated with an


object to perform a specific task. Methods are defined the way
normal functions are defined, except that they have to be assigned as
the property of an object.
For example, A submit button placed on a form is an object. Clicking
on submit button causes the button to process a method i.e. when a
click event occurs an action is performed and method executes.
b) Explain setter and getter properties in JavaScript with the help 4M
of suitable example
Ans. Property getters and setters
1. The accessor properties. They are essentially functions that work
on getting and setting a value. Explanation
2. Accessor properties are represented by ―getter‖ and ―setter‖ of setter with
methods. In an object literal they are denoted by get and set. example 2M
get –It is used to define a getter method to get the property value
set –It is used to define a setter method to set / change the property
value
let obj =
{
get propName() {
// getter, the code executed on getting obj.propName
},
set propName(value) {
// setter, the code executed on setting obj.propName = value
}
}; Explanation
of getter with
3. An object property is a name, a value and a set of attributes. The example 2M
value may be replaced by one or two methods, known as setter and a
getter.
Example of getter
const student
{

Page 5 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

firstname: ‗abc‘,
get getname()
{
return this.firstname;
}
};

Example of setter

const student
{
firstname: ‗abc‘,
set changename(nm)
{
this.firstname=nm;
}
};
c) Write a JavaScript program to check whether a number is 4M
positive, negative or zero using switch case.
Ans. Note: Any other relevant logic shall be considered. Correct logic
2M
<html>
<body>
<script type="text/javascript"> Correct syntax
var num=prompt("Enter number"); 2M
switch (Math.sign(num))
{
case 1:
alert("The number is Positive");
break;
case -1:
alert("The number is Negative");
break;
default:
alert("The number is Zero");
}
</script>
</body>
</html>

Page 6 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

d) State the use of following methods: 4M


i) charCodeAt( ) Use of each
ii) fromCharCode ( ) method
2M
1. charCodeAt( ): This method is used to return a unicode of
Ans.
specified character.
Syntax: var code=letter.charCodeAt( );
Example: var ch=‘a‘;
document.write(ch.charCodeAt( ));

Output: 97

2. fromCharCode( ): This method is used to return a character for


specified code.
Syntax: var character=String.fromCharCode(code);
Example: var character=String.fromCharCode(97);
Document.write(ch);

Output: a

3. Attempt any THREE of the following: 12


a) Explain Associative arrays in detail. 4M
Ans. Associative arrays are basically objects in JavaScript where indexes
are replaced by user-defined keys. Correct
Syntax: var arr = {key1:'value1', key2:'value2'} explanation
Here, arr, is an associative array with key1, key2 being its keys or 4M
string indexes and value1 & value 2 are its elements.
Example: var arr = { "Company Name": ‗Flexiple‘, "ID": 123};

The content or values of associative arrays is accessed by keys. An


associative array is an array with string keys rather than numeric
keys.
For example:
var arrAssociative = {
"Company Name": 'Flexiple',
"ID": 123
};

Page 7 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

var arrNormal = ["Flexiple", 123];

Here, the keys of the associative array are ―Company Name‖ & ―ID‖
whereas in the normal array. The keys or index is 0 & 1.
b) Write a JavaScript function that checks whether a passed string 4M
is palindrome or not.
Ans. Correct logic
Note: Any other relevant logic shall be considered 2M
function isPalindrome(str) {
str = str.replace(/[^A-Za-z0-9]/g, '').toLowerCase(); Correct syntax
2M
return str === str.split('').reverse().join('');
}
console.log(isPalindrome("A man, a plan, a canal, Panama")); //
Output: true
console.log(isPalindrome("racecar")); // Output: true
console.log(isPalindrome("hello")); // Output: false

c) Explain how to add and sort elements in array with suitable 4M


example.
Ans. Adding Elements to an Array:
In JavaScript, you can add elements to an array using various Explanation
of adding
methods, such as push(), unshift(), or direct assignment to a specific elements with
index. suitable
example
Using push():
The push() method adds one or more elements to the end of an array Any one
and returns the new length of the array. method
2M
Using unshift():
The unshift() method adds one or more elements to the beginning of
an array and returns the new length of the array.
Using splice():
This method can be used to add new items to an array, and removes
elements from an array.
Syntax:
arr.splice(start_index,removed_elements,list_of_elemnts_to_be_add
ed);

Page 8 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

Parameter:
•The first parameter defines the position where new elements should
be added (spliced in).
•The second parameter defines how many elements should be
removed.
•The list_of_elemnts_to_be_added parameter define the new
elements to be added(optional).

Using length property:


The length property provides an easy way to append a new element
to an array.
Example
<script>
var fruits = ["Banana", "Orange", "Apple", "Mango"];
document.write(fruits+"<br>");
fruits[fruits.length] = "Kiwi";
document.write(fruits+"<br>");
fruits[fruits.length] = "Chikoo";
document.write(fruits);
</script>
Sorting Elements in an Array:
Explanation
JavaScript provides the sort() method to sort the elements of an array
of sorting
in place and returns the sorted array. elements with
Example suitable
example
let numbers = [5, 2, 8, 1, 4]; 2M
numbers.push(7);
console.log("Array before sorting:", numbers);
numbers.sort((a, b) => a - b);
console.log("Array after sorting:", numbers);
d) Explain the term browser location and history in details. 4M
Ans. Window Location Object:
In JavaScript, the window.location object represents the current
URL of the browser window. It provides properties and methods to
manipulate the URL.

Page 9 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

Explanation
window.location.href:
of location
Returns the complete URL of the current page. 2M
window.location.hostname:
Returns the domain name of the web server.
window.location.pathname:
Returns the path and filename of the current page.
window.location.protocol:
Returns the protocol (HTTP, HTTPS, etc.) of the current page.
window.location.assign(url):
Loads the specified URL.
window.location.reload(forceReload):
Reloads the current page.
// Example: Changing browser location
window.location.href = "https://example.com/page2";
Explanation
Window History of history 2M
The window.history object can be written without the window
prefix.
To protect the privacy of the users, there are limitations to how
JavaScript can access this object.
Some methods:
history.back() - same as clicking back in the browser
history.forward() - same as clicking forward in the browser
Window History Back
The history.back() method loads the previous URL in the history
list.
This is the same as clicking the Back button in the browser.
Example:
<html>
<head>
<script>
function goBack() {
window.history.back()
}

Page 10 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

</script>
</head>
<body>
<input type="button" value="Back" onclick="goBack()">
</body>
</html>
4. Attempt any THREE of the following: 12
a) State what is frame? Explain how it can be created with suitable 4M
example.
Ans. Note: Explanation of either <frameset> , <frame> or <iframe>
shall be considered. Definition
A frame refers to an HTML element that allows the display of 1M
another HTML document within the current web page. Frames are
Explanation
implemented using the <frameset>, <frame> and <iframe> (Inline with example
Frame) element in HTML. 3M

Frames are used to divide browser window into multiple sections


where each section is treated as window that can have independent
contents. A frame can load separate HTML document in each frame
in a window.

<frameset> tag : A frameset is defined as a set of frames inserted in


an HTML web page. These frames can be in the form of rows and
columns in different size. Frameset tells the browser how to divide
the screen into multiple areas.
<frameset> ... </frameset>

Attributes:
cols=”pixels/percentage” Specify number and size of
columns in a frameset. Default
value is 100% (1 column).
rows=”pixels/percentage” Specify number and size of rows in
a frameset. Default value is 100%
(1 row).

<frame> tag : Frame tag is used to insert web page content in a


frame. It is an empty tag.

Page 11 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

Attributes:
src=”URL” Specify address of a web page to be
displayed in a frame.
name=” string” Specify name of the frame which can
be used as target to open a link.

Code:
<html>
<frameset cols="25%,75%" >
<frame src="page1.html" name="f1">
<frame src="page2.html" name="f2">
</frameset>
</html>

OR
Creating Frames with <iframe> in HTML:
To create a frame using the <iframe> element, you specify the URL
of the document you want to embed as the value of the src attribute.
Cross-Origin Restrictions: When embedding content from external
sources, cross-origin restrictions may apply. This means that the
embedded content must be served with appropriate CORS (Cross-
Origin Resource Sharing) headers to allow it to be displayed within
the frame.

Example:
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-
scale=1.0">
<title>Frame Example</title>
<style>
/* Style the iframe */
iframe {

Page 12 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

width: 100%;
height: 300px; /* Set the height as desired */
border: 1px solid #ccc; /* Add a border for clarity */
}
</style>
</head>
<body>
<!-- Create a frame with an embedded document -->
<iframesrc="https://www.example.com"></iframe>
</body>
</html>
b) Explain the steps to create floating menu and chain select menu 4M
Ans. A floating menu is a menu that remains visible as the user scrolls
Correct steps
down a web page. It's often used for navigation or providing quick of each 2M
access to important content. Here's how you can create one:
HTML Structure: Create the HTML structure for the menu. This
typically involves using <nav> or <div> elements for the menu
container, and <ul> and <li> elements for the menu items.
CSS Styling: Use CSS to style the menu and make it float on the
page. You can use position: fixed to fix the menu in place and top,
bottom, left, or right properties to position it relative to the viewport.
JavaScript (Optional): You can enhance the functionality of the
floating menu with JavaScript. For example, you can add smooth
scrolling to anchor links within the menu, or you can add animations
to make the menu appear or disappear dynamically.
Example:
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-
scale=1.0">
<title>Floating Menu Example</title>
<style>

Page 13 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

/* CSS styles for the floating menu */

.floating-menu {
position: fixed;
top: 0;
left: 0;
background-color: #333;
padding: 10px;
width: 100%;
z-index: 1000; /* Ensure it's above other content */
}
.menu-item {
display: inline-block;
margin-right: 10px;
color: #fff;
text-decoration: none;
}
</style>
</head>
<body>
<nav class="floating-menu">
<ul>
<li class="menu-item"><a href="#section1">Section 1</a></li>
<li class="menu-item"><a href="#section2">Section 2</a></li>
<!-- Add more menu items as needed -->
</ul>
</nav>
<section id="section1">
<h2>Section 1</h2>
<p>This is the content of section 1.</p>
</section>
<section id="section2">
<h2>Section 2</h2>
<p>This is the content of section 2.</p>

Page 14 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

</section>
</body>
</html>

Chained Select Menu:


A chained select menu, also known as a dependent or cascading
select menu, consists of multiple dropdown menus where the options
in one dropdown menu depend on the selection made in another
dropdown menu.
Example:
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-
scale=1.0">
<title>Chained Select Menu Example</title>
</head>
<body>
<label for="country">Country:</label>
<select id="country">
<option value="">Select a country</option>
<option value="usa">USA</option>
<option value="uk">UK</option>
</select>

<label for="city">City:</label>
<select id="city" disabled>
<option value="">Select a city</option>
</select>
<script>

// JavaScript code to handle the chained select menu


constcountrySelect = document.getElementById('country');

Page 15 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

constcitySelect = document.getElementById('city');

// Data source (for demonstration purposes)


constcitiesByCountry = {
'usa': ['New York', 'Los Angeles', 'Chicago'],
'uk': ['London', 'Manchester', 'Birmingham']
};

countrySelect.addEventListener('change', function() {
constselectedCountry = this.value;
if (selectedCountry) {
citySelect.innerHTML = '';
const cities = citiesByCountry[selectedCountry];
if (cities) {
citySelect.disabled = false;
citySelect.innerHTML += '<option value="">Select a city</option>';
cities.forEach(city => {
citySelect.innerHTML += `<option
value="${city}">${city}</option>`;
});
} else {
citySelect.disabled = true;
}
} else {
citySelect.disabled = true;
citySelect.innerHTML = '<option value="">Select a city</option>';
}
});
</script>
</body>
</html>
c) Explain how to use banners for displaying advertisement. 4M
Ans. Following are the steps to insert banner advertisement in webpage.

Page 16 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

1) Create banner advertisement using a graphics tool such as Correct


explanation
PhototShop, Paint, etc. 4M
2) Create an <img> element in web page with height and width to
display banner advertisement.
3) Build JavaScript that loads and display banner advertisements.
<html>
<head>
<title>Banner Advertisements</title>
</head>
<body bgcolor="#EEEEEE">
<a href="https://www.youtube.com/">
<imgsrc="ad.jpg"/>
</a>
</body>
</html>
d) Write a JavaScript function to check whether a given address is 4M
a valid IP address or not.
Ans. Note: Any other relevant logic shall be considered
function isValidIPAddress(address) { Correct logic
const ipv4Regex = /^(\d{1,3})\.(\d{1,3})\.(\d{1,3})\.(\d{1,3})$/; 2M
const match = address.match(ipv4Regex);
Correct syntax
if (match) { 2M
for (let i = 1; i<= 4; i++) {
const part = parseInt(match[i]);
if (part < 0 || part > 255 || isNaN(part)) {
return false; // Invalid part
}
}
return true;
} else {
return false;
}
}

Page 17 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

e) Explain process to create status bar in JavaScript. 4M


Ans. Status Bar:
The status bar is located at the bottom of the browser window and is Correct
explanation
used to display a short message to visitors on a web page. 4M
Developers who are clever to utilize the status bar employ various
techniques to incorporate the status bar in the design of their web
page. Some developers display a message on the status bar when the
web page first opens. Other developers might change the message to
reflect whatever the visitor is doing on the web page. For example, if
a user is filling registration form then status bar will display a text as
‗User is on form filling section‘.

Building a Static Message:


A static message appears when the web page opens and remains on
the status bar until the web page is closed. The content of the status
bar is the value of the window object's status property.
To display a message on the status bar, assign the message to the
status property of the window object.
Example:-
window.status= 'You are on home page';

<html>
<head>
<script type="text/javascript">
window.status='Welcome to Home Page';
</script>
</head>
<body>
<h1>Hello welcome to JavaScript</h1>
</body>
</html>
5. Attempt any TWO of the following: 12
a) Write HTML script that displays textboxes for accepting 6M
username and password. Write proper JavaScript such that
when the user clicks on submit button

Page 18 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

i) All textboxes must get disabled and change the color to ‘RED;
and with respective labels
ii) Prompt the error message if the password is less than six
characters
Ans. Note: Any other relevant logic shall be considered Create
textboxes
<html> 2M
<head>
<script> Disable
textboxes with
function disableTxt() red color
{ 2M
document.getElementById("un").disabled = true;
Password
document.getElementById('un').style.color = "red"; validation
2M
document.getElementById('aaa').style.color = "red";
document.getElementById("pass").disabled = true;
document.getElementById('pass').style.color = "red";
document.getElementById('bbb').style.color = "red";
}
function validateform(){
var username=document.myform.username.value;
var password=document.myform.password.value;
if (username==null || username==""){
alert("Name can't be blank");
return false;
}else if(password.length<6){
alert("Password must be at least 6 characters long.");
return false;
}
}
</script>
</head>
<body>
<form name="myform" method="post" action="" onsubmit="return
validateform()" >
<label id = "aaa">Username:</label>

Page 19 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

<input type="text" id="un" name="username"/>


<label id = "bbb">
Password:
</label>
<input type="password" id="pass" name="password"/>
<br>
<br>
<button onclick="disableTxt()">Disable Text field</button>
</form>
</body>
</html>
b) Write a webpage that displays a form that contains an input for 6M
students rollno and names user is prompted to enter the input
student rollno and name and rollno becomes value of the cookie.
Ans. Note: Any other relevant logic shall be considered
<html>
<head><script> Create input
function writeCookie() text boxes for
username and
{
password
var d=new Date(); 2M
d.setTime(d.getTime()+(1000*60*60*24));
Set cookie
with(document.myform) 2M
{
document.cookie="Roll No=" + student.value + ";expires=" display 2M

+d.toGMTString();
}}
function readCookie()
{
if(document.cookie=="")
document.write("cookies not found");
else
document.write(document.cookie);
}
</script>
</head>

Page 20 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

<body>
<form name="myform" action="">
Enter your name:
<input type="text" name="student"><br>
Enter your Roll No:
<input type="roll no" name="student"><br>
<input type="Reset" value="Set C" type="button"
onclick="writeCookie()">
<input type="Reset" value="Get C" type="button"
onclick="readCookie()">
</form></body>
</html>
c) Write a JavaScript to create rollover effect that involves text and 6M
images. When the user places his or her mouse pointer over a
book title, the corresponding book images appears
Ans. Note: Any other relevant logic shall be considered Correct logic
3M
<html>
<head>
<title> Correct syntax
3M
rollovers</title>
</head>
<body>
<table border="1" width="100%">
<tbody>
<tr valign="top">
<td width="50%">
<a><img height="500" src="motivation.png" width="900"
name="clr"></a></td>
<td><a onmouseover="document.clr.src='blue.png' ">
<b><u>Motivational book</u></b></a>
<br>
<a onmouseover="document.clr.src=education.png' ">
<b><u>Educational book</u></b></a>
<br>
</td>

Page 21 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

</tr>
</tbody>
</table>
</body>
</html>
6. Attempt any TWO of the following: 12
a) Explain following form control / elements with example Button, 6M
Text, TextArea, Select, Checkbox, Form.
Ans. Note: Combined example including all controls / elements shall be Explanation
considered. of each
control with
Button is created by using following code: example 1M
<form method = ―GET‖ action = ―‖><input type = ―button‖ name =
―MyButton‖ value = ―Click‖ onclick = ―msg()‖><form>
There are several types of button, which are specified by the type
attribute:
1. Button which corresponds to the graphic component.
2. Submit, which is associated to the form and which starts the
loading of the file assigned to the action attribute.
3. Image button in which an image loaded from a file.
A Button object also represents an HTML <button> element which
is specified as follows:
<button name = ―btn‖ value = ―MyButton‖ onclick = ―msg()‖>
Example:
<html>
<body>
<h2>Show a Push Button</h2>
<p>The button below activates a JavaScript when it is clicked. </p>
<form>
<input type="button" value="Click me" onclick="msg()">
</form>
<script>
function msg()
{
alert("Hello world!");
}
</script>

Page 22 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

</body>
</html>

Text:
Input ―text‖ is an object to enter a single line of text whose content
will be part of form data.
In html a text is created by following code:
<input type=‖text‖ name=‖textname‖ id=‖textid‖ value=‖
assign_value‖ />
Example:
<script type="text/javascript">
function changeText()
{
var userInput = document.getElementById('userInput').value;
document.getElementById('vp').innerHTML = userInput;
}
</script>
<input type='text' id='userInput' value='Enter Text Here' />
<p>Welcome <b id='vp'>JavaScript</b></p>
<input type='button' onclick='changeText()' value='Change Text'/>
</script>

TextArea:
The Textarea object represents an HTML <textarea> element.
The <textarea> tag indicates a form field where the user can enter a
large amount of text.
You can access a <textarea> element by using getElementById()

Example:
<html>
<body>
<textarea cols="30" rows="5" wrap="hard" readonly="yes"
disabled="yes">
As you can see many times word wrapping is often the desired look
for your textareas. Since it makes everything nice and easy to read
and preserves line breaks.

Page 23 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

</textarea>
</body>
</html>

Checkbox:
<input> elements of type checkbox are rendered by default as boxes
that are checked (ticked) when activated. A checkbox allows you to
select single values for submission in a form (or not).
Syntax for creating checkbox is:
<input type="checkbox" id="myCheck" onclick="myFunction()">
A checkbox can have only two states:
1. Checked
2. Unchecked

Example:
<html>
<body>
<div>
<br>
<input type="checkbox" name="program" id="it" value="IT">
<label for="it">Information Tech</label><br>
<input type="checkbox" name="program" id="co" value="CO"
checked>
<label for="co">Computer Engg</label><br>
<input type="checkbox" name="program" id="ej" value="EJ">
<label for="ej">Electronics</label><br>
<button onclick="validate();">Validate</button>
</div>
<div id="status">
</div>
<script>
function validate()
{
var elements = document.getElementsByName("program");
var statusText = " ";

Page 24 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

for (var index=0;index <elements.length;index++)


{
statusText = statusText +
elements[index].value+"="+elements[index].checked+"<br>";
}
document.getElementById("status").innerHTML = statusText;
}
</script>
</body>
</html>

Select:
Form SELECT elements (<select>) within your form can be
accessed and manipulated in JavaScript via the corresponding Select
object.
To access a SELECT element in JavaScript, use the syntax:
document.myform.selectname //where myform and selectname are
names of your form/element.
document.myform.elements[i] //where i is the position of the select
element within form
document.getElementById("selectid") //where "selectid" is the ID of
the SELECT element on the page.
Example:
<html>
<body>
<select id="programs" size="5">
<option>Computer Engineering</option>
<option>Information Technology</option>
<option>Chemical Engineering</option>
<option>Electronics &TeleComm.</option>
</select>
<p>Click the button to disable the third option (index 2) in the
dropdown list.</p>
<button onclick="myFunction()">Disable Option</button>
<script>

Page 25 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

function myFunction()
{
var x = document.getElementById("programs").options[2].disabled
= true;
document.getElementById("programs").options[2].style.color =
"red";
}
</script>
</body>
</html>

Form:
A form is a section of an HTML document that contains elements
such as radio buttons, text boxes and option lists. HTML form
elements are also known as controls.
Elements are used as an efficient way for a user to enter information
into a form. Typical form control objects also called ―widgets‖
includes the following:
 Text box for entering a line of text.
 Push button for selecting an action.
 Radio buttons for making one selection among a group of
options.
 Check boxes for selecting or deselecting a single, independent
option.
The <form> element can contain one or more of the following form
elements:
· <input> · <textarea> · <button> · <select> · <option> · <fieldset> ·
<label>
· <legend>
Syntax:
<form name = ―myform‖ id = ―myform‖ action = ―page.html‖
onSubmit = ―test()‖> -----objects---- </form>

b) Write a JavaScript for protecting web page by implementing the 6M


following steps:
i) Hiding your source code

Page 26 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

ii) Disabling the right MouseButton


iii) Hiding JavaScript
Ans. i) Hiding your source code:
Hiding source
 Every developer has to admit that, on occasion, they've peeked at code 2M
the code of a web page or two by right-clicking and choosing
View Source from the context menu. Disabling
 In fact, this technique is a very common way for developers to Mouse button
learn new techniques for writing HTML and Javascript. 2M
However, some developers don't appreciate a colleague snooping
around their code and then borrowing their work without Hiding
permission. This is particularly true about javascript, which are JavaScript
typically more time-consuming to develop than using HTML to 2M
build a web page.
 In reality, you cannot hide your HTML code and JavaScript from
prying eyes, because a clever developer can easily write a
program that pretends to be a browser and calls your web page
from your web server, saving the web page to disk, where it can
then be opened using an editor. Furthermore, the source code for
your web page—including your JavaScript—is stored in the
cache, the part of computer memory where the browser stores
web pages that were requested by the visitor.
 A sophisticated visitor can access the cache and thereby gain
access to the web page source code.
 However, you can place obstacles in the way of a potential
peeker. First, you can disable use of the right mouse button on
your site so the visitor can't access the View Source menu option
on the context menu. This hide both your HTML code and your
JavaScript from the visitor. Nevertheless, the visitor can still use
the View menu's Source option to display your source code. In
addition, you can store your JavaScript on your web server
instead of building it into your web page. The browser calls the
JavaScript from the web server when it is needed by your web
page.
 Using this method, the JavaScript isn't visible to the visitor, even
if the visitor views the source code for the web page.

ii) Disabling the right Mouse Button:


The following example shows how to disable the visitor's right
mouse button while the browser displays your web page. All the

Page 27 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

action occurs in the JavaScript that is defined in the <head> tag of


the web page.
Example:
<html>
<head>
<script>
window.onload = function()
{
document.addEventListener("contextmenu", function(e)
{
e.preventDefault();
}, false);}
</script>
<body>
<h3>Right click on screen,Context Menu is disabled</h3>
</body>
</html>
The preventDefault() method cancels the event if it is cancelable,
meaning that the default action that belongs to the event will not
occur.

iii) Hiding JavaScript:


You can hide your JavaScript from a visitor by storing it in an
external file on your web server. The external file should have the .js
file extension. The browser then calls the external file whenever the
browser encounters a JavaScript element in the web page. If you
look at the source code for the web page, you'll see reference to the
external .js file, but you won't see the source code for the JavaScript.

The next example shows how to create and use an external


JavaScript file. First you must tell the browser that the content of the
JavaScript is located in an external file on the web server rather than
built into the web page. You do this by assigning the file name that
contains the JavaScript to the src attribute of the <script> tag.

Page 28 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

Next, you need to define empty functions for each function that you
define in the external JavaScript file.

webpage.html
<html>
<head>
<script src="mycode.js" languages="javascript" type = "text /
javascript">
</script>
<body>
<h3> Right Click on screen, Context Menu is disabled</h3>
</body>
</html>
mycode.js
window.onload=function()
{
document.addEventListener("contextmenu", function(e)
{
e.preventDefault();
}, false);
}
c) Develop a JavaScript to create rotating Banner Ads with URL 6M
links.
Ans. Note: Any other correct logic / program shall be considered
<html>
<head>
Correct
<title>Link Banner Ads</title> program 6M
<script language="Javascript" type="text/javascript">
Banners = new Array('1.jpg','2.jpg')
BannerLink = new Array('google.com/', 'msbte.org.in/');
CurrentBanner = 0;
NumOfBanners = Banners.length;
function LinkBanner()
{
document.location.href ="http://www." +

Page 29 / 30
MAHARASHTRA STATE BOARD OF TECHNICAL EDUCATION
(Autonomous)
(ISO/IEC - 27001 - 2005 Certified)

SUMMER – 2024 EXAMINATION


MODEL ANSWER
Subject: Client Side Scripting Language Subject Code: 22519

BannerLink[CurrentBanner];
}
function DisplayBanners() {
if (document.images) {
CurrentBanner++
if (CurrentBanner == NumOfBanners) {
CurrentBanner = 0
}
document.RotateBanner.src= Banners[CurrentBanner]
setTimeout("DisplayBanners()",1000)
}}
</script>
</head>
<body onload="DisplayBanners()" >
<center>
<a href="javascript: LinkBanner()"><imgsrc="1.jpg"
width="400" height="75" name="RotateBanner" /></a>
</center>
</body></html>

Page 30 / 30
Scheme – I
Question Paper Profile
Program Name : Diploma in Engineeering Group
Program Code : CO / CM / CW / IF
Semester
Course Title
: Fifth
: Clint Side Scripting Language (Elective)
22519
Marks : 70 Time: 3 Hrs.

Instructions:
(1) All questions are compulsory.
(2) Illustrate your answers with neat sketches wherever necessary.
(3) Figures to the right indicate full marks.
(4) Assume suitable data if necessary.
(5) Preferably, write the answers in sequential order.

Q.1) Attempt any FIVE of the following. 10 Marks


a) State the use of dot syntax in JavaScript with the help of suitable example.
b) List and explain Logical operators in JavaScript.
c) Write a JavaScript that identifies a running browser.
d) Write a JavaScript that initializes an array called “Fruits” with names of five fruits.
The script then displays the array in a message box.
e) Give syntax of and explain the use of “with” statement/clause in JavaScript using
suitable example.
f) Enlist and explain the use of any two Intrinsic JavaScript functions.
g) State and explain what is a session cookie ?

Q.2) Attempt any THREE of the following. 12 Marks


a) Write syntax of and explain prompt method in JavaScript with the help of suitable
example.

b) Write a JavaScript program which compute, the average marks of the following
students Then, this average is used to determine the corresponding grade.

Student Name Marks


Advait 80
Anay 77
Manyata 88
Saanvi 95
Saachi 68

1
The grades are computed as follows :
Range Grade
<60 F
<70 D
<80 C
<90 B
<100 A
c) Write a JavaScript that displays all properties of window object. Explain the code .
d) Write a JavaScript function that checks whether a passed string is palindrome or not.

Q.3) Attempt any THREE of the following. 12 Marks


a) Differentiate between concat() and join() methods of array object.
b) Write a JavaScript function to count the number of vowels in a given string.
c) Write a JavaScript that find and displays number of duplicate values in an array.
d) Write a function that prompts the user for a color and uses what they select to set the
background color of the new webpage opened .

Q.4) Attempt any THREE of the following. 12 Marks


a) State what is a regular expression? Explain its meaning with the help of a suitable
example.
b) Write a webpage that accepts Username and adharcard as input texts. When the user
enters adhaarcard number ,the JavaScript validates card number and diplays whether
card number is valid or not. (Assume valid adhaar card format to be nnnn.nnnn.nnnn
or nnnn-nnnn-nnnn).
c) Write the syntax of and explain use of following methods of JavaScript Timing Event.
a. setTimeout()
b. setInterval()
d) Develop JavaScript to convert the given character to Unicode and vice versa.
e) List ways of Protecting your webpage and describe any one of them.

Q.5) Attempt any TWO of the following. 12 Marks


a) Write HTML Script that displays textboxes for accepting Name, middlename,
Surname of the user and a Submit button. Write proper JavaScript such that when the
user clicks on submit button
i) all texboxes must get disabled and change the color to “RED”. and with
respective labels.

2
ii) Constructs the mailID as <name>.<surname>@msbte.com and displays mail
ID as message. (Ex. If user enters Rajni as name and Pathak as surname
mailID will be constructed as rajni.pathak@msbte.com) .
b) Write a webpage that diplays a form that contains an input for Username and
password. User is prompted to enter the input and password and password becomes
value of the cookie. Write The JavaScript function for storing the cookie . It gets
executed when the password changes.
c) Write a script for creating following frame structure :
FRAME1
FRAME2 FRAME3
 FRUITS
 FLOWERS
 CITIES
Fruits, Flowers and Cities are links to the webpage fruits.html, flowers.html,
cities.html respectively. When these links are clicked corresponding data appears in
“FRAME3”.

Q.6) Attempt any TWO of the following. 12 Marks


a) Write HTML Script that displays dropdownlist containing options NewDelhi, Mumbai,
Bangalore. Write proper JavaScript such that when the user selects any options
corresponding description of about 20 words and image of the city appear in table
which appears below on the same page.
b) Develop a JavaScript Program to Create Rotating Banner Ads with URL Links.
c) Create a slideshow with the group of four images, also simulate the next and previous
transition between slides in your JavaScript.

3
Scheme – I
Sample Test Paper - I
Program Name : Diploma in Engineeering Group
Program Code : CO / CM / CW / IF
Semester
Course Title
: Fifth
: Clint Side Scripting Language (Elective)
22519
Marks : 20 Time: 1 Hour

Instructions:
(1) All questions are compulsory.
(2) Illustrate your answers with neat sketches wherever necessary.
(3) Figures to the right indicate full marks.
(4) Assume suitable data if necessary.
(5) Preferably, write the answers in sequential order.

Q.1) Attempt any FOUR. 08 Marks


a) Describe all the tokens of the following statements :
i. document.bgColor
ii. document.write()
b) Differentiate between prompt() and alert() methods.
c) State use of getters and setters
d) State and explain any two properties of array object
e) Write a JavaScript that displays first 20 even numbers on the document window.

Q.2) Attempt any THREE. 12 Marks


a) Write a program to print sum of even numbers between 1 to 100 using for loop.
b) Write a JavaScript function to insert a string within a string at a particular position
c) Generate college Admission form using html form tag
d) State the use of following methods.
i. charCodeAt()
ii. fromCharCode()

4
Scheme – I
Sample Test Paper - II
Program Name : Diploma in Engineeering Group
Program Code : CO / CM / CW / IF
Semester
Course Title
: Fifth
: Clint Side Scripting Language (Elective)
22519
Marks : 20 Time: 1 Hour

Instructions:
(1) All questions are compulsory.
(2) Illustrate your answers with neat sketches wherever necessary.
(3) Figures to the right indicate full marks.
(4) Assume suitable data if necessary.
(5) Preferably, write the answers in sequential order.

Q.1) Attempt any FOUR. 08 Marks


a) Design the frameset tag for following frame layout :
FRAME1

FRAME2

FRAME3

b) State the method to put message in web browser status bar?


c) Construct regular expression for validating the phone number in following format
only :
(nnn)-nnnn-nnnn OR nnn.nnnn.nnnn

Q.2) Attempt any THREE. 12 Marks


a) Write a JavaScript that creates a persistent cookies of Itemnames. Write appropriate
HTML script for the same.
b) Write a JavaScript function to check whether a given value is valid IP value or not
c) Write a JavaScript program to create rollover effect for three images.
d) Write a JavaScript program that create a scrolling text on the status line of a window.

5
Scheme – I
Question Paper Profile
Program Name : Diploma in Engineeering Group
Program Code :CO/CM/CW/IF
Semester : Fifth
22519
Course Title : Clint Side Scripting Language (Elective)
Marks : 70 Time: 3 Hrs.

Instructions:
(1) All questions are compulsory.
(2) Illustrate your answers with neat sketches wherever necessary.
(3) Figures to the right indicate full marks.
(4) Assume suitable data if necessary.
(5) Preferably, write the answers in sequential order.

Q.1) Attempt any FIVE of the following. 10 Marks


a) State the use of dot syntax in JavaScript with the help of suitable example.
The notation we use to represent objects within the DOM(Document Object Model) tree
uses the dot or period and is called as dot syntax.
This notation can be extended as many times as necessary to represent any object in the
tree
Eg: window.location

b) List and explain Logical operators in JavaScript.


1 . and:- && operator is used to combine two conditions e.g. (x < 10 && y > 1) is true
2. or:- || operator
e.g. (x == 5 || y == 5) is false
3. not: ! operator e.g. !(x == y) is true

c) Write a JavaScript that identifies a running browser.


<html>
<body>
<h2>Identify the running browser</h2>
<script>
document.getElementById("demo").innerHTML = "Running browser name is " +
navigator.appName;
document.getElementById("demo").innerHTML = "Running browser version is " +
navigator.appVersion;
document.getElementById("demo").innerHTML = "Running browser Application code
is " + navigator.appCodeName;
document.getElementById("demo").innerHTML = "Running browser language is " +
navigator.language;
</script>
</body></html>
d) Write a JavaScript that initializes an array called “Fruits” with names of five
fruits. The script then displays the array in a message box.The script then
displays the array in a message box.
<html> <head><title>Fruits</title></head>
<body>
<script>
var fruits =["apple","mango","banana","kiwi","plum"];
for(i=0;i<fruits.length;i++)
{
alert(fruits[i]);
}
</script>
</body>
</html>

e) Give syntax of and explain the use of “with” statement/clause in JavaScript


using suitable example.
The with statement extends the scope chain for a statement.
Syntax
with (expression)
statement
expression:Adds the given expression to the scope chain used when evaluating the
statement. The parentheses around the expression are required.
Statement: Any statement. To execute multiple statements, use a block statement
({ ... }) to group those statements.
Example:
with document{
write('foo');
body.scrollTop = x;
}

f) Enlist and explain the use of any two Intrinsic JavaScript functions.
1. getDate() :- This method returns the day of the month for the specified date
according to local time.
syntax: object.getDate();

2. max():-This method returns the largest of zero or more numbers.


Syntax:-max(obj1,obj2);

g) State and explain what is a session cookie ?


- A cookie which does not have an expiration date associated with it is called as a
session cookie
- This cookie gets deleted when the browser is closed
Eg: a session cookie can be used for storing the items added to a cart in case of
shopping websites like amazon, flipkart etc
Q.2) Attempt any THREE of the following. 12 Marks
a) Write syntax of and explain prompt method in JavaScript with the help of
suitable example.
o The prompt dialog box is very useful to pop-up a text box to get user input.
Thus, it enables you to interact with the user.
o The user needs to fill in the field and then click OK. This dialog box is displayed
using a method called prompt() which takes two parameters:
(i) a label which you want to display in the text box and
(ii) ) a default string to display in the text box.
o This dialog box has two buttons: OK and Cancel. If the user clicks the OK
button, the window method prompt() will return the entered value from the text box.
If the user clicks the Cancel button, the window method prompt() returns null.

o Syntax: var retVal = prompt("Enter your name : ", "your name here");

b) Write a JavaScript program which compute, the average marks of the


following students Then, this average is used to determine the corresponding
grade.
The grades are computed as follows :
Student Name Marks
Advait 80 Range Grade
Anay 77 <60 F
Manyata 88 <70 D
Saanvi 95 <80 C
Saachi 68 <90 B
<100 A

document.write("Average grade: " +


HTML Code: (Avgmarks)/students.length);

<html> if (avg < 60){


<head> document.write("Grade : F");
<title>Compute the average marks and grade</title> }
</head> else if (avg < 70) {
<body> document.write("Grade : D");
</body> }
</html> else if (avg < 80)
{
JavaScript Code: document.write("Grade : C");
var students = [[' Advait ', 80], [' Anay ', 77], [' Manyata } else if (avg < 90) {
', 88], [' Saanvi ', 95], [' Saachi ', 68]]; document.write("Grade : B");
} else if (avg < 100) {
var Avgmarks = 0; document.write("Grade : A");
}
for (var i=0; i < students.length; i++) {
Avgmarks += students[i][1];
var avg = (Avgmarks/students.length);
}
c) Write a JavaScript that displays all properties of window object. Explain the code .
<html>
<head><title> Window Properties </title>
<script language="javascript">
arr = Object.getOwnPropertyNames(window).sort();
for(i in arr)
{
document.write(arr[i]+"<br>");
}
</script>
<body>
</body>
</html>

here,
The Object.getOwnPropertyNames() method returns an array of all properties found in
the given object
We have passed window as an object, hence it returns the properties of window object.
a for loop is used to loop through all the properties of window object and display them

d) Write a JavaScript function that checks whether a passed string is palindrome or


not.
<html>
<head>
<title> Palindrome </title>
</head>
<body>hello
<script type="text/javascript">

var orignalStr;
str=prompt(Ënter a string");
str = str.toLowerCase(); //convert string into
lowercase orignalStr = str;
str = str.split(''); //split the entered string
str = str.reverse(); //reverse the order
str = str.join(''); //then join the reverse order array
values var reverseStr = str;

if(orignalStr == reverseStr)
{
alert("Palindrome"); // return "Palindrome" if true
}
else
{
alert ("Not Palindrome");
}
</script>
</body>
</html>
Q.3) Attempt any THREE of the following. 12 Marks

a) Differentiate between concat() and join() methods of array object.


Concat() Join()
The concat() method is used to join two The join() method returns the array as a
or more arrays string.
This method does not change the The elements are separated by a specified
existing arrays, but returns a new array, separator. The default separator is comma
containing the values of the joined (,).
arrays
Syntax: list1.concat(list2) Syntax:list1.join(parameter)
var list = ["foo", "bar"]; Example: var fruits = ["Banana",
var newlist = list.concat( ["baz", "qux"] "Orange", "Apple", "Mango"];
); var energy = fruits.join(" and ");
["foo", "bar", "baz", "qux"] // newlist o/p Banana and Orange and Apple and
result Mango

b) Write a JavaScript function to count the number of vowels in a given string.


<html>
<head>
<title> Vowel Count</title>
</head>
<body>
<script
type=”text/javascript
”> var cnt=0;
str = prompt(“Enter string”);
var vowel = “aeiouAEIOU”;
for(i=0;i<str.length;i++)
{
pos = vowel.indexOf(str[i]);
if(pos!=-1)
cnt++;
}
alert(“No. of vowels = ” + cnt);
</body>
</html>

c) Write a JavaScript that find and displays number of duplicate values in an array.
<html>
<head><title></title></head>
<body>
<script type="text/javascript"> var a =
[10,20,30,10,20,50,60];
document.write("Duplicate Values in array
are");
varnum=0;
for(var i = 0; i <= a.length; i++)
{
for(var j = i; j <= a.length; j++)
{
if(i != j && a[i] == a[j])
{
document.write("<br>"+ a[i]);
num++;
}
}
}
document.write("<br> Number of duplicates : " +
num); </script>
</body>
</html>

d) Write a function that prompts the user for a color and uses what they select to
set the background color of the new webpage opened .
<html>
<head>
<title>
</title>
</head>
<body>
<script type="text/javascript">
var value=confirm("Do u want to change the Backgroud colour");
if(value==true)
{
var name=prompt("Enter which colour do u want:");
document.bgColor=name
}
else
{
alert("you are all set!");
document.write(name);
}
</script>
</body>
</html>
Q.4) Attempt any THREE of the following. 12 Marks

a) State what is a regular expression? Explain its meaning with the help of a
suitable example.
- A regular expression is a sequence of characters that forms a search pattern.
- When you search for data in a text, you can use this search pattern to describe
what you are searching for.
- A regular expression can be a single character, or a more complicated pattern.
- Regular expressions can be used to perform all types of text search and text
replace operation
- Syntax : var pattern = new RegExp(pattern, attributes); or
var pattern = /pattern/attributes;
Where pattern − A string that specifies the pattern of the regular expression or
another regular expression.
Attributes − An optional string containing any of the"g", "i", and "m" attributes
that specify global,case-insensitive, and multi-line matches, respectively.
- Example:regexp = /^[A-Z]/;
- The above example checks whether a string starts with an uppercase letter or not

b) Write a webpage that accepts Username and adharcard as input texts. When
the user enters adhaarcard number ,the JavaScript validates card number and
diplays whether card number is valid or not. (Assume valid adhaar card format
to be nnnn.nnnn.nnnn or nnnn-nnnn-nnnn).
//Program to validate adharcard <body>
<html> <form id="form1">
<head><title>Adhar Card Enter username : <input type="text"
Validation</title> id="user">
<script type="text/javascript"> Enter adharcard no :
function validation(adhar) <input type="text" id="adhar"
{ onblur=validation(document.getEleme
var str = adhar.split("."); ntById("adhar").value)>
if(str.length!=3) </form>
{ </body>
alert("Invalid adharcard number"); </html>
}
else if(str[0].length!=4 ||
str[1].length!=4 ||str[2].length!=4)
{
alert("Invalid adharcard number");
}
else
{
alert("Valid adharcard number");
}
}
</script>
</head>
c) Write the syntax of and explain use of following methods of JavaScript Timing Event.
a. setTimeout()
b. setInterval()
a.setTimeout()
 The setTimeout() method calls a function or evaluates an expression after a specified
number of milliseconds.
 Syntax :setTimeout(function, milliseconds, param1, param2, ...)
 Here, function : The function that will be executed
milliseconds :The number of milliseconds to wait before executing the code.
If omitted, the value 0 is used
param1, param2, ...: Additional parameters to pass to the function
 Example: myVar = setTimeout(alertFunc, 3000);
b. setInterval()
 This method calls a function or evaluates an expression at specified intervals (in
milliseconds).
 The setInterval() method will continue calling the function until clearInterval() is
called, or the window is closed.The ID value returned by setInterval() is used as the
parameter for the clearInterval() method
 Syntax:setInterval(function, milliseconds, param1, param2, ...)
 Here, function : The function that will be executed
milliseconds :The intervals (in milliseconds) on how often to execute the
code. If the value is less than 10, the value 10 is used
param1, param2, ...: Additional parameters to pass to the function
 Example : myVar = setInterval(alertFunc, 3000);

d) Develop JavaScript to convert the given character to Unicode and vice versa.
If the string consists of only one character, use the 0 argument to get the code for that
one character:
var oneChar = myString.substring(12, 13);
var code = oneChar.charCodeAt(0);

To convert an Unicode code number to a character,


var char = String.fromCharCode(66);

e) List ways of Protecting your webpage and describe any one of them.
There are 2 ways of protecting webpage:
1. Disabling right click: The source code of a web page can be viewed by clicking right
mouse button on the webpage. Anyone can see the source code of a webpage which is
not safe. We can hide the code by disabling right mouse click on webpage. Hiding source
code is nothing but protecting the source code by viewing other users.
JavaScript for Disabling right click
<script>
document.addEventListener('contextmenu',event=>event.preventDefault())
</script>
2. Concealing email address:It means hiding email address from unauthorized user. It is
possible with the use of JavaScript.
JavaScript for concealing email address
function (user_email)
{
varavg, splitted, part1, part2;
splitted = user_email.split("@");
part1 = splitted[0];
avg = part1.length / 2;
part1 = part1.substring(0, (part1.length - avg));
part2 = splitted[1];
alert(part1 + "...@" + part2);
};

Q.5) Attempt any TWO of the following. 12 Marks

a) Write HTML Script that displays textboxes for accepting Name, middlename,
Surname of the user and a Submit button. Write proper JavaScript such that
when the user clicks on submit button
i) all texboxes must get disabled and change the color to “RED”. and with
respective labels.

ii) Constructs the mailID as <name>.<surname>@msbte.com and displays


mail ID as message. (Ex. If user enters Rajni as name and Pathak as
surname mailID will be constructed as rajni.pathak@msbte.com) .
<html> <body>
<head> <form id="myform">
<script> Enter First Name:
function a() <input type="text" id="fname"><br>
{ Enter Middle Name:
document.getElementById("fname").disabled <input type="text" id="mname"><br>
=true; Enter Sur Name:
document.getElementById("mname").disable <input type="text" id="sname"><br>
d=true; <input type="button" value="Submit"
document.getElementById("sname").disabled onclick="a()"><br>
=true; </form>
fname.style.backgroundColor = "red"; </body>
mname.style.backgroundColor = "red"; </html>
sname.style.backgroundColor = "red";
var firstName = fname.value;
var lastName = sname.value;
var email = firstName +"."+ lastName +
"@msbte.com";
alert(email);
}
</script>
</head>
b) Write a webpage that diplays a form that contains an input for Username and
password. User is prompted to enter the input and password and password
becomes value of the cookie. Write The JavaScript function for storing the
cookie . It gets executed when the password changes.
<html>
<head><title>Cookie</title>
<script language="javascript">
function store()
{
var user = document.form1.user.value
var pass = document.form1.pass.value
var cookieinfo = "username="+user+",password="+pass;
document.cookie = cookieinfo
alert(document.cookie + " Stored");
}
</script>
</head>
<body>
<form name="form1" onsubmit="store()">
Enter username <input type="text" name="user">
Enter password <input type="password" name="pass" onchange="store()">
<input type="submit" value="Submit">
</form>
</body>
</html>
c) Write a script for creating following frame structure :

Fruits, Flowers and Cities are links to the webpage fruits.html, flowers.html,
cities.html respectively. When these links are clicked corresponding data appears in
“FRAME3”.
//Frame1.html //Frame3.html
<html> <html>
<head> <head>
<title>Frame1</title> <title>Frame3</title>
</head> </head>
<body> <body>
<h1><center>Frame1</center></h1> <h1><center>Frame3</center></h1>
</body> </body>
</html> </html>
//Frame 2.html //Main Page.html
<html> <html>
<head> <head></head>
<title>Frame2</title> <frameset rows="20%,*">
</head> <frame
<body> src="frame1.html"></frame>
<h1><center>Frame2</center></h1> <frameset cols="50%,*">
<ul> <frame
<li><a href="fruits.html" src="frame2.html"></frame>
target="frame3">fruits</a></li> <frame
<li><a href="flowers.html" src="frame3.html" name="frame3">
target="frame3">flowers</a></li> </frameset>
<li><a href="cities.html" </frameset>
target="frame3">cities</a></li> </html>
</ul>
</body>
</html>
//Fruits.html //Flowers.html //Cities.html
<html> <html> <html>
<script> <script> <script>
document.write("I am document.write("I am document.write("I am
fruits.html"); flowers.html"); cities.html");
</script> </script> </script>
<body> <body> <body>
</body> </body> </body>
</html> </html> </html>

Q.6) Attempt any TWO of the following. 12 Marks

a) Write HTML Script that displays dropdownlist containing options NewDelhi,


Mumbai, Bangalore. Write proper JavaScript such that when the user selects
any options corresponding description of about 20 words and image of the city
appear in table which appears below on the same page.
<html>
<head>
<title>Drop down list example</title>
</head>
<body>
<p id="p1"></p>
<form name="myform" >
<select id="sel1">
<option value="delhi">
NewDelhi
</option>
<option value="Mumbai">
Mumbai
</option>
<option value="bangalore">
Bangalore
</option>
</select>
<br><input type="button" name="bt1" id="b1" onclick="display()"
value="click">
<input type="textarea" name="ta1">

</form>
<script type="text/javascript">
function display()
{
var a=document.getElementById("sel1");
var index = a.selectedIndex;

if(index==0)
{
myform.ta1.value = "New Delhi city and national capital
territory, north-central India. The city of Delhi actually consists of two components:
Old Delhi, in the north, the historic city; and New Delhi, in the south, since 1947 the
capital of India, built in the first part of the 20th century as the capital of British
India. "

}
else if(index==1)
{
myform.ta1.value="Mumbai also known as Bombay is the
capital of the Indian state of Maharashtra. It is the most populous city in India, and
the fourth most populous city in the world, with a total metropolitan area population
of approximately 20.5 million."
}
else
{
"Bangalore is located in the state of Karnataka about 920 meters
above mean sea level on the Deccan Plateau of South India. It covers an area of 741
sq. km. Bangalore, officially called as Bengaluru, is one of the three (other two Delhi
and Mumbai) finest metropolitans in India."
}
}
</script>
</body>
</html>
b) Develop a JavaScript Program to Create Rotating Banner Ads with URL Links.
<html>
<head>
<script language="Javascript">
MyBanners=new Array('banner1.jpg','banner2.jpg','banner3.jpg','banner4.jpg')
MyBannerLinks=new
Array('http://www.amazon.in/','http://www.flipkart.in/','http://aliexpress.in/','http://olx.in/')
banner=0
function ShowLinks()
{
document.location.href=MyBannerLinks[banner]
}
function ShowBanners()
{
if (document.images)
{
banner++
if (banner==MyBanners.length)
{
banner=0
}
document.ChangeBanner.src=MyBanners[banner]
setTimeout("ShowBanners()",5000)
}
}
</script>
<body onload="ShowBanners()">
<center>
<a href="javascript: ShowLinks()">
<imgsrc="banner1.jpg" width="900" height="120" name="ChangeBanner"/></a>
</center>
</body>
</html>
c) Create a slideshow with the group of four images, also simulate the next and
previous transition between slides in your JavaScript.
<html> function changeImage(imgno){ </head>
<head> i = i+imgno <body>
<script> if(i>images.length-1) <imgsrc="image1.jpg" name="slide"
vari=0; { width="400" height="200"><br><br>
var images= new i=0; <input type="button" value="prev"
Array(); } onclick="changeImage(-1)">
var time=3000; if(i<0) <input type="button" value="next"
images[0]="image1.jpg" { onclick="changeImage(1)">
images[1]="image2.jpg" i=images.length-1; </body>
images[2]="image3.jpg" } </html>
document.slide.src=images[i]
} </script>
SANDIP FOUNDATIONS
SANDIP POLYTECHNIC, NASHIK
Academic Year(2023-24)
Question bank for Unit Test – I

Name of Subject : Client Side Scripting(22519) Sem : ODD


2 Marks Questions
Chapter – I
1. Enlist any four features of JavaScript.
• JavaScript is a object-based scripting language.
• Giving the user more control over the browser.
• It Handling dates and time.
• It Detecting the user's browser and OS
• It is light weighted.
• Client – Side Technology
• JavaScript is a scripting language and it is not java.
• JavaScript is interpreter based scripting language.
• JavaScript is case sensitive.
• JavaScript is object based language as it provides predefined objects.
• Every statement in JavaScript must be terminated with semicolon (;).
• Most of the JavaScript control statements syntax is same as syntax of control statements in C
language.
• An important part of JavaScript is the ability to create new functions within scripts. Declare a
function in JavaScript using function keyword

2. List the comparison operators in JavaScript.

3. List and explain data types in JavaScript.


It uses six types of values:
• Number: It is numeric value can be integer or float.
For Example : var a=20;

• String: It is a collection of characters. Enclosed within single or double quote.


For Example : car city=”Nashik”

• Boolean: It contains true and false values.


For Example : var b=true;

• Null: This value can be assigned by reserved word ‘null’. It means no value.
For Example : var i=null;
• Object: It is the entity that represents some value. Ex: Form is an object on which some
components can be placed and used.
For Example : var person = { firstname:"John", lastname:"Doe"};

4. Explain the terms


i) Method ii) Property iii) Event iv) Object Name
Object Name:
• Object is entity. In JavaScript document, window, forms, fields, buttons are some properly used
objects.
• Each object is identified by ID or name.
• Array of objects or Array of collections can also be created.

Property:
• It is the value associated with each object.
• Each object has its own set of properties.
• For example, a form object has a title, a width, and a height—to mention a few properties

Method:
• A method is a process performed by an object when it receives a message.
• For example, a Submit button on a form is an object. Its Submit label and the dimensions of the
button are properties of the button object.
• If you click the Submit button, the form is submitted to the server-side application. In other
words, clicking the Submit button causes the button to process a method.

Main Event:
• Event causes JavaScript to execute the code.
• In JavaScript when user submits form, clicks button, writes something to text box the
corresponding event gets triggered and execution of appropriate code is done through Event
Handling.

5. How to write a JavaScript?


• JavaScript can be implemented using JavaScript statements that are placed within the <script>...
</script> HTML tags in a web page.
• You can place the <script> tags, containing your JavaScript, anywhere within your web page, but it
is normally recommended that you should keep it within the <head> tags.
• The <script> tag alerts the browser program to start interpreting all the text between these tags as
a script.

• A simple syntax of your JavaScript will appear as follows.


<script ...>
JavaScript code
</script>

• The script tag takes two important attributes −


• Language − This a@ribute specifies what scripBng language you are using.
• Type − This attribute is what is now recommended to indicate the scripting language in use
and its value should be set to "text/javascript".
• So your JavaScript segment will look like −
<script language = "javascript" type = "text/javascript">
JavaScript code
</script>
Example :
<html>
<body>
<script language = "javascript" type = "text/javascript">
<!--
document.write("Hello World!")
//-->
</script>
</body>
</html>

6. Write a JavaScript to create person object with properties firstname, lastname, age, eye color,
delete eye color property and display remaining properties of person object.
<html>
<body>
<script>
var person = {
firstname:"John",
lastname:"Doe",
age:50,
eyecolor:"blue"
};
delete person.eyecolor; //delete person eyecolor
document.write("After delete "+ person.firstname +" "+
person.lastname+" "
+person.age +" "+ person.eyecolor);
</script>
</body>
</html>

7. Describe property Getters & Setter.


In JavaScript, accessor properties are methods that get or set the value of an object. For that, we use
these two keywords:
get - to define a getter method to get the property value
set - to define a setter method to set the property value
The following example shows a getter defined on an object called person. The getter is called name,
and it returns the value of the name property on the object:
let person = {
name: 'John',
get name() {
return this.name;
}
};
For example, let's say we have an object called "user" with a property called "name". We can define
a setter method for the "name" property like this:
const user = {
name: '',
set name(value) {
this.name = value;
},
};
8. Write a JavaScript program to check whether entered number is prime or not.
<head>
<title>Check a number is prime pr not using javascript</title>
<script type="text/javascript">
function prime()
{
var n,i,flag=true;
n=document.myform.n.value;
for(i=2;i<=n/2;i++)
{
if(n%i==0)
{
flag=false;
break;
}
}
if(flag==true)
{
alert(n+"is prime");
}
else
{
alert(n+"is not prime");
}
}
</script>
</head>
<body>
<form name="myform">
Enter the Number:<input type="text" name=n value=" ">
<br><br>
<input type="button" value="Check" onClick="prime()">
<br>
</form>
</body>
</html>

9. Write a simple calculator program using switch case in JavaScript


<html>
<body>
<script>
let result;
const operator = prompt('Enter operator ( either +, -, * or / ): ');

const number1 = parseFloat(prompt('Enter first number: '));


const number2 = parseFloat(prompt('Enter second number: '));

switch(operator) {
case '+':
result = number1 + number2;
console.log(`${number1} + ${number2} = ${result}`);
break;
case '-':
result = number1 - number2;
console.log(`${number1} - ${number2} = ${result}`);
break;

case '*':
result = number1 * number2;
console.log(`${number1} * ${number2} = ${result}`);
break;

case '/':
result = number1 / number2;
console.log(`${number1} / ${number2} = ${result}`);
break;

default:
console.log('Invalid operator');
break;
}
</script>
</body>
</html>

Chapter – II
10. Write a JavaScript that initialize an array called flowers with the names of 3 flowers. The script
then display array elements.
<html>
<head>
<title>Display Array Elements</title>
</head>
<body>
<script>
var flowers = new Array();
flowers[0] = 'Rose ';
flowers[1] = 'Mogra';
flowers[2] = 'Hibiscus';
for (var i = 0; i < flowers.length; i++)
{
document.write(flowers[i] + '<br>');
}
</script>
</body>
</html>

11. Write a javascript to call the function from html


<html>
<head>
<title>Calling function from HTML</title>
<script>
function welcome()
{
alert("Welcome students");
}
function goodbye()
{
alert("Bye");
}
</script>
</head>
<body onload="welcome()" onunload="goodbye()">
</body>
</html>

12. Explain scope of variable declared in function with example.


<html>
<body>
<form name="login">
Enter Username<input type="text" name="userid"><br>
Enter Password<input type="password" name="pswrd">
<input type="button" onclick="display()" value="Display">
</form>
<script language="javascript">
function display()
{
document.write("User ID "+ login.userid.value + "Password
:"+login.pswrd.value);
}
</script>
</body>
</html>

13. Write a program to Accept the marks of 10 subjects from the user and store it in array. Sort them
and display
<html>
<body>
<h2>Accept and Display the marks</h2>
<script>
a = new Array();
length=prompt("For how many subjects do you want to enter a
marks?");
alert("Enter Marks of Subjects")
for(i=0;i<length;i++)
{
a[i]=prompt("Enter marks of subject"+i);
}
document.write("<br/><br/>The entered subjects marks are<br\>");
for(i=0;i<length;i++)
{
document.write("Marks of subject"+i+"is :"+a[i]);
document.write("</br>");
}
document.write("<br/><br/>The array sorted subjects mareks
are<br\>");
a.sort();
document.write("<br/>The element in the array are<br\>");
for(i=0;i<length;i++)
{
document.write("Marks of subject"+i+"is :"+a[i]);
document.write("</br>"); }
</script>
</body>

14. Explain scope of variable declared in function with example.


Scope is the block or area of program in which particular variable or argument is possible
The scope of variable is defined using two types of variables – Local scope and Global scope
Local scope :
a. if a variable is defined inside a function then that variable is a local variable and its scope is a
local scope
b. That also means, that the local variable is accessible only within a function in which it is
defined. It is not accessible outside that function.
Global variable :
a.A variable is called global variable, if it is defined outside t he function.
b. The variable having global scope is accessible by any function.

15. Write a JavaScript code to implement push() method of array.


<html>
<body>
<h2>Changing Array Demo</h2>
<script>
a = new Array();
a[0]=10;
a[1]=20;
a[2]=30;
a[3]=40;
a[4]=50;
document.write("<h4>The elements in array are</h4>")
for(i=0;i<a.length;i++)
document.write(a[i]+" ");
document.write("<h4>Calling the push() method</h4>")
a.push(60);
document.write("<h4>The elements in array are</h4>")
for(i=0;i<a.length;i++)
document.write(a[i]+" ");
</script>
</body>
</html>

16. Write a JavaScript code to implement concat() method of string.


<html>
<body>
<h2>Combining Array Demo</h2>
<script>
a = new Array();
a[0]="Red";
a[1]="Orange";
a[2]="Yellow";
a[3]="Green";
a[4]="Blue";
a[5]="Indigo";
a[4]="Voilet";
document.write("<h3>The concat() method</h3>")
var str2=a.concat();
document.write(str2);
</script>
</body>
</html>

Chapter – III
17. explain following form events
i) onmouseup ii) onblur

Event Occurs When


The mouse button is released over an element
onmouseup
<input type="text" onblur="myFunction()">
The onblur event is often used with form validation (when the user leaves a
form field).
onblur
<p onmouseup="mouseUp()">Click the text!</p>

18. Enlist & Explain the use of any two intrinsic JavaScript functions.
• They are the in built functions which can be used with JavaScript objects
• Various objects supported by JavaScript include document, window, Date , Math , Array, String etc.
• The javascript provides the intrinsic functions for submit or reset button. One can use these
functionalities while submitting the form or resetting the form fields.
• The submit() method of the form object can be used to send the form to the server in exactly same
way as id the user has pressed the submit button.
<html>
<body>
<form name="myform">
Roll No:<input type="text" name="roll"/>
<br/><br/>
Name :<input type="text" name="name"/>
<br/><br/>
<im src="submit.gif"
onclick="javascript.document.forms.myform.submit()"/>
<br/><br/>
</form>
</body>
</html>

19. List the various form events.


Event Event
Description
Performed Handler

focus onfocus When the user focuses on an element

submit onsubmit When the user submits the form

blur onblur When the focus is away from a form element

change onchange When the user modifies or changes the value of a


form element

20. Write a javascript code to demonstrate getElementbyId() method.


• The document.getElementById() method returns the element of specified id.
• We can use document.getElementById() method to get value of any field. But we need to define id
for the input field.
<script type="text/javascript">
function getcube()
{
var number=document.getElementById("number").value;
alert(number*number*number);
}
</script>
<form>
Enter No:<input type="text" id="number" name="number"/><br/>
<input type="button" value="cube" onclick="getcube()"/>
</form>

4 Marks Questions
Chapter – I
21. Write a JavaScript program which computes average marks of the student and according to
average marks determine the grade
<html>
<head>
<title>Compute the average marks and grade</title>
</head>
<body>
<script>
var students = [['Summit', 80], ['Kalpesh', 77], ['Amit', 88],
['Tejas', 93],['Abhishek', 65]];
var Avgmarks = 0;
for (var i=0; i < students.length; i++)
{
Avgmarks += students[i][1];
}
var avg = (Avgmarks/students.length);
document.write("Average grade: " + (Avgmarks)/students.length);
document.write("<br>");
if (avg < 60)
{
document.write("Grade : E");
}
else if (avg < 70)
{
document.write("Grade : D");
}
else if (avg < 80)
{
document.write("Grade : C");
}
else if (avg < 90)
{
document.write("Grade : B");
}
else if (avg < 100)
{
document.write("Grade : A");
}
</script>
</body>
</html>

22. Differentiate BETWEEN For-loop and For-in loop.


• for loop is a method available for arrays in JavaScript. It allows you to iterate over each
element in an array and perform a specific action for each element.

for(var i=1; i<=5; i++)


{
document.write("<p>The number is " + i + "</p>");
}

for...in loop:
o for...in loop is used to iterate over the properties of an object in JavaScript.
o The for...in loop allows you to access each property of an object. It iterates over the
enumerable properties of an object, and for each property, the loop assigns the property
name to the specified variable.
// An object with some properties
var person = {"name": "Clark", "surname": "Kent", "age": "36"};

// Loop through all the properties in the object


for(var prop in person) {
document.write("<p>" + prop + " = " + person[prop] + "</p>");
}

Difference :
a. First, the for...in can loop through both Arrays and Objects while the for...of can only loop
through Arrays, Map, Set, arguments object.

b. The second and the biggest difference between both of these statements are, by default,
the for...in iterates over property names and the for...of iterates over property values.

23. Write a JavaScript function that accepts string as a paramenter and find the length of the string.
<html>
<body>
<script type="text/javascript">
var str="HelloWorld";
document.write("The given string is:"+str);
document.write("<br>TheLength of given string is:"+str.length);
</script>
</body>
</html>
24. Explain getter and setter properties in JavaScript

Property getters and setters


• The accessor properties. They are essentially functions that work on
getting and setting a value.
• Accessor properties are represented by “getter” and “setter” methods. In
an object literal they are denoted by get and set.
let obj = {
get propName() {
// getter, the code executed on getting obj.propName
},
set propName(value) {
// setter, the code executed on setting obj.propName = value
}
};
• An object property is a name, a value and a set of attributes. The value may be replaced by one or
two methods, known as setter and a getter.
• When program queries the value of an accessor property, Javascript invoke getter method(passing
no arguments). The retuen value of this method become the value of the property access
expression.
• When program sets the value of an accessor property. Javascript invoke the setter method, passing
the value of right-hand side of assignment. This method is responsible for setting the property
value.
• If property has both getter and a setter method, it is read/write property.
• If property has only a getter method , it is read-only property.
• If property has only a setter method , it is a write-only property.
• getter works when obj.propName is read, the setter – when it is assigned.

<html>
<head>
<title>Functions</title>
<body>
<script language="Javascript">
var myCar =
{
/* Data properties */
defColor: "blue",
defMake: "Toyota",
/* Accessor properties (getters) */
get color()
{
return this.defColor;
},
get make()
{
return this.defMake;
},
/* Accessor properties (setters) */
set color(newColor)
{
this.defColor = newColor;
},
set make(newMake)
{
this.defMake = newMake;
}
};
document.write("Car color:" + myCar.color + " Car Make:
"+myCar.make)
/* Calling the setter accessor properties */
myCar.color = "red";
myCar.make = "Audi";
/* Checking the new values with the getter accessor properties */
document.write("<p>Car color:" + myCar.color); // red
document.write(" Car Make: "+myCar.make); //Audi
</script>
</head>
</body>
</html>

Chapter – II
25. Write the use of charAt() method and indexOf() method with syntax and example.
charAt()
• The charAt() method requires one argument i.e is the index of the character thatyou want
to copy.
Syntax:
var SingleCharacter = NameOfStringObject.charAt(index);
Example:
var FirstName = 'Bob';
var Character = FirstName.charAt(0); //o/p B
indexOf()
• The indexOf() method returns the index of the character passed to it as an
argument. If the character is not in the string, this method returns –1.
Syntax:
var indexValue = string.indexOf('character');

Example:
var FirstName = 'Bob';
var IndexValue = FirstName.indexOf('o'); //o/p index as 1

26. Difference between concat() and join() method of array with example.
concat() join()

Array elements can be combined byusing Array elements can be combined byusing join()
concat() method of Array object. method of Array object.
The concat() method separates eachvalue The join() method also uses a commato
with a comma. separate values, but you can specify a character
other than a comma to separate values.
Eg: Eg:
var str = cars.concat() var str = cars.join(' ')
The value of str is The value of str in this case is
'BMW, Audi, Maruti' 'BMW Audi Maruti'
27. Write a JavaScript code to display 5 elements of array in sorted order.
<html>
<body>
<h2>Sorting an Array element</h2>
<script>
a = new Array();
a[0]=10;
a[1]=50;
a[2]=40;
a[3]=20;
a[4]=30;
document.write("The elemnts in the array are<br/>")
for(i=0;i<a.length;i++)
{
document.write(a[i]+" ");
}
document.write("<br/><br/>The array is sorted<br\>");
a.sort();
document.write("<br/>The element in the array are<br\>");
for(i=0;i<a.length;i++)
{
document.write(a[i]+" ");
}
</script>
</body>
</html>

28. Write a JavaScript that will replace following specified value with another value in the string
String=”I will fail” replace “fail” by “pass”.
<html>
<head>
<body>
<script>
var myStr = ‘I will fail’;
var newStr = myStr.replace(fail, "pass");
document.write(newStr);
</script>
</body>
</head>
</html>

29. Write a JavaScript to check whether a passed string is palindrome or not


<html>
<body>
<h1>Palindrome</h1>
Enter String: <input type="text" id="txt" />
<input type="button" value="Check" onClick=checkPalindrome()/>
<p id="result"></p>
<script>
function checkPalindrome() {
var str = document.getElementById('txt').value;
const len = str.length;
var flag = 1;
for (var i = 0; i < len / 2; i++) {
if (str[i] !== str[len - 1 - i]) {
flag = 0;
}
}
if (flag == 1) {
document.getElementById("result").innerHTML = "It is a
palindrome";
}
else {
document.getElementById("result").innerHTML = "It is not a
palindrome";
}
}
</script>
</body>
</html>

30. Develop JavaScript to convert the given character to Unicode and vice-versa
• JavaScript String charAt() Method
• The JavaScript string charAt() method is used to find out a char value present at the specified index
in a string.
• The index number starts from 0 and goes to n-1, where n is the length of the string. The index value
can't be a negative, greater than or equal to the length of the string.
• Syntax
• The charAt() method is represented by the following syntax:
String.charAt(index)

Example1
<html>
<body>
<title>JavaScript String charAt() Method</title>
<script>
var str="Sandip Polytechnic";
document.writeln(str.charAt(4));
</script>
</body>
</html>

• JavaScript String charCodeAt() Method


• The JavaScript string charCodeAt() method is used to find out the Unicode value of a character at
the specific index in a string.
• The index number starts from 0 and goes to n-1, where n is the length of the string.
• It returns NaN if the given index number is either a negative number or it is greater than or equal
to the length of the string.
• Syntax : string.charCodeAt(index)
• Parameter : index - It represent the position of a character.
• Return : A Unicode value
<html>
<head>
<title>JavaScript String charCodeAt() Method</title>
</head>
<body>
<script type = "text/javascript">
var str = new String( "Sandip Polytechnic" );
document.write("str.charCodeAt(0) is:" + str.charCodeAt(0));
document.write("<br />str.charCodeAt(1) is:" + str.charCodeAt(1));
document.write("<br />str.charCodeAt(2) is:" + str.charCodeAt(2));
document.write("<br />str.charCodeAt(3) is:" + str.charCodeAt(3));
document.write("<br />str.charCodeAt(4) is:" + str.charCodeAt(4));
document.write("<br />str.charCodeAt(5) is:" + str.charCodeAt(5));
</script>
</body>
</html>

31. write a javascript function to generate fibonacci series till user defined limit
<html>
<head>
<title> Fibonacci Series in JavaScript </title>
</head>
<body>
<script>
// declaration of the variables
var n1 = 0, n2 = 1, next_num, i;
var num = parseInt (prompt (" Enter the limit for Fibonacci Series "));
document.write( "Fibonacci Series: ");
for ( i = 1; i <= num; i++)
{ document.write (" <br> " + n1); // print the n1
next_num = n1 + n2; // sum of n1 and n2 into the next_num

n1 = n2; // assign the n2 value into n2


n2 = next_num; // assign the next_num into n2
}

</script>
</body>
</html>

32. Write a JavaScript program that will remove the duplicate element from an array.
<html>
<head>
<script>
function getUnique(arr){
var uniqueArr = [];
// loop through array
for(let i of arr) {
if(uniqueArr.indexOf(i) === -1) {
uniqueArr.push(i);
}
}
document.write(uniqueArr);
}
var array = [1, 2, 3, 2, 3];
// calling the function
// passing array argument
getUnique(array);
</script>
</head>
<body></body>
</html>

33. Write and explain a string functions for converting string to number and number to string
Using the String() function
• This method accepts an integer or floating-point number as a parameter and converts it into
string type.
Syntax:
String(object);

• Using the parseInt() method: JavaScript parseInt() Method is used to accept the string and
radix parameter and convert it into an integer.
Syntax:
parseInt(Value, radix)

Converting String to Number


<html>
<body>
<p>parse different strings.</p>
<script>
function myFunction() {
var a = parseInt("10") + "<br>";
var b = parseInt("10.00") + "<br>";
var n = a + b;
document.writeln(n);
}
myFunction();
</script>
</body>
</html>

Converting Number to String


<html>
<head>
<title>JavaScript String toString() Method</title>
</head>
<body>
<script type = "text/javascript">
var str = "Welcome To Sandip Polytechnic";
document.write(str.toString( ));
</script>
</body>
</html>

Chapter – III

34. Explain prompt and confirm method of JavaScript with syntax and example
prompt()
• The prompt () method displays a dialog box that prompts the visitor for input.
• The prompt () method returns the input value if the user clicks "OK". If the user clicks "cancel"
the method returns null.
Syntax:
window.prompt (text, defaultText)
Example:
<html>
<script type="text/javascript">
function msg()
{
var v= prompt("Who are you?");
alert("I am "+v);
}
</script>
<input type="button" value="click" onclick="msg()"/>
</html>

confirm()
• It displays the confirm dialog box. It has message with ok and cancel buttons.
• Returns Boolean indicating which button was pressed

Syntax:
window.confirm("sometext");

Example :
<html>
<script type="text/javascript">
function msg()
{
var v= confirm("Are u sure?"); if(v==true){
alert("ok");
}
else{
alert("cancel");
}
}
</script>
<input type="button" value="delete record" onclick="msg()"/>
</html>

35. Write a JavaScript to modify the status bar using onmouseover and mouseout with links.when
the user moves his mouse over the link, it will display “MSBTE” in the status bar. When the user
moves his mouse away from the link the status bar will display nothing.
<html>
<head>
<title>JavaScript Status Bar</title></head>
<body>
<a href=" https://msbte.org.in/"
onMouseOver="window.status='MSBTE';return true"
onMouseOut="window.status='';return true">
MSBTE
</a>
</body>
</html>
36. Write a HTML script which displays 2 radio buttons to the users for fruits and vegetables and 1
option list. When user select fruits radio button list should present only fruits to the user & when
user select vegetables radio button option list should present only vegetables names to the user.
<html>
<head>
<title>HTML Form</title>
<script language="javascript" type="text/javascript">
function updateList(ElementValue)
{
with(document.forms.myform)
{
if(ElementValue == 1)
{
optionList[0].text="Mango";
optionList[0].value=1;
optionList[1].text="Banana";
optionList[1].value=2;
optionList[2].text="Apple";
optionList[2].value=3;
}
if(ElementValue == 2)
{
optionList[0].text="Potato";
optionList[0].value=1;
optionList[1].text="Cabbage";
optionList[1].value=2;
optionList[2].text="Onion";
optionList[2].value=3;
}
}
}
</script>
</head>
<body>
<form name="myform" action="" method="post">
<p>
<select name="optionList" size="2">
<option value=1>Mango
<option value=2>Banana
<option value=3>Apple
</select>
<br>
<input type="radio" name="grp1" value=1 checked="true"
onclick="updateList(this.value)">Fruits
<input type="radio" name="grp1" value=2
onclick="updateList(this.value)">Vegetables
<br>
<input name="Reset" value="Reset" type="reset">
</p>
</form>
</body>
</html>
37. Describe how to evaluate checkbox selection. Explain with suitable example.
Evaluating Checkbox Selection:
• A checkbox is created by using the input element with the
type=”checkbox” attribute-value pair.
• A checkbox in a form has only two states(checked or un-checked) and is independent of the
state of other checkboxes in the form.
• Check boxes can be grouped together under a common name.
• You can write JavaScript function that evaluates whether or not a check box was selected
and then processes the result according to the needs of your application.
• Following example make use of five checkboxes to provide five options to the user regarding
fruit.

<html>
<head>
<title>HTML Form</title>
<script language="javascript" type="text/javascript">
function selection()
{
var x ="You selected: ";
with(document.forms.myform)
{
if(a.checked == true)
{
x+= a.value+ " ";
}
if(b.checked == true)
{
x+= b.value+ " ";
}
if(o.checked == true)
{
x+= o.value+ " ";
}
if(p.checked == true)
{
x+= p.value+ " ";
}
if(g.checked == true)
{
x+= g.value+ " ";
}
document.write(x);
}
}
</script>
</head>
<body>
<form name="myform" action="" method="post">
Select Your Favourite Fruits: <br>
<input type="checkbox" name="a" value="Apple">Apple
<input type="checkbox" name="b" value="Banana">Banana
<input type="checkbox" name="o" value="Orange">Orange
<input type="checkbox" name="p" value="Pear">Pear
<input type="checkbox" name="g" value="Grapes">Grapes
<input type="reset" value="Show" onclick="selection()">
</form>
</body>
</html>
</form>
</body>
</html>
SANDIP FOUNDATIONS
SANDIP POLYTECHNIC,NASHIK
Academic Year(2023-24)
Question bank for Unit Test–II

Name of Subject: Client Side Scripting(22519) Sem: ODD

2 Marks Questions
Chapter – IV
1. State any two properties and methods of location object.
Location Object Properties
Property Description

hash Sets or returns the anchor part (#) of a URL

host Sets or returns the hostname and port number of a URL

hostname Sets or returns the hostname of a URL

href Sets or returns the entire URL

origin Returns the protocol, hostname and port number of a URL

pathname Sets or returns the path name of a URL

port Sets or returns the port number of a URL

protocol Sets or returns the protocol of a URL

search Sets or returns the query string part of a URL

Location Object Methods


Method Description

assign() Loads a new document

reload() Reloads the current document

replace() Replaces the current document with a new one

2. Give syntax of and explain the use of “with” statement/clause in JavaScript using suitable example.
The with statement extends the scope chain for a statement.
Syntax
with (expression)
statement
expression:Adds the given expression to the scope chain used when evaluating the
statement. The parentheses around the expression are required.
Statement: Any statement. To execute multiple statements, use a block statement
({ ... }) to group those statements.
Example:
with document
{
write('foo');
body.scrollTop = x;
}
3. Enlist and explain the use of any two Intrinsic JavaScript functions.
•They are the in built functions which can be used with JavaScript objects
•Various objects supported by JavaScript include document, window, Date , Math , Array, String etc.
•The JavaScript provides the intrinsic functions for submit or reset button. One can use these
functionalities while submitting the form or resetting the form fields.
• The submit() method of the form object can be used to send the form to the server in exactly same way
as id the user has pressed the submit button.
1. getDate() :- This method returns the day of the month for the specified date
according to local time.
syntax:object.getDate();
2. max():-This method returns the largest of zero or more numbers.
Syntax:-max(obj1,obj2);
<html>
<body>
<formname="myform">
Roll No:<input type="text" name="roll"/>
<br/><br/>
Name :<input type="text" name="name"/>
<br/><br/>
<imsrc="submit.gif" onclick="javascript.document.forms.myform.submit()"/>
<br/><br/>
</form>
</body>
</html>

4. State and explain what is a session cookie ?


• A cookie which does not have an expiration date associated with it is called as asession cookie.
• This cookie gets deleted when the browser is closed.
• Eg: a session cookie can be used for storing the items added to a cart in case of shopping websites like
amazon, flipkartetc

5. Differentiate between session cookies and persistent cookies.


a) Session cookies
• Session cookies are stored in memory and never written to disk.
• When the browser close the cookie is permanently lost from this point on.
• If the cookie contains an expiration date, it is considered a persistent cookie.
• On the date specified in the expiration, the cookie will be removed from the disk.

b) Permanent cookies
• Permanent cookies, also known as 'persistent cookies', remain in operation even after the web browser
has closed.
• For example, they can remember login details and passwords so web users don't need to re-enter them
every time they use a site.
• The law states that permanent cookies must be deleted after 12 months.

6. State any two properties and methods of history object.


History Object Properties
• Next - It returns the URL of the next document in the History object.
• Previous - It returns the URL of the previous document in the history object.
History Object Methods
• back () - It loads the previous URL in the history list.
• forward () - It loads the next URL in the history list.
7. State any two properties and methods of location object.
Location Object Properties
• href - Sets or returns the entire URL.
• pathname - Sets or returns the path name of a URL.
Location Object Methods
• reload () - It reloads the current document.
• replace () - It replaces the current document with a new one.

8. state any four properties of Navigator object


• The JavaScript navigator object is used for browser detection, it can be used to get browser information
such as appName, appCodeName, userAgent, etc. Navigator object is a window property so it can be
accessed by the "window. navigator" or "navigator".

No. Property Description

1 appName returns the name

2 appVersion returns the version

3 appCodeName returns the code name

4 cookieEnabled returns true if cookie is enabled otherwise false

5 userAgent returns the user agent

6 language returns the language. It is supported in Netscape and


Firefox only.

<<html>
<head>
<title>navigator objet</title>
</head>
<body>
<script>
document.writeln("<br/>navigator.appCodeName : " + navigator.appCodeName);
document.writeln("<br/>navigator.appName : " + navigator.appName);
document.writeln("<br/>navigator.appVersion : " + navigator.appVersion);
document.writeln("<br/>navigator.cookieEnabled : " +
navigator.cookieEnabled);
document.writeln("<br/>navigator.language : " + navigator.language);
document.writeln("<br/>navigator.userAgent : " + navigator.userAgent);
document.writeln("<br/>navigator.platform : " + navigator.platform);
document.writeln("<br/>navigator.onLine : " + navigator.onLine);
</script>
</body>
</html>
Chapter – V
9. State the method to put message in web browser status bar?
• The status property of the Window interface was originally intended to set the text in the status bar at
the bottom of the browser window.

<html>
<head>
<script type="text/javascript">
window.status="Welcome to status bar.This is static message";
</script>
</head>
<body>
<h3><p>Building static message in status bar.</p></h3>
</body>
</html>
• In the above program window.status="Welcome to status bar.This is static message"; is a static
message.
• The status property of window object is used to display static message in status bar

10. Construct regular expression for validating the Aadhar Number in following format
only : (nnn)-nnnn-nnnn OR nnn.nnnn.nnnn
• /^\(?([0-9]{3})\)?[-. ]?([0-9]{4})[-. ]?([0-9]{4})$/;

OR

<html>
<head><title>Validation</title>
<script language="javascript">
function validate()
{
Var adhar = document.myform.adhar.value;
var regex = /^\d{4}\.\d{4}\.\d{4}$|^\d{4}\-\d{4}\-\d{4}$/g
if(!regex.test(adhar))
{
alert("invalid adhar card number");
}
else
{
alert("Valid adhar card number");
}
}
</script>
</head>
<body>
<form name="myform" onSubmit="validate()">
Enter User Name : <input type="text” name=”user"><br><br>
Enter Adhar Card : <input type="text" name="adhar"><br>
<input type="submit">
</form>
</body>
</html>
11. Write a JavaScript to validate zip code (pin code) using regular expression.
(Rules: first 2 digits should start with 40-44)

<!DOCTYPE html>
<html>
<body onload="document.form1.text1.focus()">
<div class="zip">
<form name="form1" action="#">
Enter Zip Code: <input type="text" name="text1" />
<input type="submit" class="validate" name="validate" value="Validate"
onclick="ValidateZip(document.form1.text1)"/>
</form>
</div>
<script>
function ValidateZip(input) {
var validRegex = "^[4]{1}[0-4]{1}[0-9]{4}$";
if (input.value.match(validRegex)) {
alert("Valid Zip Code.");
}
else {
alert("Invalid Zip Code!");
}
}
</script>
</body>
</html>

12. Write a JavaScript program to changing the contents of a window.


• We can change the content of whole window using document.write() function.
• This function is used to override the content of the webpage.
• In above program "<h3><p>After clicking the button:new content</p></h3>" statement is used to
change whole content of the webpage.

<html>
<head>
<script type="text/javascript">
Function changecontent()
{
document.write("<h3><p>After clicking the button:new content</p></h3>")
}
</script>
</head>
<body>
<p>Click to change the content of whole window</p>
<input type="button" value="Change Content" onclick="changecontent()"/>
<h3><p id="para">Before Clicking the Button:Old Content</p></h3>
</body>
</html>
13. Write 4 attributes of <frameset> with meaning and example.
i. cols - Specifies how many columns are contained in the frameset and the size of each column.
For example, to create three vertical frames, use cols = "100, 500, 100".
ii. rows - This attribute works just like the cols attribute and takes the same values, but it is used to specify
the rows in the frameset.
For example, to create two horizontal frames, use rows = "10%, 90%".
iii. border - This attribute specifies the width of the border of each frame in pixels.
For example, border = "5". A value of zero means no border.
iv. frameborder - This attribute specifies whether a three-dimensional border should be displayed between
frames. This attribute takes value either 1 (yes) or 0 (no).
For example, frameborder = "0" specifies no border.

14. Write a JavaScript syntax to accessing elements of another child window.


• We can access the elements of child window from another child window.
• The element of child window from another child window. If we want to change the name of button,
then it is possible to change the name of button from another child window.
• In the above program parent.frame2222.document.getElementById("para") us used to access that<p>
tag from first frame.
• We access one frame from another frame using frame name followed by parent property
i.e.parent.frame2222
<html>
<framesetcols="25%,75%">
<frame src="frame1111.html"/>
<frame src="frame2222.html"/>
</frameset>
</html>

<html>
<head>
<script>
function display()
{
parent.frame2222.document.getElementById("para").innerHTML="Element of frame
2 is accessed from frame1";
}
</script>
</head>
<body>
<h4>Frame 1</h4>
<input type="button" name="button1" value="Click" onclick="display()"/>
</body>
</html>

<html>
<body>
<h4>Frame 2</h4>
<p id="para">Frame 2 content</p>
</body>
</html>
Chapter – VI
15. Explain frameworks of JavaScript and its application.
• JS frameworks are JavaScript programming libraries that have pre-written code to use for standard
programming functions and tasks.
• It’s a framework to create websites or web applications around.
• First and foremost, it will increase your productivity. Think of it as a workaround of sorts: you have to
write fewer code manually because there are already pre-written and ready-to-use functions and
patterns.
• Some components of the website do not need to be custom-made, so you can build and expand on pre-
built ones.
• Frameworks are more adaptable for website design and most website developers prefer it. Let’s take a
look at the best JS Frameworks.
a. ReactJs
b. Angular
c. Vue.js
d. jQuery
e. Backbone.js
f. Node.js
g. Ember.js
h. Meteor
i. Polymer
j. Aurelia

16. Write a JavaScript program that create a scrolling text on the status line of a window. We can show a
message scrolling in status bar by assigning the spaces and the message to the status bar in time
interval
<html>
<head>
<title>Scrolling Text</title>
<script language="JavaScript">
Var scrollPos = 0
Var maxScroll = 100
var blanks = ""

function scrollText(text, milliseconds)


{
window.setInterval("displayText('"+text+"')", milliseconds)
}

Function displayText(text) {
window.defaultStatus = blanks + text
++scrollPos
blanks += " "
if(scrollPos>maxScroll) {
scrollPos = 0
blanks = ""
}
}
</script>
</head>
<body onload="scrollText('Watch this text scroll!!!', 300)">
<p>Watch the text scroll at the bottom of this window!</p>
</body>
</html>
• In the above program window.setInterval("displayText('"+text+"')",milliseconds) is used to set the
scrolling message.
• Thesetinterval() function is used to set the message after milliseconds.
• The text will send to the function displaytext() function, this function is called after milliseconds defined
in setinterval() function.
• After calling the displaytext() function, the statement window.defaultStatus=blank + text is executed.
• In which the status of the window is changed by setting the new text to defaultstatusproperty of
window object

17. Develop a JavaScript Program to Create Rotating Banner Ads with URL Links.
OR
Write a JavaScript program to link banner advertisements to different URLs.
<html>
<head>
<script language="Javascript">
MyBanners=new Array('banner1.jpg','banner2.jpg','banner3.jpg','banner4.jpg')
MyBannerLinks=new Array('http://www.amazon.in/', 'http://www.flipkart.in/',
'http://aliexpress.in/','http://olx.in/')
banner=0
function ShowLinks()
{
document.location.href=MyBanner Links[banner]
}
Function ShowBanners()
{
if (document.images)
{
banner++
if (banner==MyBanners.length)
{
banner=0
}
document.ChangeBanner.src=MyBanners[banner]
setTimeout("ShowBanners()",5000)
}
}
</script>
<body onload="ShowBanners()">
<center>
<a href="javascript: ShowLinks()">
<imgsrc="banner1.jpg"width="900"height="120"name="ChangeBanner"/></a>
</center>
</body>
</html>

18. List ways of protecting your web page and describe any one of them.
Ways of protecting Web Page:
1. Hiding your source code
2. Disabling the right Mouse Button
3. Hiding JavaScript
4. Concealing E-mail address.
There are 2 ways of protecting webpage:
1. Disabling right click: The source code of a web page can be viewed by clicking rightmouse button on
the webpage. Anyone can see the source code of a webpage which isnot safe. We can hide the code by
disabling right mouse click on webpage. Hiding sourcecode is nothing but protecting the source code
by viewing other users.
JavaScript for Disabling right click
<script>
document.addEventListener('contextmenu',event=>event.preventDefault())
</script>

2. Concealing email address:It means hiding email address from unauthorized user. It ispossible with the
use of JavaScript.
JavaScript for concealing email address
function (user_email)
{
varavg, splitted, part1, part2;
splitted = user_email.split("@");
part1 = splitted[0];
avg = part1.length / 2;
part1 = part1.substring(0, (part1.length - avg));
part2 = splitted[1];
alert(part1 + "...@" + part2);
};

19. Explain preventDefault () with example.


• The preventDefault() method cancels the event if it is cancelable, meaning that the default action that
belongs to the event will not occur.
This can be useful when:
• Clicking on a "Submit" button, prevent it from submitting a form.
• Clicking on a link, prevent the link from following the URL.

Syntax: event.preventDefault()
Example:
<!DOCTYPE html>
<html>
<body>
<a id="google" href="https://google.com/"> Go to Google </a>
<script>
document.getElementById("google").addEventListener
("click",function(event) {event.preventDefault();});
</script>
</body>
</html>

4 Marks
QuestionsChapter – IV
20. Describe, how to read cookie value and write a cookie value. Explain with example.
OR
Write a JavaScript program to create read, update and delete cookies.
OR
Describe, how to read cookie value and write a cookie value. Explain with example.

Cookies are a plain text data record of 5 variable-length fields −


• Expires − The date the cookie will expire. If this is blank, the cookie will expire when the visitor
quits the browser.
• Domain − The domain name of your site.
• Path − The path to the directory or web page that set the cookie. This may be blank if you want to
retrieve the cookie from any directory or page.
• Secure − If this field contains the word "secure", then the cookie may only be retrieved with a
secure server. If this field is blank, no such restriction exists.
• Name=Value − Cookies are set and retrieved in the form of key-value pairs

• JavaScript can create, read, and delete cookies with the document.cookie property.
• With JavaScript, a cookie can be created like this:
document.cookie = "username=student";
• You can also add an expiry date (in UTC time). By default, the cookie is deleted when the browser is
closed:
document.cookie="username=student;expires=Thu,18 Dec2013 12:00:00 UTC";
• With a path parameter, you can tell the browser what path the cookie belongs to. By default, the cookie
belongs to the current page.
document.cookie = "username=student; expires=Thu, 18 Dec 2013 12:00:00 UTC; path=/";

Write a JavaScript for creating a cookie for the user name


<html>
<head>
<script type="text/javascript">
Function createcookie()
{
with(document.form1)
{
Var cookie_value=username.value;
document.cookie="username="+cookie_value;
alert("Cookie is Created");
}
}
</script>
</head>
<body>
<form name="form1">
Enter Name:<input type="text" name="username"/>
<input type="button" value="Create Cookie" onclick="createcookie()"/>
</form>
</body>
</html>

• With JavaScript, cookies can be read like this:


var x = document.cookie;
• document.cookie will return all cookies in one string much like:
cookie1=value; cookie2=value; cookie3=value;

• Change a Cookie with JavaScript


• With JavaScript, you can change a cookie the same way as you create it:
document.cookie = "username=student; expires=Thu, 18 Dec 2013 12:00:00 UTC; path=/";
• The old cookie is overwritten.
• Reading a cookie is just as simple as writing one, because the value of the document.cookie object is the
cookie.
• So you can use this string whenever you want to access the cookie.
• The document.cookie string will keep a list of name=value pairs separated by semicolons,
where name is the name of a cookie and value is its string value.
• You can use strings' split() function to break a string into key and values as follows −
<html>
<head>
<script type = "text/javascript">
Function ReadCookie()
{ //assigning the cookie string to the variable
var cookies = document.cookie;
document.write ("All Cookies : " + cookies );
//spliting the cookie pairs in an array
Var cookiearray = cookies.split(';');
//getting name=value pair from array
for(var i=0; i<cookiearray.length; i++)
{ //gettting each name=value pair in a variable
Var cookie_pair=cookiearray[i];
//getting name and value in an array from and value pair
Var name_value_array = cookie_pair.split('=');
//getting name from array
var name=name_value_array[0];
//getting value from array
var value = name_value_array[1];
document.write("<br>Name is : " + name + " and Value is : " + value);
} }
</script>
</head>
<body>
<p> click the following button to get the cookies:</p>
<inputtype = "button" value = "Get Cookie" onclick = "ReadCookie()"/>
</body>
</html>

• Deleting a cookie is very simple.


You don't have to specify a cookie value when you delete a cookie.
Just set the expires parameter to a passed date:
document.cookie = "username=; expires=Thu, 01 Jan 1970 00:00:00 UTC; path=/;";
You should define the cookie path to ensure that you delete the right cookie.
Some browsers will not let you delete a cookie if you don't specify the path.
<html>
<head>
<scripttype = "text/javascript">
Function deleteCookie()
{
var cookie_value=username.value;
document.cookie="username="+cookie_value+";expires=Thu, 01 Jan 1970
00:00:01 GMT";
alert("Cookie is deleted")
}
</script>
</head>
<body>
Enter Username:<input type="text" id="username">
<input type = "button" value = "Delete Cookie" onclick = "deleteCookie()">
</body>
</html>
OR
Write cookie
You can create cookies using document.cookie property like this:
document.cookie = "cookiename=cookievalue"

// Set the cookie by assigning the string to the document.cookie property


document.cookie = userPreferencesCookie;

Read cookie
You can access the cookie like this which will return all the cookies saved
for the current domain.
var x = document.cookie

// Get the string of all cookies


var allCookies = document.cookie;

// Split the string into individual name-value pairs


var cookiePairs = allCookies.split(";");

// Find the pair that corresponds to the "user_preferences" cookie


var userPreferencesCookie = cookiePairs.find(pair =>
pair.startsWith("user_preferences="));

// Extract the value from the pair


var userPreferences = userPreferencesCookie.split("=")[1];
You can create cookies using document.cookie property like this:
document.cookie = "cookiename=cookievalue"

// Set the cookie by assigning the string to the document.cookie property


document.cookie = userPreferencesCookie;

Delete cookie
To delete a cookie, you just need to set the value of the cookie to empty and set the
value of expires to a passed date.
document.cookie = "cookiename= ; expires = Thu, 01 Jan 1970 00:00:00 GMT"
For example, let's say you want to delete the "user_preferences" cookie that was
created earlier. You could use the following code to do so:

// Create the string representing the cookie, including an expiration date in the past
var userPreferencesCookie = "user_preferences=; expires=Thu, 01 Jan 1970 00:00:00
UTC";

// Set the cookie by assigning the string to the document.cookie property


document.cookie = userPreferencesCookie;
21. Explain open() method of window object with syntax and example.
• The open() method of window object is used to open a new window and loads the document
specified by a given URL.
MyWindow = window.open()

• The open() method returns a reference to the new window, which is assigned to the
MyWindow variable. You then use this reference any time that you want to do something
with the window while your JavaScript runs.
• A window has many properties, such as its width, height, content, and name—to mention a
few. You set these attributes when you create the window by passing them as parameters
to the open() method:
• The first parameter is the full or relative URL of the web page that will appear in the new
window.
• The second parameter is the name that you assign to the window.
• The third parameter is a string that contains the style of the window.

• We want to open a new window that has a height and a width of 250 pixels and displays an
advertisement that is an image. All other styles are turned off.

Syntax:
MyWindow = window.open(‘webpage1.html’, 'myAdWin', 'status=0, toolbar=0,
location=0, menubar=0, directories=0, resizable=0, height=250,
width=250')

Example:
<!DOCTYPE html>
<html>
<body>
Click the button to open new window <br><br>
<button onclick="window.open ('https://www.google.com', 'Google',
'width=520,
height=650, status')"> Open Window </button>
</body>
</html>

22. Write a JavaScript that creates a persistent cookies of Item names. Write appropriate HTML script
for the same.
OR
Explain how to create and read Persistent Cookies in JavaScript with example.
• Permanent cookies
• Permanent cookies, also known as 'persistent cookies', remain in operation even after the web browser
has closed.
• For example, they can remember login details and passwords so web users don't need to re-enter them
every time they use a site. The law states that permanent cookies must be deleted after 12 months.

<html>
<head><title>Persistent Cookie</title>
<script language="javascript">
Function createcookie()
{
var name=form1.nm.value;
var c1 = form1.s1.options[form1.s1.selectedIndex].value
var c2 = form1.s2.options[form1.s2.selectedIndex].value
var d = new Date();
d.setMonth(d.getMonth()+1);
cookievalue="user="+name+",item1="+c1
+",item2="+c2+";expires="+d.toUTCString();
alert("Cookie Created");
}
</script>
</head>
<body>
<form name="form1" onsubmit="createcookie()">
Enter name:<input type="text"name="nm"><br>
Select item-1 <selectname="s1">
<option> CD </option>
<option> DVD </option>
<option> BluRay</option>
<option> Pen drive </option>
</select>
Select item-2 <select name="s2">
<option> C Prog</option>
<option> C++ Prog</option>
<option> Java</option>
<option>DotNet</option>
</select>
<input type="Submit" value="Submit">
</form>
</body>
</html>

23. Write HTML Script that displays textboxes for accepting Name, middle name, Surname of the user
and a Submit button. Write proper JavaScript such that when the user clicks on submit button
a. alltexboxes must get disabled and change the color to “RED”. and with respective labels.
b. Constructs the mailID as <name>.<surname>@msbte.com and displays mail ID as message. (Ex.
If user enters Rajni as name and Pathak as surname mailID will be constructed as
rajni.pathak@msbte.com)
<html>
<head>
<script>
function a()
{
document.getElementById("fname").disabled=true;
document.getElementById("mname").disabled=true;
document.getElementById("sname").disabled=true;
fname.style.backgroundColor = "red";
mname.style.backgroundColor = "red";
sname.style.backgroundColor = "red";
var firstName = fname.value;
var lastName = sname.value;
var email = firstName +"."+ lastName +"@msbte.com";
alert(email);
}
</script>
</head>
<body>
<form id="myform">
Enter First Name: <input type="text" id="fname"><br>
Enter Middle Name: <input type="text" id="mname"><br>
Enter Sur Name: <input type="text" id="sname"><br>
<input type="button" value="Submit" onclick="a()"><br>
</form>
</body>
</html>

24. Write a webpage that displays a form that contains an input for Username and password. User is
prompted to enter the input and password and password becomes value of the cookie. Write The
JavaScript function for storing the cookie . It gets executed when the password changes.
<html>
<head><title>Cookie</title>
<script language="javascript">
function store()
{
var user = document.form1.user.value
var pass = document.form1.pass.value
var cookieinfo = "username="+user+",password="+pass;
document.cookie = cookieinfo
alert(document.cookie + " Stored");
}
</script>
</head>
<body>
<form name="form1" onsubmit="store()">
Enter username <input type="text" name="user">
Enter password <input type="password" name="pass" onchange="store()">
<input type="submit" value="Submit">
</form>
</body>
</html>

25. Write html code to design a form that displays two buttons START and STOP. Write a JavaScript
code such that when user clicks on START button, real time digital clock will be displayed on
screen. when user clicks on STOP button, clock will stop displaying time
<html>
<body>
<div id="MyClockDisplay" class="clock">
</div>
<style>
body {
background: black;
}
.clock {
position: absolute;
top: 50%;
left: 50%;
transform: translateX(-50%) translateY(-50%);
color: #17D4FE;
font-size: 60px;
font-family: Orbitron;
letter-spacing: 7px;
}
</style>
<script>
function showTime()
{
var date=new Date();
var h=date.getHours(); // 0 - 23
var m=date.getMinutes(); // 0 - 59
var s=date.getSeconds(); // 0 - 59
var session="AM";

if(h==0)
{
h=12;
}

if(h>12)
{
h=h-12;
session="PM";
}

h=(h<10)?"0"+h:h;
m=(m<10)?"0"+m:m;
s=(s<10)?"0"+s:s;

var time=h+":"+m+":"+s+" "+session;


document.getElementById("MyClockDisplay").innerText=time;
document.getElementById("MyClockDisplay").textContent=time;

setTimeout(showTime,1000);
}

function stopTime()
{

var h="00";
var m="00";
var s="00";
var session="AM";
var time=h+":"+m+":"+s+" "+session;
document.getElementById("MyClockDisplay").innerText=time;
document.getElementById("MyClockDisplay").textContent=time;
}

</script>
<input type="button" value="START" onclick="showTime()"/>
<input type="button" value="STOP" onclick="stopTime()"/>

</body>
</html>

Chapter – V
26. State what is regular expression. Explain its meaning with the help of a suitable example.
• A regular expression is a sequence of characters that forms a search pattern.
• When you search for data in a text, you can use this search pattern to describewhat you are searching
for.
• A regular expression can be a single character, or a more complicated pattern.
• Regular expressions can be used to perform all types of text search and textreplace operation
Syntax
/pattern/modifiers;
Example
var patt = /w3schools/I
Example explained:
• /w3schools/i is a regular expression.
• w3schools is a pattern (to be used in a search).
• i is a modifier (modifies the search to be case-insensitive).
Modifiers
Modifiers are used to perform case-insensitive and global searches:
Modifier Description

g Perform a global match (find all matches rather than stopping after the first match)

i Perform case-insensitive matching

m Perform multiline matching


<html>
<head>
<script type="text/javascript">
var p=/student/i
function testMatch()
{
Var str = textfield.value;
if(p.test(str))
{
alert("The String "+str+" contains the given pattern");
}
else
{
alert("The String "+str+" does not contains the given pattern");
}}
</script>
</head>
<body>
<h3><p>Checking the availability of string</p></h3>
Enter the String<input type="text" id="textfield"/>
<input type="button" value="check" onclick="testMatch();"/>
</body>
</html>

27. Describe regular expression. Explain search () method used in regular expression with suitable
example.
Regular expression - A regular expression is a sequence of characters that specifies a
search pattern in text.

search () - The search () method searches a string for a specified value and returns the position of the
match. The search value can be string or a regular expression. This method returns -1 if no match is
found.

Syntax: string.search (searchvalue)

<html>
<body>
<h1>JavaScript String Methods</h1>
<p>Search a string for "W3Schools", and display the position of the
match:</p>
<p id="demo"></p>
<script>
let text = "Visit W3Schools!";
let n = text.search("W3Schools");
document.getElementById("demo").innerHTML = n;
</script>
</body>
</html>

28. Explain test() and exec() method of Regular Expression object with example.
The exec() method
The exec() method makes a search for the specified match of the string in the given string. If the match
of the string is present in the given string it returns an array and if the match is not found in the given
string, then it returns a null value.
In other words, The exec() method takes a string as the parameter. This string is which is to be checked
for match in the given string.

Syntax
This is the syntax of the exec() method of regular expressions in JavaScript −
regularExpressionObj.exec(string)

Example
<html>
<body>
<p>click to get exec() method output</p>
<button onclick="findMatch()">Search</button>
<p id="tutorial"></p>
<script>
function findMatch() {
var txt ="Learning regular expressions in JavaScript";
var search1 = new RegExp("JavaScript");
var search2 = new RegExp("Abdul")
var res1 = search1.exec(txt);
var res2 = search2.exec(txt);
document.getElementById("tutorial").innerHTML ="Given string
is:"+txt +"<br>"+ "Specific word to match are:"+search1+"
"+search2+"<br>"+"Result of two search keys: "+res1+" "+res2
}
</script>
</body>
</html>

The test() method


• The test() method makes a search for the specified match of the string in the given string.
• The difference in between exec() and test() method is that the exec() method will return the specified
match if present or null if not present in the given string whereas the test() method returns a Boolean
result i.e., true if the specified match is present or else returns false if it is not present.

Syntax
This is the syntax of the test() method in JavaScript −
regularExpressionObj.test(string)
This also takes the given input string as the parameter and returns the Boolean result.
Example
<html>
<body>
<p>click to get exec() method output</p>
<button onclick="findMatch()">Search</button>
<p id="tutorial"></p>
<script>
function findMatch() {
var txt ="Learning regular expressions in JavaScript";
var search1 = new RegExp("JavaScript");
var search2 = new RegExp("Abdul")
var res1 = search1.test(txt);
var res2 = search2.test(txt);
document.getElementById("tutorial").innerHTML ="Given string
is:"+txt+"<br>"+ "Specific word to match are:"+search1+"
"+search2+"<br>"+"Result of two search keys: "+res1+" "+res2
}
</script>
</body>
</html>

29. Write a JavaScript program to validate email ID of the user using regular expression.
<html>
<body onload="document.form1.text1.focus()">
<div class="mail">
<form name="form1" action="#">
Enter your email address: <input type="text" name="text1" />
<input type="submit" class="validate" name="validate" value="Validate"
onclick="ValidateEmail(document.form1.text1)"/>
</form>
</div>
<script>
function ValidateEmail(input) {
var validRegex = /^[a-zA-Z0-9.!#$%&'*+/=?^_`{|}~-]+@[a-zA-Z0-9-]+(?:\.[azA-
Z0-9-]+)*$/;
if (input.value.match(validRegex)) {
alert("Valid email address!");
}
else {
alert("Invalid email address!");
}}
</script>
</body>
</html>

30. Write a JavaScript function to check whether a given value is valid IP value or not
<html>
<head>
<title>IP address validation</title>
<script type='text/javascript'>
function validate( value ) {
const regexExp = /^(([0-9]|[1-9][0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-
5])\.){3}([0-9]|[1-9][0-9]|1[0-9]{2}|2[0-4][0-9]|25[0-5])$/gi;

if(regexExp.test(value))
{
alert("It is a valid IP Address");
}
else
{
alert("It is a not valid IP Address");
}}
</script>
</head>
<body>
Address: <input type='text' onchange='validate(this.value)'>
</body>
</html>

31. Explain text rollover with suitable example.


• We can change the appearance of the webpage by using mouse rollover.
• When mouse is moved to any element of webpage, the appearance of that element will be changed.
• If the mouse cursor is moved to an image, then image appearance related effect can take place.
• It is also applicable to button, label, table etc.
• Rollover is used to improve user experience and quality of webpages.

Creating Rollover
• To create rollover we use ’onmouseover’ event.
• When the mouse pointer is moved onto an element, onto one of its children, the mouseover element is
occurred.
• The onmouseover event is generally used with the ‘onmouseout’.
• When the mouse pointer is moved out of the element, the onmouseout element is occurred.

<html>
<body>
<p onmouseover="this.style.color='red'"
onmouseout="this.style.color='blue'">
Move the mouse over this text to change its color to red. Move the mouse away
to
change the text color to blue.
</p>
</body>
</html>

32. Write a JavaScript program to create rollover effect for three images.
• You create a rollover for text by using the onmouseover attribute of the <A> tag, which is the anchor
tag.
• You assign the action to the onmouseover attribute the same way as you do with an <IMG> tag.
• Let's start a rollover project that displays a flower titles.
• Additional information about a flower can be displayed when the user rolls the mouse cursor over the
flower name.
• In this example, the image of the flower is displayed. However, you could replace the flower image
with an advertisement or another message that you want to show about the flower.

<html>
<body>
<h1>Image Rollover</h1>
<a><IMG src='apples.gif' height="92" width="70" border="0"
onmouseover=" src='apples.gif'" onmouseout="src='redstar.gif'"></a>
<a><IMG src='ND1.png' height="92" width="70" border="0"
onmouseover="src='ND1.png'" onmouseout="src='M1.png' "></a>
<a><IMG src='M1.png' height="92" width="70" border="0"
onmouseover="src='M1.png' " onmouseout="src='B.png' "></a>
</body>
</body>
</html>

OR

<!DOCTYPE html>
<html>
<body>
<img height="500" src="apple.jpg" width="500" name="clr"> <br>
<a onmouseover="document.clr.src='apple.jpg'"> Apple </a> <br>
<a onmouseover="document.clr.src='mango.jpg'"> Mango </a> <br>
<a onmouseover="document.clr.src='orange.jpg'"> Orange </a>
</body>
</html>

33. Write a JavaScript program to design HTML page with books information in tabular format, use
rollovers to display the discount information.
<!DOCTYPE html>
<html>
<body>
<table border="1">
<tr>
<th> Book </th>
<th> Price </th>
</tr>
<tr
onmouseover="document.getElementById('discount').innerHTML='Discount: 15%'">
<td> CSS </td>
<td> 230 </td>
</tr>
<tr
onmouseover="document.getElementById('discount').innerHTML='Discount: 10%'">
<td> AJP </td>
<td> 240 </td>
</tr>
<tr
onmouseover="document.getElementById('discount').innerHTML='Discount: 12%'">
<td> OSY </td>
<td> 260 </td>
</tr>
</table>
<p id="discount"></p>
</body>
</html>

34. Write a java script that displays textboxes for accepting name & email ID & a submit button.
Write java script code such that when the user clicks on submit button
a. Name Validation
b. Email ID Validation.

<html>
<body>
<form action="#" name="myForm" onsubmit="validate()">
Name: <input type="text" name="name" /> <br><br>
Email: <input type="text" name="email" /> <br><br>
<input type = "submit" value = "Submit" />
</form>
<script>
function validate() {
if( document.myForm.name.value == "" ) {
alert("Please provide your name!");
return false;
}
var emailID = /^[a-zA-Z0-9.!#$%&'*+/=?^_`{|}~-]+@[a-zA-Z0-9-]+(?:\.[a-zAZ0-
9-]+)*$/;
if( document.myForm.email.value == "" ) {
alert("Please provide your Email!");
}
else if (document.myForm.email.value.match(emailID)) {
alert("Valid Name and Email.");
}
else{
alert("Please enter valid email ID!");
}
}
</script>
</body>
</html>

35. Write a script for creating following frame structure

FRUITS, FLOWERS AND CITIES are links to the webpage fruits.html,flowers.html, cities.html
respectively. When these links are clicked corresponding data appears in FRAME 3.
OR
Write a script for creating following frame structure:
Frame 1 contains three button SPORT, MUSIC and DANCE that will perform following action:
When user clicks SPORT button, sport.html webpage will appear in Frame 2.
When user clicks MUSIC button, sport.html webpage will appear in Frame 3.
When user clicks DANCE button, sport.html webpage will appear in Frame 4.

<html>
<head>
<title>Frame Demo</title>
</head>
<body>
<table border="1">
<tr>
<td align="center" colspan="2"> FRAME 1
</td>
</tr>
<tr>
<td> FRAME 2
<ul>
<li>
<a href="fruits.html" target="mainframe">FRUITS</a>
</li>
<li>
<a href="flowers.html" target="mainframe">FLOWERS</a>
</li>
<li>
<a href="cities.html" target="mainframe">CITIES</a>
</li>
</ul>
</td>
<td>
FRAME 3<BR>
<iframe name="mainframe"></iframe>
</td>
</tr>
</table>
</body>
</html>

Chapter – VI
36. Create a slideshow with the group of three images, also simulate next and previous transition
between slides in your Java Script.
<html>
<head>
<script>
pics = new Array('1.jpg' , '2.jpg' , '3.jpg'); count = 0;
function slideshow(status)
{
if (document.images)
{
count = count + status;
if (count > (pics.length - 1))
{
count = 0;
}
if (count <0)
{
count = pics.length - 1;
}
documet.imag1.src = pics[count];
}
}
</script>
</head>
<body>
<img src="1.jpg" width="200" name="img1">
<br>
<input type="button" value="Next" onclick="slideshow(1)">
<input type="button" value="Back" onclick="slideshow(-1)">
</body>
</html>
37. Create a slideshow with the group of four images, also simulate the next and previous transition
between slides in your JavaScript.
<html>
<head>
<script>
Var i=0;
var images= new
Array();
var time=3000;
images[0]="image1.jpg"
images[1]="image2.jpg"
images[2]="image3.jpg"
function changeImage(imgno){
i = i+imgno
if(i>images.length-1)
{
i=0;
}
if(i<0)
{
i=images.length-1;
}
document.slide.src=images[i]
}
</script>
</head>
<body>
<imgsrc="image1.jpg" name="slide" width="400" height="200"><br><br>
<input type="button" value="prev" onclick="changeImage(-1)">
<inputtype="button" value="next" onclick="changeImage(1)">
</body>
</html>

38. Write a HTML script which displays 2 radio buttons to the users for fruits and vegetables and 1
option list. When user select fruits radio button option list should present only fruits names to the
user & when user select vegetable radio button option list should present only vegetable names
to the user.
<html>
<head>
<title>HTML Form</title>
<script language="javascript" type="text/javascript">
functionupdateList(ElementValue)
{
with(document.forms.myform)
{
if(ElementValue == 1)
{
optionList[0].text="Mango"; optionList[0].value=1;
optionList[1].text="Banana"; optionList[1].value=2;
optionList[2].text="Apple"; optionList[2].value=3;
}
if(ElementValue == 2)
{
optionList[0].text="Potato"; optionList[0].value=1;
optionList[1].text="Cabbage"; optionList[1].value=2;
optionList[2].text="Onion"; optionList[2].value=3;
}
}
}
</script>
</head>
<body>
<form name="myform" action="" method="post">
<p>
<select name="optionList" size="2">
<option value=1>Mango
<option value=2>Banana
<option value=3>Apple
</select>
<br>
<input type="radio" name="grp1" value=1 checked="true"
onclick="updateList(this.value)"> Fruits
<input type="radio" name="grp1" value=2
onclick="updateList(this.value)"> Vegetables
<br>
<input name="Reset" value="Reset" type="reset">
</p>
</form>
</body>
</html>

39. Write HTML Script that displays dropdownlist containing options NewDelhi, Mumbai, Bangalore.
Write proper JavaScript such that when the user selects any options corresponding description of
about 20 words and image of the city appear in table which appears below on the same page.
<html>
<head>
<title>Drop down list example</title>
</head>
<body>
<pid="p1"></p>
<form name="myform">
<select id="sel1">
<option value="delhi">
NewDelhi
</option>
<option value="Mumbai">
Mumbai
</option>
<option value="bangalore">
Bangalore
</option>
</select>
<br><input type="button" name="bt1" id="b1" onclick="display()"
value="click">
<input type="textarea" name="ta1">
</form>
<script type="text/javascript">
function display()
{
var a=document.getElementById("sel1");
var index = a.selectedIndex;
if(index==0)
{
myform.ta1.value = "New Delhi city and national capital territory, north-
central India. The city of Delhi actually consists of two components: Old
Delhi, in the north, the historic city; and New Delhi, in the south, since
1947 the capitalof India, built in the first part of the 20th century as
the capital of British India. "
}
elseif(index==1)
{
myform.ta1.value="Mumbai also known as Bombay is the capital of the Indian
state of Maharashtra. It is the most populous city in India, and the fourth
most populous city in the world, with a total metropolitan area population
of approximately 20.5 million."
}
else
{
"Bangalore is located in the state of Karnataka about 920 meters above mean
sea level on the Deccan Plateau of South India. It covers an area of741 sq.
km. Bangalore, officially called as Bengaluru, is one of the three (other
two Delhi and Mumbai) finest metropolitans in India."
}
}
</script>
</body>
</html>

40. Write a JavaScript to create option list containing list of images and then display images in new
window as per selection.
<body>
<center>
<h1 style="color: green">
GeeksforGeeks
</h1>

<div class="dropdown">
<button class="dropbtn">
Country Flags
</button>

<div class="dropdown-content">
<a href="#">
<img src=
"https://media.geeksforgeeks.org/wp-content/uploads/20200630132503/iflag.jpg"
width="20" height="15"> India</a>

<a href="#">
<img src=
"https://media.geeksforgeeks.org/wp-content/uploads/20200630132504/uflag.jpg"
width="20" height="15"> USA</a>
<a href="#">
<img src=
"https://media.geeksforgeeks.org/wp-content/uploads/20200630132502/eflag.jpg"
width="20" height="15"> England</a>
<a href="#">
<img src=
"https://media.geeksforgeeks.org/wp-content/uploads/20200630132500/bflag.jpg"
width="20" height="15"> Brazil</a>
</div>
</div>
</center>
</body>

</html>

41. Write a JavaScript to create a pull-down menu with four options [AICTE, DTE,MSBTE, GOOGLE].
Once the user will select one of the options then user will be redirected to that site.
OR
Write a JavaScript to create a pull-down menu with three options [Google, MSBTE, Yahoo]
once the user will select one of the options then user will be redirected to that site.
<html>
<head>
<title>HTML Form</title>
<script language="javascript" type="text/javascript">
Function getPage(choice)
{
page=choice.options[choice.selectedIndex].value;
if(page != "")
{
window.location=page;
}
}
</script>
</head>
<body>
<form name="myform" action="" method="post">
Select Your Favourite Website:
<select name="MenuChoice"onchange="getPage(this)">
<option value="https://www.google.com">Google</option>
<option value="https://www.msbte.org.in">MSBTE</option>
<option value="https://www.yahoo.com">Yahoo</option>
</form>
</body>
</html>

You might also like