SlideShare une entreprise Scribd logo
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

Contenu connexe

Tendances

Form using html and java script validation
Form using html and java script validationForm using html and java script validation
Form using html and java script validation
Maitree Patel
 

Tendances (20)

Asp.net state management
Asp.net state managementAsp.net state management
Asp.net state management
 
JavaScript - Chapter 13 - Browser Object Model(BOM)
JavaScript - Chapter 13 - Browser Object Model(BOM)JavaScript - Chapter 13 - Browser Object Model(BOM)
JavaScript - Chapter 13 - Browser Object Model(BOM)
 
Introduction to JavaScript
Introduction to JavaScriptIntroduction to JavaScript
Introduction to JavaScript
 
Javascript functions
Javascript functionsJavascript functions
Javascript functions
 
Introduction to CSS3
Introduction to CSS3Introduction to CSS3
Introduction to CSS3
 
JavaScript - Chapter 11 - Events
 JavaScript - Chapter 11 - Events  JavaScript - Chapter 11 - Events
JavaScript - Chapter 11 - Events
 
Stored procedure
Stored procedureStored procedure
Stored procedure
 
Document object model(dom)
Document object model(dom)Document object model(dom)
Document object model(dom)
 
JavaScript Tutorial
JavaScript  TutorialJavaScript  Tutorial
JavaScript Tutorial
 
Java script errors &amp; exceptions handling
Java script  errors &amp; exceptions handlingJava script  errors &amp; exceptions handling
Java script errors &amp; exceptions handling
 
Css3
Css3Css3
Css3
 
HTML/HTML5
HTML/HTML5HTML/HTML5
HTML/HTML5
 
Java Server Pages
Java Server PagesJava Server Pages
Java Server Pages
 
Angular js PPT
Angular js PPTAngular js PPT
Angular js PPT
 
HTML: Tables and Forms
HTML: Tables and FormsHTML: Tables and Forms
HTML: Tables and Forms
 
Html5 and-css3-overview
Html5 and-css3-overviewHtml5 and-css3-overview
Html5 and-css3-overview
 
JavaScript: Events Handling
JavaScript: Events HandlingJavaScript: Events Handling
JavaScript: Events Handling
 
Document Object Model
Document Object ModelDocument Object Model
Document Object Model
 
jQuery for beginners
jQuery for beginnersjQuery for beginners
jQuery for beginners
 
Form using html and java script validation
Form using html and java script validationForm using html and java script validation
Form using html and java script validation
 

En vedette

En vedette (19)

Introduction to JavaScript
Introduction to JavaScriptIntroduction to JavaScript
Introduction to JavaScript
 
Social, professional, ethical and legal issues
Social, professional, ethical and legal issuesSocial, professional, ethical and legal issues
Social, professional, ethical and legal issues
 
Other metrics
Other metricsOther metrics
Other metrics
 
Accessibility introduction
Accessibility introductionAccessibility introduction
Accessibility introduction
 
Designing and prototyping
Designing and prototypingDesigning and prototyping
Designing and prototyping
 
Background on Usability Engineering
Background on Usability EngineeringBackground on Usability Engineering
Background on Usability Engineering
 
Issue-based metrics
Issue-based metricsIssue-based metrics
Issue-based metrics
 
Interfaces
InterfacesInterfaces
Interfaces
 
Usability evaluations (part 2)
Usability evaluations (part 2) Usability evaluations (part 2)
Usability evaluations (part 2)
 
Usability evaluations (part 3)
Usability evaluations (part 3) Usability evaluations (part 3)
Usability evaluations (part 3)
 
Accessibility: introduction
Accessibility: introduction  Accessibility: introduction
Accessibility: introduction
 
Measuring the user experience
Measuring the user experienceMeasuring the user experience
Measuring the user experience
 
Usability evaluation methods (part 2) and performance metrics
Usability evaluation methods (part 2) and performance metricsUsability evaluation methods (part 2) and performance metrics
Usability evaluation methods (part 2) and performance metrics
 
SPEL (Social, professional, ethical and legal) issues in Usability
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
 
