Introduction to jQuery

Andres Baravalle
Andres BaravalleWeb, Security, Data Science
Introduction to JQuery
Dr Andres Baravalle
Outline
• Functions and variable scope (cont'd)
• Constructors
• Methods
• Using Ajax libraries: jQuery
Functions and variable scope
(cont'd)
Activity #1: using functions
Analyse the following code:
<script type="text/javascript">
var total = 0;
var number = 0;
while(number!=".") {
total += parseInt(number);
number = prompt("Add a list of numbers. Type a number or '.'
to exit.","");
}
alert("The total is: " + total);
</script>
Activity #1: using functions (2)
• After you've understood the mechanics of
the short code, rewrite the code to use a
function
– Normally, you wouldn't need a function in
such a case – this is just to get you started
Activity #2: variable scope
• Analyse the code in the next page
– Try to determine what should happen
– Then run the code and see what actually
happens.
Activity #2: variable scope (2)
var number = 200;
incNumber(number);
alert("The first value of number is: " + number);
function incNumber(number) {
// what is the value of number here?
number++;
}
// what is the value of number here?
number++;
alert("The second value of number is: " + number);
incNumber(number);
// what is the value of number here?
alert("The third value of number is: " + number);
Constructors
Creating objects
• You can create (basic) objects directly:
var andres = {"name": "Andres",
"surname": "Baravalle",
"address": "Snaresbrook",
"user_id": "andres2" };
• The problem of such an approach is that it
can be a lengthy process to create a
number of objects with different values.
Constructors
• Constructors are a special type of function
that can be used to create objects in a
more efficient way.
Using constructors
• The problem of the approach we have just
seen is that it can be a lengthy process to
create a number of objects with different
values
• Using constructor functions can make the
process faster.
Using constructors (2)
• The code becomes shorter and neater to maintain:
function Staff(name, surname, address, user_id, year_of_birth) {
this.name = name;
this.surname = surname;
this.address = address;
this.user_id = user_id;
this.year_of_birth = year_of_birth;
}
var andres = new Staff("Andres", "Baravalle", "East London", "andres2");
console.log(andres); // let's use with firebug for debugging!
Using construtors (+Firebug)
Activity #3
• Adapt the Staff() constructor to create a
constructor for students
• Record all the information in Staff(), plus year of
registration and list of modules attended (as an
array)
• Create 2 students objects to demonstrate the
use of your constructor
Activity #4
• Building on top of Activity #3, add an extra
property, marks
• Marks will be an object itself
– Please create the marks object without a
constructor
• Demonstrate the new property
Methods
• Methods are functions associated with
objects.
• In the next slide we'll modify again our
class, as an example to illustrate what this
means
Using methods
function staff (name, surname, address, user_id, year_of_birth) {
this.name = name;
this.surname = surname;
this.address = address;
this.user_id = user_id;
this.year_of_birth = year_of_birth;
this.calculateAge = calculateAge; // use the name of the function to link here
this.age = this.calculateAge(); // calling calculateAge *inside* this function context
}
function calculateAge() {
// "this" works as we have linked the constructor with this function
return year - this.year_of_birth;
}
year = 2013;
var andres = new staff("Andres", "Baravalle", "East London", "andres2", 1976);
console.log(andres); // use with firebug for debugging!
Activity #5: Using methods
• Adapt your student class to store the
mean mark using an extra class variable,
mean_mark, and an extra method,
calculateMeanMark()
– Use for … in statement to navigate the mark
(see http://baravalle.it/javascript-
guide/#for_Statement)
Using Ajax libraries
Web 2.0
• Web 2.0 is one of neologisms commonly
in use in the Web community. According to
Tim O’Reilly, Web 2.0 refers to:
– "the business revolution in the computer
industry caused by the move to the internet as
platform, and an attempt to understand the
rules for success on that new platform"
(http://radar.oreilly.com/archives/2006/1
2/web_20_compact.html).
Web 2.0 (2)
• The idea of Web 2.0 is as an incremental step from Web
1.0.
– It is based on Web 1.0, but with something more
• The concept of ‘internet as a platform’ implies that Web
2.0 is based on the Web on its own as place where
applications run
– The browser allows applications to run on any host operating
system.
– In the Web 2.0 strategy, we move from writing a version of
software for every operating system that has to be supported, to
writing a Web application that will automatically run on any
operating system where you can run a suitable browser.
Web 2.0 technologies
• Technologies such as Ajax (Asynchronous
JavaScript and XML; we will explore that
further in this study guide), RSS (an XML
dialect used for content syndication), Atom
(another XML dialect used for content
syndication) and SOAP (an XML dialect
used for message exchange) are all
typically associated with Web 2.0.
What is Ajax?
• Ajax is considered to be one of the most
important building blocks for Web 2.0
applications.
• Both JavaScript and XML existed before Web
2.0 – the innovation of Ajax is to combine these
technologies together to create more interactive
Web applications.
• Ajax is typically used to allow interactions
between client and server without having to
reload a Web page.
Ajax libraries
• A number of different libraries have been developed in
the last few years to support a faster and more
integrated development of Ajax applications.
• jQuery (http://jquery.com), Spry
(http://labs.adobe.com/technologies/spry),
Script.aculo.us (http://script.aculo.us) and Dojo
(http://dojotoolkit.org) are some of the more commonly
used Ajax frameworks.
– Spry is included in Dreamweaver – and is an easy option to start
– We are going to use a quite advanced library – jQuery – even
tough we'll do that at a basic level
jQuery
• jQuery is a JavaScript library designed to
simplify the development of multi-platform
client-side scripts
• jQuery's makes it easy(-ish?) to navigate a
document, select DOM elements, create
animations, handle events, and develop
Ajax applications.
– and it's free, open source software!
jQuery – let's start
• As a first step, you'll need to download the
jQuery library from jquery.com
• For development, you should use the
"normal" (non-minified) js file file in the
library
– A minified version also exists – it removes
spaces, newlines, comments and shortens
some variable names to make the file size
smaller (for deployment only)
jQuery CDN
• You can also use jQuery through a CDN (content
delivery network), including the file directly:
http://code.jquery.com/jquery-1.8.1.min.js (normally for
deployment, not development)
• Using the CDN version normally allows a better
experience to users – as they might have already the
library in cache from a visit to another site also using the
same CDN
• You should not use CDN for development – only in
production
jQuery commands
• jQuery commands begin with a call to the
jQuery function or its alias.
jQuery commands (2)
• jQuery comes with a shorthand function -
$().
• You'll normally use $() instead of the
jQuery() function
– $() is not defined in JavaScript – is just a
function having a 1 letter name, defined in
jQuery
jQuery commands (3)
• You normally run your jQuery commands
after your page has been loaded:
$(document).ready(function() {
alert(Hey, this works!);
});
jQuery selectors
• You can "select" elements with the same
syntax that you have been using to travers
the DOM in CSS
• E.g.
– $('tr')
– $('#celebs')
– $('.data')
– $('div.fancy p span')
Reading properties
• You can use jQuery to read properties
• E.g.
$(document).ready(function() {
var fontSize = $('body p').css('font-size');
alert(fontSize);
});
Changing properties
• You can use the same syntax to change
properties:
$('p#first').css('font-color','red');
• You can use arrays too!
$('body p').css(
{'background-color': '#dddddd',
'color': '#666666',
'font-size': '11pt})
});
Hey, that's handy!
Dreamweaver will help you!
• As you can see, Dreamweaver
understands jQuery!
• Dreamweaver ships with autocomplete
functions and syntax highlighting for
jQuery
– and Aptana too!
Activity #6: starting with CSS
• Download the jQuery library and include it
in a new HTML file
• Use a "lorem ipsum" text as usual to fill
your page with a few paragraphs
• Try out basic jQuery commands to change
the style of the paragraphs
Sorry – isn't this useless?
• Yes! What you have tried up to now is
useless on its own – you could do the
same with just css
• In the next slides we'll see a better use of
jQuery
Activity #7: hiding and showing
elements
• Analyse the code at
http://baravalle.com/presentations/ske6/ac
tivities/javascript/jquery_hide_paragraph.h
tml
• You have an anonymous (=without a
name) function applied to the onclick
event of the element #a1
• That means that the function will run when
you click on #a1
Activity #7: hiding and showing
elements (2)
• Building on top of the existing code, write
a number of additional anonymous
functions to hide/show the other
paragraphs
Adding HTML: after()
• You can also add child nodes:
$('#second').after("<p>Hey, this is a new paragraph!</p>");
• When clicking on the item with id=a1 (#a1
should be an anchor, as in the previous
example), add some HTML after item #second
• See in action at
http://baravalle.com/presentations/ske6/activities
/javascript/jquery_new_paragraph.html
Adding HTML (insertAfter())
• You can insert HTML after a specific
selector:
$("<p>Hey, this is a new paragraph!
</p>").insertAfter('#second');
Working on more selectors
• You can work on many selectors at the
same time:
$('#second, #third').after("<p>Hey, this
is a new paragraph!</p>");
Activity #8
• Build on top of your previous code to
dynamically add new content to your
page, using after() or insertAfter()
Removing elements
• You can also remove elements:
$('p').remove(':contains("Hey, this is a new
paragraph!")');
• or replace their content:
$('p').html('Replacing all paragraphs!');
Animations: fadeout()
• You can animate any element:
$('#first').fadeOut();
Animations: using the padding
• You can edit properties of your selectors
and animate them:
$('#third').animate({
paddingLeft: '+=15px'
}, 200);
• Please note that animate() requires you to
write the property name in camel case
(paddingLeft rather than the usual
padding-left)
Activity #9: using plugins
• jQuery includes a large number of plugins
• Read the documentation for the color-
animation plugin:
http://www.bitstorm.org/jquery/color-
animation/
– Embed the plugin in your page
– and animate a paragraph!
Chaining
• Remember that you can chain different
jQuery methods:
• $
('p:last').slideDown('slow').delay(200).fade
Out();
And now it's the end
• You should be ready to use HTML, CSS,
JavaScript, jQuery and PHP – at least to
some degree
1 of 49

Recommended

3. Java Script by
3. Java Script3. Java Script
3. Java ScriptJalpesh Vasa
2.9K views64 slides
Javascript basics by
Javascript basicsJavascript basics
Javascript basicsshreesenthil
1.8K views32 slides
Html events with javascript by
Html events with javascriptHtml events with javascript
Html events with javascriptYounusS2
371 views19 slides
Java Script ppt by
Java Script pptJava Script ppt
Java Script pptPriya Goyal
4.5K views44 slides
Introduction to JavaScript by
Introduction to JavaScriptIntroduction to JavaScript
Introduction to JavaScriptAndres Baravalle
25.4K views77 slides
Javascript by
JavascriptJavascript
Javascriptmussawir20
4.5K views71 slides

More Related Content

What's hot

Object Oriented Javascript by
Object Oriented JavascriptObject Oriented Javascript
Object Oriented JavascriptNexThoughts Technologies
987 views28 slides
Lab #2: Introduction to Javascript by
Lab #2: Introduction to JavascriptLab #2: Introduction to Javascript
Lab #2: Introduction to JavascriptWalid Ashraf
2.9K views41 slides
Jquery by
JqueryJquery
JqueryGirish Srivastava
5.2K views57 slides
Php introduction by
Php introductionPhp introduction
Php introductionkrishnapriya Tadepalli
8.7K views28 slides
Client side scripting by
Client side scriptingClient side scripting
Client side scriptingEleonora Ciceri
5.4K views106 slides
JavaScript - Chapter 12 - Document Object Model by
  JavaScript - Chapter 12 - Document Object Model  JavaScript - Chapter 12 - Document Object Model
JavaScript - Chapter 12 - Document Object ModelWebStackAcademy
5.3K views41 slides

What's hot(20)

Lab #2: Introduction to Javascript by Walid Ashraf
Lab #2: Introduction to JavascriptLab #2: Introduction to Javascript
Lab #2: Introduction to Javascript
Walid Ashraf2.9K views
JavaScript - Chapter 12 - Document Object Model by WebStackAcademy
  JavaScript - Chapter 12 - Document Object Model  JavaScript - Chapter 12 - Document Object Model
JavaScript - Chapter 12 - Document Object Model
WebStackAcademy5.3K views
Introduction to HTML5 by Gil Fink
Introduction to HTML5Introduction to HTML5
Introduction to HTML5
Gil Fink13.8K views
Introduction to CSS by Amit Tyagi
Introduction to CSSIntroduction to CSS
Introduction to CSS
Amit Tyagi45.5K views
Client side &amp; Server side Scripting by Webtech Learning
Client side &amp; Server side Scripting Client side &amp; Server side Scripting
Client side &amp; Server side Scripting
Webtech Learning1.4K views
Beginners PHP Tutorial by alexjones89
Beginners PHP TutorialBeginners PHP Tutorial
Beginners PHP Tutorial
alexjones8918.2K views
Introduction to ASP.NET by Rajkumarsoy
Introduction to ASP.NETIntroduction to ASP.NET
Introduction to ASP.NET
Rajkumarsoy16.9K views

Viewers also liked

Social, professional, ethical and legal issues by
Social, professional, ethical and legal issuesSocial, professional, ethical and legal issues
Social, professional, ethical and legal issuesAndres Baravalle
3.5K views35 slides
Other metrics by
Other metricsOther metrics
Other metricsAndres Baravalle
1.4K views33 slides
Accessibility introduction by
Accessibility introductionAccessibility introduction
Accessibility introductionAndres Baravalle
1.4K views47 slides
Designing and prototyping by
Designing and prototypingDesigning and prototyping
Designing and prototypingAndres Baravalle
2.4K views40 slides
Background on Usability Engineering by
Background on Usability EngineeringBackground on Usability Engineering
Background on Usability EngineeringAndres Baravalle
1.3K views32 slides
Issue-based metrics by
Issue-based metricsIssue-based metrics
Issue-based metricsAndres Baravalle
2.8K views42 slides

Viewers also liked(18)

Social, professional, ethical and legal issues by Andres Baravalle
Social, professional, ethical and legal issuesSocial, professional, ethical and legal issues
Social, professional, ethical and legal issues
Andres Baravalle3.5K views
Background on Usability Engineering by Andres Baravalle
Background on Usability EngineeringBackground on Usability Engineering
Background on Usability Engineering
Andres Baravalle1.3K views
Usability evaluation methods (part 2) and performance metrics by Andres Baravalle
Usability evaluation methods (part 2) and performance metricsUsability evaluation methods (part 2) and performance metrics
Usability evaluation methods (part 2) and performance metrics
Andres Baravalle1.9K views
SPEL (Social, professional, ethical and legal) issues in Usability by Andres Baravalle
SPEL (Social, professional, ethical and legal) issues in UsabilitySPEL (Social, professional, ethical and legal) issues in Usability
SPEL (Social, professional, ethical and legal) issues in Usability
Andres Baravalle8.2K views
Design rules and usability requirements by Andres Baravalle
Design rules and usability requirementsDesign rules and usability requirements
Design rules and usability requirements
Andres Baravalle5K views
Planning and usability evaluation methods by Andres Baravalle
Planning and usability evaluation methodsPlanning and usability evaluation methods
Planning and usability evaluation methods
Andres Baravalle3.6K views
Dark web markets: from the silk road to alphabay, trends and developments by Andres Baravalle
Dark web markets: from the silk road to alphabay, trends and developmentsDark web markets: from the silk road to alphabay, trends and developments
Dark web markets: from the silk road to alphabay, trends and developments
Andres Baravalle2.4K views
Layout rules by mangal das
Layout rulesLayout rules
Layout rules
mangal das7.5K views

Similar to Introduction to jQuery

Ruby On Rails by
Ruby On RailsRuby On Rails
Ruby On RailsBalint Erdi
887 views44 slides
Welcome to React.pptx by
Welcome to React.pptxWelcome to React.pptx
Welcome to React.pptxPraveenKumar680401
8 views36 slides
JS & NodeJS - An Introduction by
JS & NodeJS - An IntroductionJS & NodeJS - An Introduction
JS & NodeJS - An IntroductionNirvanic Labs
6.5K views23 slides
Full Stack React Workshop [CSSC x GDSC] by
Full Stack React Workshop [CSSC x GDSC]Full Stack React Workshop [CSSC x GDSC]
Full Stack React Workshop [CSSC x GDSC]GDSC UofT Mississauga
47 views45 slides
Make Cross-platform Mobile Apps Quickly - SIGGRAPH 2014 by
Make Cross-platform Mobile Apps Quickly - SIGGRAPH 2014Make Cross-platform Mobile Apps Quickly - SIGGRAPH 2014
Make Cross-platform Mobile Apps Quickly - SIGGRAPH 2014Gil Irizarry
778 views75 slides
Iwt note(module 2) by
Iwt note(module 2)Iwt note(module 2)
Iwt note(module 2)SANTOSH RATH
1.4K views42 slides

Similar to Introduction to jQuery(20)

JS & NodeJS - An Introduction by Nirvanic Labs
JS & NodeJS - An IntroductionJS & NodeJS - An Introduction
JS & NodeJS - An Introduction
Nirvanic Labs6.5K views
Make Cross-platform Mobile Apps Quickly - SIGGRAPH 2014 by Gil Irizarry
Make Cross-platform Mobile Apps Quickly - SIGGRAPH 2014Make Cross-platform Mobile Apps Quickly - SIGGRAPH 2014
Make Cross-platform Mobile Apps Quickly - SIGGRAPH 2014
Gil Irizarry778 views
Iwt note(module 2) by SANTOSH RATH
Iwt note(module 2)Iwt note(module 2)
Iwt note(module 2)
SANTOSH RATH1.4K views
Make Mobile Apps Quickly by Gil Irizarry
Make Mobile Apps QuicklyMake Mobile Apps Quickly
Make Mobile Apps Quickly
Gil Irizarry2.2K views
J query presentation by akanksha17
J query presentationJ query presentation
J query presentation
akanksha17134 views
J query presentation by sawarkar17
J query presentationJ query presentation
J query presentation
sawarkar17932 views
An introduction to DOM , JAVASCRIPT , JQUERY, AJAX and JSON by Syed Moosa Kaleem
An introduction to DOM , JAVASCRIPT , JQUERY, AJAX and JSONAn introduction to DOM , JAVASCRIPT , JQUERY, AJAX and JSON
An introduction to DOM , JAVASCRIPT , JQUERY, AJAX and JSON
Syed Moosa Kaleem365 views
Beginning MEAN Stack by Rob Davarnia
Beginning MEAN StackBeginning MEAN Stack
Beginning MEAN Stack
Rob Davarnia1.5K views
AJS UNIT-1 2021-converted.pdf by SreeVani74
AJS UNIT-1 2021-converted.pdfAJS UNIT-1 2021-converted.pdf
AJS UNIT-1 2021-converted.pdf
SreeVani745 views
Intro to .NET for Government Developers by Frank La Vigne
Intro to .NET for Government DevelopersIntro to .NET for Government Developers
Intro to .NET for Government Developers
Frank La Vigne846 views
CS101- Introduction to Computing- Lecture 32 by Bilal Ahmed
CS101- Introduction to Computing- Lecture 32CS101- Introduction to Computing- Lecture 32
CS101- Introduction to Computing- Lecture 32
Bilal Ahmed517 views
JavaScript Modules Done Right by Mariusz Nowak
JavaScript Modules Done RightJavaScript Modules Done Right
JavaScript Modules Done Right
Mariusz Nowak5.4K views
Scala Italy 2015 - Hands On ScalaJS by Alberto Paro
Scala Italy 2015 - Hands On ScalaJSScala Italy 2015 - Hands On ScalaJS
Scala Italy 2015 - Hands On ScalaJS
Alberto Paro1.2K views

More from Andres Baravalle

Don’t make me think by
Don’t make me thinkDon’t make me think
Don’t make me thinkAndres Baravalle
692 views23 slides
Data collection and analysis by
Data collection and analysisData collection and analysis
Data collection and analysisAndres Baravalle
15K views34 slides
Interaction design and cognitive aspects by
Interaction design and cognitive aspects Interaction design and cognitive aspects
Interaction design and cognitive aspects Andres Baravalle
22.4K views49 slides
Designing and prototyping by
Designing and prototypingDesigning and prototyping
Designing and prototypingAndres Baravalle
2.1K views29 slides
Usability requirements by
Usability requirements Usability requirements
Usability requirements Andres Baravalle
1.7K views45 slides
Usability: introduction (Week 1) by
Usability: introduction (Week 1)Usability: introduction (Week 1)
Usability: introduction (Week 1)Andres Baravalle
506 views27 slides

More from Andres Baravalle(7)

Recently uploaded

BUSINESS ETHICS MODULE 1 UNIT I_B.pdf by
BUSINESS ETHICS MODULE 1 UNIT I_B.pdfBUSINESS ETHICS MODULE 1 UNIT I_B.pdf
BUSINESS ETHICS MODULE 1 UNIT I_B.pdfDr Vijay Vishwakarma
55 views21 slides
Peripheral artery diseases by Dr. Garvit.pptx by
Peripheral artery diseases by Dr. Garvit.pptxPeripheral artery diseases by Dr. Garvit.pptx
Peripheral artery diseases by Dr. Garvit.pptxgarvitnanecha
135 views48 slides
ppt_dunarea.pptx by
ppt_dunarea.pptxppt_dunarea.pptx
ppt_dunarea.pptxvvvgeorgevvv
68 views5 slides
Thanksgiving!.pdf by
Thanksgiving!.pdfThanksgiving!.pdf
Thanksgiving!.pdfEnglishCEIPdeSigeiro
597 views17 slides
JRN 362 - Lecture Twenty-Three (Epilogue) by
JRN 362 - Lecture Twenty-Three (Epilogue)JRN 362 - Lecture Twenty-Three (Epilogue)
JRN 362 - Lecture Twenty-Three (Epilogue)Rich Hanley
44 views57 slides
Gross Anatomy of the Liver by
Gross Anatomy of the LiverGross Anatomy of the Liver
Gross Anatomy of the Liverobaje godwin sunday
100 views12 slides

Recently uploaded(20)

Peripheral artery diseases by Dr. Garvit.pptx by garvitnanecha
Peripheral artery diseases by Dr. Garvit.pptxPeripheral artery diseases by Dr. Garvit.pptx
Peripheral artery diseases by Dr. Garvit.pptx
garvitnanecha135 views
JRN 362 - Lecture Twenty-Three (Epilogue) by Rich Hanley
JRN 362 - Lecture Twenty-Three (Epilogue)JRN 362 - Lecture Twenty-Three (Epilogue)
JRN 362 - Lecture Twenty-Three (Epilogue)
Rich Hanley44 views
Guess Papers ADC 1, Karachi University by Khalid Aziz
Guess Papers ADC 1, Karachi UniversityGuess Papers ADC 1, Karachi University
Guess Papers ADC 1, Karachi University
Khalid Aziz109 views
BÀI TẬP BỔ TRỢ TIẾNG ANH 11 THEO ĐƠN VỊ BÀI HỌC - CẢ NĂM - CÓ FILE NGHE (FRIE... by Nguyen Thanh Tu Collection
BÀI TẬP BỔ TRỢ TIẾNG ANH 11 THEO ĐƠN VỊ BÀI HỌC - CẢ NĂM - CÓ FILE NGHE (FRIE...BÀI TẬP BỔ TRỢ TIẾNG ANH 11 THEO ĐƠN VỊ BÀI HỌC - CẢ NĂM - CÓ FILE NGHE (FRIE...
BÀI TẬP BỔ TRỢ TIẾNG ANH 11 THEO ĐƠN VỊ BÀI HỌC - CẢ NĂM - CÓ FILE NGHE (FRIE...
Ask The Expert! Nonprofit Website Tools, Tips, and Technology.pdf by TechSoup
 Ask The Expert! Nonprofit Website Tools, Tips, and Technology.pdf Ask The Expert! Nonprofit Website Tools, Tips, and Technology.pdf
Ask The Expert! Nonprofit Website Tools, Tips, and Technology.pdf
TechSoup 67 views
Payment Integration using Braintree Connector | MuleSoft Mysore Meetup #37 by MysoreMuleSoftMeetup
Payment Integration using Braintree Connector | MuleSoft Mysore Meetup #37Payment Integration using Braintree Connector | MuleSoft Mysore Meetup #37
Payment Integration using Braintree Connector | MuleSoft Mysore Meetup #37
Guidelines & Identification of Early Sepsis DR. NN CHAVAN 02122023.pptx by Niranjan Chavan
Guidelines & Identification of Early Sepsis DR. NN CHAVAN 02122023.pptxGuidelines & Identification of Early Sepsis DR. NN CHAVAN 02122023.pptx
Guidelines & Identification of Early Sepsis DR. NN CHAVAN 02122023.pptx
Niranjan Chavan43 views
INT-244 Topic 6b Confucianism by S Meyer
INT-244 Topic 6b ConfucianismINT-244 Topic 6b Confucianism
INT-244 Topic 6b Confucianism
S Meyer51 views
UNIT NO 13 ORGANISMS AND POPULATION.pptx by Madhuri Bhande
UNIT NO 13 ORGANISMS AND POPULATION.pptxUNIT NO 13 ORGANISMS AND POPULATION.pptx
UNIT NO 13 ORGANISMS AND POPULATION.pptx
Madhuri Bhande48 views
OOPs - JAVA Quick Reference.pdf by ArthyR3
OOPs - JAVA Quick Reference.pdfOOPs - JAVA Quick Reference.pdf
OOPs - JAVA Quick Reference.pdf
ArthyR376 views

Introduction to jQuery

  • 1. Introduction to JQuery Dr Andres Baravalle
  • 2. Outline • Functions and variable scope (cont'd) • Constructors • Methods • Using Ajax libraries: jQuery
  • 3. Functions and variable scope (cont'd)
  • 4. Activity #1: using functions Analyse the following code: <script type="text/javascript"> var total = 0; var number = 0; while(number!=".") { total += parseInt(number); number = prompt("Add a list of numbers. Type a number or '.' to exit.",""); } alert("The total is: " + total); </script>
  • 5. Activity #1: using functions (2) • After you've understood the mechanics of the short code, rewrite the code to use a function – Normally, you wouldn't need a function in such a case – this is just to get you started
  • 6. Activity #2: variable scope • Analyse the code in the next page – Try to determine what should happen – Then run the code and see what actually happens.
  • 7. Activity #2: variable scope (2) var number = 200; incNumber(number); alert("The first value of number is: " + number); function incNumber(number) { // what is the value of number here? number++; } // what is the value of number here? number++; alert("The second value of number is: " + number); incNumber(number); // what is the value of number here? alert("The third value of number is: " + number);
  • 9. Creating objects • You can create (basic) objects directly: var andres = {"name": "Andres", "surname": "Baravalle", "address": "Snaresbrook", "user_id": "andres2" }; • The problem of such an approach is that it can be a lengthy process to create a number of objects with different values.
  • 10. Constructors • Constructors are a special type of function that can be used to create objects in a more efficient way.
  • 11. Using constructors • The problem of the approach we have just seen is that it can be a lengthy process to create a number of objects with different values • Using constructor functions can make the process faster.
  • 12. Using constructors (2) • The code becomes shorter and neater to maintain: function Staff(name, surname, address, user_id, year_of_birth) { this.name = name; this.surname = surname; this.address = address; this.user_id = user_id; this.year_of_birth = year_of_birth; } var andres = new Staff("Andres", "Baravalle", "East London", "andres2"); console.log(andres); // let's use with firebug for debugging!
  • 14. Activity #3 • Adapt the Staff() constructor to create a constructor for students • Record all the information in Staff(), plus year of registration and list of modules attended (as an array) • Create 2 students objects to demonstrate the use of your constructor
  • 15. Activity #4 • Building on top of Activity #3, add an extra property, marks • Marks will be an object itself – Please create the marks object without a constructor • Demonstrate the new property
  • 16. Methods • Methods are functions associated with objects. • In the next slide we'll modify again our class, as an example to illustrate what this means
  • 17. Using methods function staff (name, surname, address, user_id, year_of_birth) { this.name = name; this.surname = surname; this.address = address; this.user_id = user_id; this.year_of_birth = year_of_birth; this.calculateAge = calculateAge; // use the name of the function to link here this.age = this.calculateAge(); // calling calculateAge *inside* this function context } function calculateAge() { // "this" works as we have linked the constructor with this function return year - this.year_of_birth; } year = 2013; var andres = new staff("Andres", "Baravalle", "East London", "andres2", 1976); console.log(andres); // use with firebug for debugging!
  • 18. Activity #5: Using methods • Adapt your student class to store the mean mark using an extra class variable, mean_mark, and an extra method, calculateMeanMark() – Use for … in statement to navigate the mark (see http://baravalle.it/javascript- guide/#for_Statement)
  • 20. Web 2.0 • Web 2.0 is one of neologisms commonly in use in the Web community. According to Tim O’Reilly, Web 2.0 refers to: – "the business revolution in the computer industry caused by the move to the internet as platform, and an attempt to understand the rules for success on that new platform" (http://radar.oreilly.com/archives/2006/1 2/web_20_compact.html).
  • 21. Web 2.0 (2) • The idea of Web 2.0 is as an incremental step from Web 1.0. – It is based on Web 1.0, but with something more • The concept of ‘internet as a platform’ implies that Web 2.0 is based on the Web on its own as place where applications run – The browser allows applications to run on any host operating system. – In the Web 2.0 strategy, we move from writing a version of software for every operating system that has to be supported, to writing a Web application that will automatically run on any operating system where you can run a suitable browser.
  • 22. Web 2.0 technologies • Technologies such as Ajax (Asynchronous JavaScript and XML; we will explore that further in this study guide), RSS (an XML dialect used for content syndication), Atom (another XML dialect used for content syndication) and SOAP (an XML dialect used for message exchange) are all typically associated with Web 2.0.
  • 23. What is Ajax? • Ajax is considered to be one of the most important building blocks for Web 2.0 applications. • Both JavaScript and XML existed before Web 2.0 – the innovation of Ajax is to combine these technologies together to create more interactive Web applications. • Ajax is typically used to allow interactions between client and server without having to reload a Web page.
  • 24. Ajax libraries • A number of different libraries have been developed in the last few years to support a faster and more integrated development of Ajax applications. • jQuery (http://jquery.com), Spry (http://labs.adobe.com/technologies/spry), Script.aculo.us (http://script.aculo.us) and Dojo (http://dojotoolkit.org) are some of the more commonly used Ajax frameworks. – Spry is included in Dreamweaver – and is an easy option to start – We are going to use a quite advanced library – jQuery – even tough we'll do that at a basic level
  • 25. jQuery • jQuery is a JavaScript library designed to simplify the development of multi-platform client-side scripts • jQuery's makes it easy(-ish?) to navigate a document, select DOM elements, create animations, handle events, and develop Ajax applications. – and it's free, open source software!
  • 26. jQuery – let's start • As a first step, you'll need to download the jQuery library from jquery.com • For development, you should use the "normal" (non-minified) js file file in the library – A minified version also exists – it removes spaces, newlines, comments and shortens some variable names to make the file size smaller (for deployment only)
  • 27. jQuery CDN • You can also use jQuery through a CDN (content delivery network), including the file directly: http://code.jquery.com/jquery-1.8.1.min.js (normally for deployment, not development) • Using the CDN version normally allows a better experience to users – as they might have already the library in cache from a visit to another site also using the same CDN • You should not use CDN for development – only in production
  • 28. jQuery commands • jQuery commands begin with a call to the jQuery function or its alias.
  • 29. jQuery commands (2) • jQuery comes with a shorthand function - $(). • You'll normally use $() instead of the jQuery() function – $() is not defined in JavaScript – is just a function having a 1 letter name, defined in jQuery
  • 30. jQuery commands (3) • You normally run your jQuery commands after your page has been loaded: $(document).ready(function() { alert(Hey, this works!); });
  • 31. jQuery selectors • You can "select" elements with the same syntax that you have been using to travers the DOM in CSS • E.g. – $('tr') – $('#celebs') – $('.data') – $('div.fancy p span')
  • 32. Reading properties • You can use jQuery to read properties • E.g. $(document).ready(function() { var fontSize = $('body p').css('font-size'); alert(fontSize); });
  • 33. Changing properties • You can use the same syntax to change properties: $('p#first').css('font-color','red'); • You can use arrays too! $('body p').css( {'background-color': '#dddddd', 'color': '#666666', 'font-size': '11pt}) });
  • 35. Dreamweaver will help you! • As you can see, Dreamweaver understands jQuery! • Dreamweaver ships with autocomplete functions and syntax highlighting for jQuery – and Aptana too!
  • 36. Activity #6: starting with CSS • Download the jQuery library and include it in a new HTML file • Use a "lorem ipsum" text as usual to fill your page with a few paragraphs • Try out basic jQuery commands to change the style of the paragraphs
  • 37. Sorry – isn't this useless? • Yes! What you have tried up to now is useless on its own – you could do the same with just css • In the next slides we'll see a better use of jQuery
  • 38. Activity #7: hiding and showing elements • Analyse the code at http://baravalle.com/presentations/ske6/ac tivities/javascript/jquery_hide_paragraph.h tml • You have an anonymous (=without a name) function applied to the onclick event of the element #a1 • That means that the function will run when you click on #a1
  • 39. Activity #7: hiding and showing elements (2) • Building on top of the existing code, write a number of additional anonymous functions to hide/show the other paragraphs
  • 40. Adding HTML: after() • You can also add child nodes: $('#second').after("<p>Hey, this is a new paragraph!</p>"); • When clicking on the item with id=a1 (#a1 should be an anchor, as in the previous example), add some HTML after item #second • See in action at http://baravalle.com/presentations/ske6/activities /javascript/jquery_new_paragraph.html
  • 41. Adding HTML (insertAfter()) • You can insert HTML after a specific selector: $("<p>Hey, this is a new paragraph! </p>").insertAfter('#second');
  • 42. Working on more selectors • You can work on many selectors at the same time: $('#second, #third').after("<p>Hey, this is a new paragraph!</p>");
  • 43. Activity #8 • Build on top of your previous code to dynamically add new content to your page, using after() or insertAfter()
  • 44. Removing elements • You can also remove elements: $('p').remove(':contains("Hey, this is a new paragraph!")'); • or replace their content: $('p').html('Replacing all paragraphs!');
  • 45. Animations: fadeout() • You can animate any element: $('#first').fadeOut();
  • 46. Animations: using the padding • You can edit properties of your selectors and animate them: $('#third').animate({ paddingLeft: '+=15px' }, 200); • Please note that animate() requires you to write the property name in camel case (paddingLeft rather than the usual padding-left)
  • 47. Activity #9: using plugins • jQuery includes a large number of plugins • Read the documentation for the color- animation plugin: http://www.bitstorm.org/jquery/color- animation/ – Embed the plugin in your page – and animate a paragraph!
  • 48. Chaining • Remember that you can chain different jQuery methods: • $ ('p:last').slideDown('slow').delay(200).fade Out();
  • 49. And now it's the end • You should be ready to use HTML, CSS, JavaScript, jQuery and PHP – at least to some degree