Design rules and usability requirements
Design rules and usability requirementsDesign rules and usability requirements
Design rules and usability requirements
 
Planning and usability evaluation methods
Planning and usability evaluation methodsPlanning and usability evaluation methods
Planning and usability evaluation methods
 
Don't make me think
Don't make me thinkDon't make me think
Don't make me think
 
Dark web markets: from the silk road to alphabay, trends and developments
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
 
Layout rules
Layout rulesLayout rules
Layout rules
 

Similaire à Introduction to jQuery

Iwt note(module 2)
Iwt note(module 2)Iwt note(module 2)
Iwt note(module 2)
SANTOSH RATH
 
4 Anguadasdfasdasdfasdfsdfasdfaslar (1).pptx
4 Anguadasdfasdasdfasdfsdfasdfaslar (1).pptx4 Anguadasdfasdasdfasdfsdfasdfaslar (1).pptx
4 Anguadasdfasdasdfasdfsdfasdfaslar (1).pptx
tilejak773
 
Make Mobile Apps Quickly
Make Mobile Apps QuicklyMake Mobile Apps Quickly
Make Mobile Apps Quickly
Gil Irizarry
 
J query presentation
J query presentationJ query presentation
J query presentation
sawarkar17
 
J query presentation
J query presentationJ query presentation
J query presentation
akanksha17
 
Beginning MEAN Stack
Beginning MEAN StackBeginning MEAN Stack
Beginning MEAN Stack
Rob Davarnia
 

Similaire à Introduction to jQuery (20)

Ruby On Rails
Ruby On RailsRuby On Rails
Ruby On Rails
 
Welcome to React.pptx
Welcome to React.pptxWelcome to React.pptx
Welcome to React.pptx
 
JS & NodeJS - An Introduction
JS & NodeJS - An IntroductionJS & NodeJS - An Introduction
JS & NodeJS - An Introduction
 
Full Stack React Workshop [CSSC x GDSC]
Full Stack React Workshop [CSSC x GDSC]Full Stack React Workshop [CSSC x GDSC]
Full Stack React Workshop [CSSC x GDSC]
 
Make Cross-platform Mobile Apps Quickly - SIGGRAPH 2014
Make Cross-platform Mobile Apps Quickly - SIGGRAPH 2014Make Cross-platform Mobile Apps Quickly - SIGGRAPH 2014
Make Cross-platform Mobile Apps Quickly - SIGGRAPH 2014
 
Iwt note(module 2)
Iwt note(module 2)Iwt note(module 2)
Iwt note(module 2)
 
4 Anguadasdfasdasdfasdfsdfasdfaslar (1).pptx
4 Anguadasdfasdasdfasdfsdfasdfaslar (1).pptx4 Anguadasdfasdasdfasdfsdfasdfaslar (1).pptx
4 Anguadasdfasdasdfasdfsdfasdfaslar (1).pptx
 
Make Mobile Apps Quickly
Make Mobile Apps QuicklyMake Mobile Apps Quickly
Make Mobile Apps Quickly
 
J query presentation
J query presentationJ query presentation
J query presentation
 
J query presentation
J query presentationJ query presentation
J query presentation
 
An introduction to DOM , JAVASCRIPT , JQUERY, AJAX and JSON
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
 
Javascript best practices
Javascript best practicesJavascript best practices
Javascript best practices
 
Beginning MEAN Stack
Beginning MEAN StackBeginning MEAN Stack
Beginning MEAN Stack
 
AJS UNIT-1 2021-converted.pdf
AJS UNIT-1 2021-converted.pdfAJS UNIT-1 2021-converted.pdf
AJS UNIT-1 2021-converted.pdf
 
javascript Event Handling and introduction to event.ppt
javascript Event Handling and introduction to event.pptjavascript Event Handling and introduction to event.ppt
javascript Event Handling and introduction to event.ppt
 
IP Unit 2.pptx
IP Unit 2.pptxIP Unit 2.pptx
IP Unit 2.pptx
 
Intro to .NET for Government Developers
Intro to .NET for Government DevelopersIntro to .NET for Government Developers
Intro to .NET for Government Developers
 
CS101- Introduction to Computing- Lecture 32
CS101- Introduction to Computing- Lecture 32CS101- Introduction to Computing- Lecture 32
CS101- Introduction to Computing- Lecture 32
 
Supa fast Ruby + Rails
Supa fast Ruby + RailsSupa fast Ruby + Rails
Supa fast Ruby + Rails
 
Javascript
JavascriptJavascript
Javascript
 

Plus de Andres Baravalle (7)

Don’t make me think
Don’t make me thinkDon’t make me think
Don’t make me think
 
Data collection and analysis
Data collection and analysisData collection and analysis
Data collection and analysis
 
Interaction design and cognitive aspects
Interaction design and cognitive aspects Interaction design and cognitive aspects
Interaction design and cognitive aspects
 
Designing and prototyping
Designing and prototypingDesigning and prototyping
Designing and prototyping
 
Usability requirements
Usability requirements Usability requirements
Usability requirements
 
Usability: introduction (Week 1)
Usability: introduction (Week 1)Usability: introduction (Week 1)
Usability: introduction (Week 1)
 
Don’t make me think!
Don’t make me think!Don’t make me think!
Don’t make me think!
 

Dernier

ppt your views.ppt your views of your college in your eyes
ppt your views.ppt your views of your college in your eyesppt your views.ppt your views of your college in your eyes
ppt your views.ppt your views of your college in your eyes
ashishpaul799
 
Industrial Training Report- AKTU Industrial Training Report
Industrial Training Report- AKTU Industrial Training ReportIndustrial Training Report- AKTU Industrial Training Report
Industrial Training Report- AKTU Industrial Training Report
Avinash Rai
 
IATP How-to Foreign Travel May 2024.pdff
IATP How-to Foreign Travel May 2024.pdffIATP How-to Foreign Travel May 2024.pdff
IATP How-to Foreign Travel May 2024.pdff
17thcssbs2
 

Dernier (20)

size separation d pharm 1st year pharmaceutics
size separation d pharm 1st year pharmaceuticssize separation d pharm 1st year pharmaceutics
size separation d pharm 1st year pharmaceutics
 
Operations Management - Book1.p - Dr. Abdulfatah A. Salem
Operations Management - Book1.p  - Dr. Abdulfatah A. SalemOperations Management - Book1.p  - Dr. Abdulfatah A. Salem
Operations Management - Book1.p - Dr. Abdulfatah A. Salem
 
Benefits and Challenges of Using Open Educational Resources
Benefits and Challenges of Using Open Educational ResourcesBenefits and Challenges of Using Open Educational Resources
Benefits and Challenges of Using Open Educational Resources
 
Sectors of the Indian Economy - Class 10 Study Notes pdf
Sectors of the Indian Economy - Class 10 Study Notes pdfSectors of the Indian Economy - Class 10 Study Notes pdf
Sectors of the Indian Economy - Class 10 Study Notes pdf
 
Open Educational Resources Primer PowerPoint
Open Educational Resources Primer PowerPointOpen Educational Resources Primer PowerPoint
Open Educational Resources Primer PowerPoint
 
Application of Matrices in real life. Presentation on application of matrices
Application of Matrices in real life. Presentation on application of matricesApplication of Matrices in real life. Presentation on application of matrices
Application of Matrices in real life. Presentation on application of matrices
 
UNIT – IV_PCI Complaints: Complaints and evaluation of complaints, Handling o...
UNIT – IV_PCI Complaints: Complaints and evaluation of complaints, Handling o...UNIT – IV_PCI Complaints: Complaints and evaluation of complaints, Handling o...
UNIT – IV_PCI Complaints: Complaints and evaluation of complaints, Handling o...
 
GIÁO ÁN DẠY THÊM (KẾ HOẠCH BÀI BUỔI 2) - TIẾNG ANH 8 GLOBAL SUCCESS (2 CỘT) N...
GIÁO ÁN DẠY THÊM (KẾ HOẠCH BÀI BUỔI 2) - TIẾNG ANH 8 GLOBAL SUCCESS (2 CỘT) N...GIÁO ÁN DẠY THÊM (KẾ HOẠCH BÀI BUỔI 2) - TIẾNG ANH 8 GLOBAL SUCCESS (2 CỘT) N...
GIÁO ÁN DẠY THÊM (KẾ HOẠCH BÀI BUỔI 2) - TIẾNG ANH 8 GLOBAL SUCCESS (2 CỘT) N...
 
PART A. Introduction to Costumer Service
PART A. Introduction to Costumer ServicePART A. Introduction to Costumer Service
PART A. Introduction to Costumer Service
 
Advances in production technology of Grapes.pdf
Advances in production technology of Grapes.pdfAdvances in production technology of Grapes.pdf
Advances in production technology of Grapes.pdf
 
B.ed spl. HI pdusu exam paper-2023-24.pdf
B.ed spl. HI pdusu exam paper-2023-24.pdfB.ed spl. HI pdusu exam paper-2023-24.pdf
B.ed spl. HI pdusu exam paper-2023-24.pdf
 
The Art Pastor's Guide to Sabbath | Steve Thomason
The Art Pastor's Guide to Sabbath | Steve ThomasonThe Art Pastor's Guide to Sabbath | Steve Thomason
The Art Pastor's Guide to Sabbath | Steve Thomason
 
Matatag-Curriculum and the 21st Century Skills Presentation.pptx
Matatag-Curriculum and the 21st Century Skills Presentation.pptxMatatag-Curriculum and the 21st Century Skills Presentation.pptx
Matatag-Curriculum and the 21st Century Skills Presentation.pptx
 
ppt your views.ppt your views of your college in your eyes
ppt your views.ppt your views of your college in your eyesppt your views.ppt your views of your college in your eyes
ppt your views.ppt your views of your college in your eyes
 
How to Manage Notification Preferences in the Odoo 17
How to Manage Notification Preferences in the Odoo 17How to Manage Notification Preferences in the Odoo 17
How to Manage Notification Preferences in the Odoo 17
 
Jose-Rizal-and-Philippine-Nationalism-National-Symbol-2.pptx
Jose-Rizal-and-Philippine-Nationalism-National-Symbol-2.pptxJose-Rizal-and-Philippine-Nationalism-National-Symbol-2.pptx
Jose-Rizal-and-Philippine-Nationalism-National-Symbol-2.pptx
 
Basic Civil Engg Notes_Chapter-6_Environment Pollution & Engineering
Basic Civil Engg Notes_Chapter-6_Environment Pollution & EngineeringBasic Civil Engg Notes_Chapter-6_Environment Pollution & Engineering
Basic Civil Engg Notes_Chapter-6_Environment Pollution & Engineering
 
Industrial Training Report- AKTU Industrial Training Report
Industrial Training Report- AKTU Industrial Training ReportIndustrial Training Report- AKTU Industrial Training Report
Industrial Training Report- AKTU Industrial Training Report
 
IATP How-to Foreign Travel May 2024.pdff
IATP How-to Foreign Travel May 2024.pdffIATP How-to Foreign Travel May 2024.pdff
IATP How-to Foreign Travel May 2024.pdff
 
50 ĐỀ LUYỆN THI IOE LỚP 9 - NĂM HỌC 2022-2023 (CÓ LINK HÌNH, FILE AUDIO VÀ ĐÁ...
50 ĐỀ LUYỆN THI IOE LỚP 9 - NĂM HỌC 2022-2023 (CÓ LINK HÌNH, FILE AUDIO VÀ ĐÁ...50 ĐỀ LUYỆN THI IOE LỚP 9 - NĂM HỌC 2022-2023 (CÓ LINK HÌNH, FILE AUDIO VÀ ĐÁ...
50 ĐỀ LUYỆN THI IOE LỚP 9 - NĂM HỌC 2022-2023 (CÓ LINK HÌNH, FILE AUDIO VÀ ĐÁ...
 

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