SlideShare a Scribd company logo
Creating Web Applications
using jQuery
Akshay Mathur
Let’s Know Each Other
• Do you code?
• OS?
• Programing Language?
• HTML?
• JavaScript?
• JSON?
• Why are you attending?
Akshay Mathur
• Founding Team Member of
o ShopSocially (Enabling “social” for retailers)
o AirTight Neworks (Global leader of WIPS)
• 15+ years in IT industry
o Currently Principal Architect at ShopSocially
o Mostly worked with Startups
 From Conceptualization to Stabilization
 At different functions i.e. development, testing, release
 With multiple technologies
Advance JavaScript
• As we try creating real world web applications,
things go complex
• However, there immerges a pattern of
requirements
o Common functions can be created
JS Framework
• Library for simplifying JS coding
• Provides simple interface and syntactic sugar for
common JS work
o Selecting DOM element
o DOM traversal and manipulation
o Event handling
o Takes care of cross browser and cross version issues
jQuery
• Jquery is most popular
• Takes care of cross browser and cross version
issues
• Simplifys JS coding
o Selectors for easy DOM traversal
o Everything is via functions
o Same function for get and set
o …
jQuery Versions
• 2.x series doesn’t work on old IE browser
o Do not use if you need to support
 Internet Explorer 6.0
 Internet Explorer 7.0
 Internet Explorer 8.0
• 1.x series support old IE browsers
• Please carefully read jQuery download page
http://jquery.com/download/
jQuery Function
• jQuery registers a function in global scope
jquery()
• For convenience, this function is also mapped to
a single character $
$()
jQuery Function
• This functions takes an argument of various types
and returns jQuery objects
jquery(‘selector’)
$(DOM_element)
jQuery Object
• Always a list (Array)
o Methods of Array work normally on jQuery object
$(‘’).length // 0
o Members of the list are DOM elements
o Empty list, if no element
• Native JavaScript methods and properties are
o NOT available on jQuery Objects
o Available on the members of the Array
$(‘img’)[0].src
jQuery Object
• Always has all API functions
o No error on a function call
o Does nothing, if the list in jQuery object is empty
$(‘’).text() //’’
$(‘’).html() //undefined
Getting Started with jQuery
jQuery Selectors
Why Selectors
• Selecting a DOM element is needed for working
on that element
o JavaScript has many functions like getElemetByID,
getElementsByTagName etc.
• Instead, jQuery provides support of CSS selectors
plus some jQuery specific selectors
o Look at selectors page of jQuery API documentation for
complete list
Selectors
• Allows to select one or more DOM elements
o Various selection patterns are available to use
o Selector is passed as string to jQuery function
• When jQuery function is called on the selector,
jQuery object is returned
o Selected nodes include the complete DOM tree under the
node
o DOM manipulation can be done on the selected nodes
Basic Selectors
• All: ‘*’
o Selects all nodes on the page
o Top level nodes e.g. html, head, body are also included
• Tag: ‘tagname’
o Selects all nodes of a particular type e.g. div, a, span etc.
Basic Selectors
• ID: ‘#el_id’
o Selects the node having the particular ID attribute
o Does not work properly if there are more than one node
with same ID
o This is equivalent to getElementById
• Class: ‘.el_class’
o Selects all the nodes having the particular class attribute
o This is equivalent to getElementsByClassName
@akshaymathu
Reading DOM
Reading innerHTML
$(el).html()
• Reads complete HTML inside a DOM node
o Returns HTML of complete DOM tree including all child
nodes
o All HTML tags and attributes are preserved
o The output can be inserted somewhere else in the DOM
Reading innerText
$(‘selector’).text()
• Reads Text inside the selected DOM node
o Returns text of complete DOM tree including all child
nodes
o All HTML tags and attributes are removed
Advance Selectors
Combining Selectors
‘a.my_class’
Selects only the anchor nodes having having class
my_class
What does following selects do?
‘span.clas1’
‘table#my_tbl’
Combining Selectors
• Putting comma between selectors selects all of
them
‘#el_id, .my_class’
o In this case node having id el_id as well as all nodes
having class my_class will become part of returned
jQuery object
Attribute Selectors
• Attribute selectors allow to create a selection
based on any attribute of a HTML node
o Attribute Equals: “div[el_id=‘my_id’]”
o Attribute Not Equals: “div[el_id!=‘my_id’]”
o Attribute Starts with: “div[el_id^=‘my_id’]”
o Attribute Ends with: “div[el_id$=‘my_id’]”
o Attribute Contains: “div[el_id*=‘my_id’]”
• These work on custom (non-standard) attributes
as well
Going Narrow
• Descendent: ‘#el_id a’
o Selects all the anchors within the node having id=el_id
o These anchors may be at any level deep in the DOM tree
• Children: ‘#el_id>.el_class’
o Selects first level nodes having class=el_class within the
node having id=el_id
o Only one level deep DOM tree is searched in this case
Getting Started with jQuery
Filters
Narrowing Down Selection
• All possible ways to reach an element are not
available as selectors
o There are filters to further narrowing down
• Filters are applied on selectors
o They can be part of selector string
o Filter functions can be used for filtering items selected
jQuey object
Form Filters
• All text boxes:
‘:text’
• Checked checkboxes:
‘:checkbox:checked’
• Buttons with class btn:
‘.btn:button’
• Everything disabled:
‘:disabled’
• Currently focused:
‘:focus’
Narrowing Down Selection
• All visible items:
‘:visiblle’
• First/Last:
‘a:first’, ‘a:last’
• Even rows:
‘tr:even’
• Nth column of a row:
‘tr.item>td:eq(N-1)’
• All header nodes:
‘:header’
Filter Functions
• Filter functions can be applied on existing jQuery
objects for narrowing down
$(el).eq(index)
o .eq() takes an index (0 based) as parameter and selects
only the item with specific index
$(el).find(selector)
o .find() takes another selector as parameter
o It is used for selecting within a DOM tree instead of full
page
Selection Outside
• Sometimes it is needed to select parents of a
DOM node
Immediate parents
$(el).parent()
All parents up in the tree
$(el).parents(selector)
Closest parent in the tree
$(el).closest(selector)
34@akshaymathu
Manipulating DOM
Reading DOM
•Different functions are for reading different
items
Contents of a DOM node
$(el).text()
$(el).html()
Attribute of an HTML node
$(el).attr(‘attr_name’)
$(el).css(‘style_attr_name’)
Form elements
$(el).val()
$(el).prop(‘property_name’)
Writing DOM
• Same functions are used for reading and writing
Contents of a DOM node
$(el).text(‘some text’)
$(el).html(‘some HTML’)
Attribute of an HTML node
$(el).attr(‘attr_name’, ‘attr_value’)
$(el).css(‘style_attr_name’, ‘value’)
Form elements
$(el).val(‘Value’)
$(el).prop(‘property_name’, true)
Adding and Removing Nodes
• Add inside
$(el).append(html)
$(el).prepend(html)
• Add outside
$(el).before(html)
$(el).after(html)
• Remove
$(el).remove()
Changing Looks
• By changing in-line style
$(el).css(‘property-name’,
‘property_value’)
• By changing class
$(el).addClass(‘a_class’)
$(el).removeClass(‘cls’)
Chaining
• Most jQuery functions return the jQuery object
o This allows to call multiple functions one after other as a
chain without having to select again
$(‘#a_id’)
.addClass(‘bold’)
.removeClass(‘heading’);
Getting Started with jQuery
Dealing with User Actions
Triggering Event
• Browser raises the event on actions
• The events can also be programmatically
triggered
o By using .trigger() function
$(el).trigger(‘change’);
o By using the same shortcut function (that registers the
handler) without argument
$(el).click();
$(el).focus();
Handling Events
• On user’s action, browser raise corresponding
event
o Handler functions can be bind to the events
• All the handlers registered for the events get
called
o Order in which the handlers (if more than one registered)
are called is not fixed
Binding Event Handlers
• The element on which the event handler is being
bind has to be present in the DOM
$(el).on(‘click’, handler_fn);
or
$(el).click(handler_fn);
• Event handlers can also be removed
$(el).off(‘click’)
DOM Ready Event
• It is not safe to call a function that reads or writes
DOM before the DOM is completely rendered
• So it is wise to write all the code in Ready Event
handler
$(document).ready(function(){
//Code goes here
});
Event Bubbling
• The raised event bubbles up in the HTML DOM tree
till the root node
<body>
<ul>
<li>
<a href=“#”>Click
Me</a>
</li>
</ul>
</body>
Event Delegation
• Because events bubble, they can be handled at any
parent node in the DOM tree
<ul>
<li>
<a href=“#”>Click Me</a>
</li>
</ul>
• When user clicks on the link, click handlers registered at
‘a’, ‘li’ as well as at ‘ul’ will be fired
Delegated Event Handling
• This is useful if you want to attach a handler for an
element that is going to be attached in DOM later
$(‘body’).click(function(ev){
if ($(ev.target).is(‘a.yes’)){
handler();
}
});
or
$(‘body’).on(‘click’, ‘a.yes’, handler)
Event Object
• For browser events, an Object having data about
the event is passed to the event handler
o The element that initiated the event
Ev.target
o Coordinates on the page where user acted
Ev.pageX and Ev.pageY
o Code of keyboard key or mouse button
Ev.which
Testing Selection
$(el).is(selector)
• .is function is to test if output of one selector
matches other selector
$(‘body’).click(function(ev){
if ($(ev.target).is(‘a.yes’)){
handler();
}
});
Event Bubbling
• The raised event bubbles up in the HTML DOM
tree till the root node
o This bubbling can be stopped within the even handler
$(a).click(function(ev){
ev.stopPropagation();
});
Preventing Default Behavior
• By default browser does some default action
when event occurs
o For example, when an anchor is clicked, it takes user to
the location specified by ‘href’
• This default behavior can be stopped in the event
handler
$(a).click(function(ev){
ev.preventDefault();
});
Getting Started with jQuery
Talking to Server
Asynchronous JavaScript & XML
• A way in web browser to communicate with
server without reloading the page
• XmlHttpRequest (XHR) object can also create
HTTP request and receive response
o The request happens asynchronously
 Other operations on page are allowed during the
request
o Received data does not render automatically
 Data needs to be received in a callback function and
used programmatically
AJAX Call
$.ajax({
url: ‘/my_ajax_target’,
type: ‘POST’,
DataType: ‘json’,
data: {id: 2},
context: this,
success: function(response){
alert(‘Hello! ‘ + response.name);
},
error: function(){
alert(‘Please try later’);
}
});
AJAX Types
• This parameter tells what HTTP method to use
for the request
• GET and POST are supported by all browser
o $.get(url) and $.post(url) can be used as
shortcut
• Some browsers do not support PUT and DELETE
o For some web frameworks (e.g. pylons), POST with
_method data parameter can be used as proxy
AJAX Data Types
• This parameter tells how to interpret the data
returned from the server
o ‘text’: Read as plain text
o ‘xml’: Parse into XML document
o ‘html’: Parse as HTML
o ‘script’: Interpret and execute as JavaScript
o ‘json’: Convert into a JavaScript Object
o ‘jsonp’: Load as cross-domain script and convert into
JSON
AJAX Callbacks
• When AJAX events occur, callbacks registered for
those evens are called
o Similar to all callbacks, the original context and variables
are lost by default
o A context object can be passed using context parameter
$.ajax({
context: $(this).find(‘.greeting’),
success: function(response){
$(this).text(‘Hello! ‘ +
response.name);
}});
AJAX Events
• There are may AJAX events for which handlers
can be registered
o success: Called when AJAX call ends in success
o error: Called when AJAX call ends in error
o complete: Called when AJAX call ends in success or in
error
o beforeSend: Called before sending the AJAX call
Getting Started with jQuery
Animations and Effects
What is Animation
• Change in visual state (looks)
• Slow and smooth
Animation Effects
• jQuery’s standard show/hide functions also
animate
o If you pass time argument (in ms)
o Animates the content by changing size of the content
 Both height and width are changed
$(el).show(2000);
$(el).hide(2000);
Animation Effects
• Similar can be done by changing only height
o Easing name can be passed instead of time
o Hide
$(el).slideUp(‘slow’);
o Show
$(el).slideDown(‘fast’);
Animation Effects
• There are special functions for fade effect
o Changes the opacity of the object
$(el).fadeOut(2000);
$(el).fadeIn(3000);
Animation Effects
• Any effect can be created using .animate()
o Just pass desired set of CSS parameters as an object
$(el).animate({
height: 10,
opacity: 0.1
}, 5000);
Chaining Animations
• Animation take some time to complete
• Second animation has to start after the first
• Callback functions can be passed to all animation
functions
$(el).fadeOut(3000, function(){
next_animation();
});
Movie in HTML
• Multiple animations in a sequence become a
movie
o Dialog add spice
• Hosted Movie: http://bit.ly/1c6Knuo
• Code: https://github.com/mathurakshay/movie
Thanks
@akshaymathu

More Related Content

PPTX
Getting Started with Web
PPTX
Getting Started with Javascript
PPTX
Object Oriented Programing in JavaScript
PPTX
Working with GIT
PDF
jQuery -Chapter 2 - Selectors and Events
PDF
[2015/2016] Local data storage for web-based mobile apps
PPTX
SharePoint and jQuery Essentials
PPTX
jQuery
Getting Started with Web
Getting Started with Javascript
Object Oriented Programing in JavaScript
Working with GIT
jQuery -Chapter 2 - Selectors and Events
[2015/2016] Local data storage for web-based mobile apps
SharePoint and jQuery Essentials
jQuery

What's hot (20)

PDF
[2015/2016] Require JS and Handlebars JS
PDF
JavaScript
PDF
jQuery - Chapter 3 - Effects
PDF
Local storage in Web apps
PDF
Angular - Chapter 7 - HTTP Services
PDF
Angular - Chapter 4 - Data and Event Handling
PDF
jQuery - Chapter 1 - Introduction
PPT
jQuery introduction
PDF
Handlebars and Require.js
PDF
Angular - Chapter 9 - Authentication and Authorization
PDF
JavaScript - Chapter 7 - Advanced Functions
PPTX
SharePoint Cincy 2012 - jQuery essentials
PPTX
Internet and Web Technology (CLASS-10) [Node.js] | NIC/NIELIT Web Technology
PDF
RequireJS & Handlebars
PPTX
Internet and Web Technology (CLASS-14) [JSP] | NIC/NIELIT Web Technology
PDF
Introduction to JavaScript
PPT
PPTX
JavaScript and jQuery Basics
PPTX
e-suap - client technologies- english version
PDF
jQuery - Chapter 5 - Ajax
[2015/2016] Require JS and Handlebars JS
JavaScript
jQuery - Chapter 3 - Effects
Local storage in Web apps
Angular - Chapter 7 - HTTP Services
Angular - Chapter 4 - Data and Event Handling
jQuery - Chapter 1 - Introduction
jQuery introduction
Handlebars and Require.js
Angular - Chapter 9 - Authentication and Authorization
JavaScript - Chapter 7 - Advanced Functions
SharePoint Cincy 2012 - jQuery essentials
Internet and Web Technology (CLASS-10) [Node.js] | NIC/NIELIT Web Technology
RequireJS & Handlebars
Internet and Web Technology (CLASS-14) [JSP] | NIC/NIELIT Web Technology
Introduction to JavaScript
JavaScript and jQuery Basics
e-suap - client technologies- english version
jQuery - Chapter 5 - Ajax
Ad

Similar to Getting Started with jQuery (20)

PPTX
Getting started with jQuery
PDF
fuser interface-development-using-jquery
PDF
Lotusphere 2012 Speedgeeking - jQuery & Domino, a RAD Combination
PDF
Javascript libraries
PPTX
FFW Gabrovo PMG - jQuery
PDF
Introduction to jQuery
PPTX
Jquery
PPTX
Part 7
PDF
JavaScript - Chapter 12 - Document Object Model
PDF
Unit 1 - What is jQuery_Why jQuery_Syntax_Selectors.pdf
PPTX
Getting Started with jQuery
PPT
J query lecture 1
PPTX
SPTechCon - Share point and jquery essentials
PPTX
Web technologies-course 09.pptx
PPTX
Html dom & j query
KEY
User Interface Development with jQuery
PPTX
Jquery fundamentals
PPTX
XML Document Object Model (DOM)
PPTX
Jquery Complete Presentation along with Javascript Basics
PDF
The Time for Vanilla Web Components has Arrived
Getting started with jQuery
fuser interface-development-using-jquery
Lotusphere 2012 Speedgeeking - jQuery & Domino, a RAD Combination
Javascript libraries
FFW Gabrovo PMG - jQuery
Introduction to jQuery
Jquery
Part 7
JavaScript - Chapter 12 - Document Object Model
Unit 1 - What is jQuery_Why jQuery_Syntax_Selectors.pdf
Getting Started with jQuery
J query lecture 1
SPTechCon - Share point and jquery essentials
Web technologies-course 09.pptx
Html dom & j query
User Interface Development with jQuery
Jquery fundamentals
XML Document Object Model (DOM)
Jquery Complete Presentation along with Javascript Basics
The Time for Vanilla Web Components has Arrived
Ad

More from Akshay Mathur (17)

PPTX
Documentation with Sphinx
PPTX
Kubernetes Journey of a Large FinTech
PPTX
Security and Observability of Application Traffic in Kubernetes
PPTX
Enhanced Security and Visibility for Microservices Applications
PPTX
Considerations for East-West Traffic Security and Analytics for Kubernetes En...
PPTX
Kubernetes as Orchestrator for A10 Lightning Controller
PPTX
Cloud Bursting with A10 Lightning ADS
PPTX
Shared Security Responsibility Model of AWS
PPTX
Techniques for scaling application with security and visibility in cloud
PPTX
Introduction to Node js
PPTX
Getting Started with Angular JS
PDF
Releasing Software Without Testing Team
PPTX
CoffeeScript
PPTX
Creating Single Page Web App using Backbone JS
PPTX
Using Google App Engine Python
PPTX
Testing Single Page Webapp
PPTX
Mongo db
Documentation with Sphinx
Kubernetes Journey of a Large FinTech
Security and Observability of Application Traffic in Kubernetes
Enhanced Security and Visibility for Microservices Applications
Considerations for East-West Traffic Security and Analytics for Kubernetes En...
Kubernetes as Orchestrator for A10 Lightning Controller
Cloud Bursting with A10 Lightning ADS
Shared Security Responsibility Model of AWS
Techniques for scaling application with security and visibility in cloud
Introduction to Node js
Getting Started with Angular JS
Releasing Software Without Testing Team
CoffeeScript
Creating Single Page Web App using Backbone JS
Using Google App Engine Python
Testing Single Page Webapp
Mongo db

Recently uploaded (20)

PDF
Bridging biosciences and deep learning for revolutionary discoveries: a compr...
PPTX
Effective Security Operations Center (SOC) A Modern, Strategic, and Threat-In...
PPTX
Understanding_Digital_Forensics_Presentation.pptx
PDF
Unlocking AI with Model Context Protocol (MCP)
PPTX
Big Data Technologies - Introduction.pptx
PDF
NewMind AI Monthly Chronicles - July 2025
PDF
CIFDAQ's Market Insight: SEC Turns Pro Crypto
PDF
Empathic Computing: Creating Shared Understanding
PDF
NewMind AI Weekly Chronicles - August'25 Week I
PPTX
20250228 LYD VKU AI Blended-Learning.pptx
PDF
Advanced methodologies resolving dimensionality complications for autism neur...
PPT
“AI and Expert System Decision Support & Business Intelligence Systems”
PDF
Electronic commerce courselecture one. Pdf
DOCX
The AUB Centre for AI in Media Proposal.docx
PDF
Dropbox Q2 2025 Financial Results & Investor Presentation
PDF
Diabetes mellitus diagnosis method based random forest with bat algorithm
PPTX
PA Analog/Digital System: The Backbone of Modern Surveillance and Communication
PDF
Per capita expenditure prediction using model stacking based on satellite ima...
PPT
Teaching material agriculture food technology
PDF
KodekX | Application Modernization Development
Bridging biosciences and deep learning for revolutionary discoveries: a compr...
Effective Security Operations Center (SOC) A Modern, Strategic, and Threat-In...
Understanding_Digital_Forensics_Presentation.pptx
Unlocking AI with Model Context Protocol (MCP)
Big Data Technologies - Introduction.pptx
NewMind AI Monthly Chronicles - July 2025
CIFDAQ's Market Insight: SEC Turns Pro Crypto
Empathic Computing: Creating Shared Understanding
NewMind AI Weekly Chronicles - August'25 Week I
20250228 LYD VKU AI Blended-Learning.pptx
Advanced methodologies resolving dimensionality complications for autism neur...
“AI and Expert System Decision Support & Business Intelligence Systems”
Electronic commerce courselecture one. Pdf
The AUB Centre for AI in Media Proposal.docx
Dropbox Q2 2025 Financial Results & Investor Presentation
Diabetes mellitus diagnosis method based random forest with bat algorithm
PA Analog/Digital System: The Backbone of Modern Surveillance and Communication
Per capita expenditure prediction using model stacking based on satellite ima...
Teaching material agriculture food technology
KodekX | Application Modernization Development

Getting Started with jQuery

  • 1. Creating Web Applications using jQuery Akshay Mathur
  • 2. Let’s Know Each Other • Do you code? • OS? • Programing Language? • HTML? • JavaScript? • JSON? • Why are you attending?
  • 3. Akshay Mathur • Founding Team Member of o ShopSocially (Enabling “social” for retailers) o AirTight Neworks (Global leader of WIPS) • 15+ years in IT industry o Currently Principal Architect at ShopSocially o Mostly worked with Startups  From Conceptualization to Stabilization  At different functions i.e. development, testing, release  With multiple technologies
  • 4. Advance JavaScript • As we try creating real world web applications, things go complex • However, there immerges a pattern of requirements o Common functions can be created
  • 5. JS Framework • Library for simplifying JS coding • Provides simple interface and syntactic sugar for common JS work o Selecting DOM element o DOM traversal and manipulation o Event handling o Takes care of cross browser and cross version issues
  • 6. jQuery • Jquery is most popular • Takes care of cross browser and cross version issues • Simplifys JS coding o Selectors for easy DOM traversal o Everything is via functions o Same function for get and set o …
  • 7. jQuery Versions • 2.x series doesn’t work on old IE browser o Do not use if you need to support  Internet Explorer 6.0  Internet Explorer 7.0  Internet Explorer 8.0 • 1.x series support old IE browsers • Please carefully read jQuery download page http://jquery.com/download/
  • 8. jQuery Function • jQuery registers a function in global scope jquery() • For convenience, this function is also mapped to a single character $ $()
  • 9. jQuery Function • This functions takes an argument of various types and returns jQuery objects jquery(‘selector’) $(DOM_element)
  • 10. jQuery Object • Always a list (Array) o Methods of Array work normally on jQuery object $(‘’).length // 0 o Members of the list are DOM elements o Empty list, if no element • Native JavaScript methods and properties are o NOT available on jQuery Objects o Available on the members of the Array $(‘img’)[0].src
  • 11. jQuery Object • Always has all API functions o No error on a function call o Does nothing, if the list in jQuery object is empty $(‘’).text() //’’ $(‘’).html() //undefined
  • 14. Why Selectors • Selecting a DOM element is needed for working on that element o JavaScript has many functions like getElemetByID, getElementsByTagName etc. • Instead, jQuery provides support of CSS selectors plus some jQuery specific selectors o Look at selectors page of jQuery API documentation for complete list
  • 15. Selectors • Allows to select one or more DOM elements o Various selection patterns are available to use o Selector is passed as string to jQuery function • When jQuery function is called on the selector, jQuery object is returned o Selected nodes include the complete DOM tree under the node o DOM manipulation can be done on the selected nodes
  • 16. Basic Selectors • All: ‘*’ o Selects all nodes on the page o Top level nodes e.g. html, head, body are also included • Tag: ‘tagname’ o Selects all nodes of a particular type e.g. div, a, span etc.
  • 17. Basic Selectors • ID: ‘#el_id’ o Selects the node having the particular ID attribute o Does not work properly if there are more than one node with same ID o This is equivalent to getElementById • Class: ‘.el_class’ o Selects all the nodes having the particular class attribute o This is equivalent to getElementsByClassName
  • 20. Reading innerHTML $(el).html() • Reads complete HTML inside a DOM node o Returns HTML of complete DOM tree including all child nodes o All HTML tags and attributes are preserved o The output can be inserted somewhere else in the DOM
  • 21. Reading innerText $(‘selector’).text() • Reads Text inside the selected DOM node o Returns text of complete DOM tree including all child nodes o All HTML tags and attributes are removed
  • 23. Combining Selectors ‘a.my_class’ Selects only the anchor nodes having having class my_class What does following selects do? ‘span.clas1’ ‘table#my_tbl’
  • 24. Combining Selectors • Putting comma between selectors selects all of them ‘#el_id, .my_class’ o In this case node having id el_id as well as all nodes having class my_class will become part of returned jQuery object
  • 25. Attribute Selectors • Attribute selectors allow to create a selection based on any attribute of a HTML node o Attribute Equals: “div[el_id=‘my_id’]” o Attribute Not Equals: “div[el_id!=‘my_id’]” o Attribute Starts with: “div[el_id^=‘my_id’]” o Attribute Ends with: “div[el_id$=‘my_id’]” o Attribute Contains: “div[el_id*=‘my_id’]” • These work on custom (non-standard) attributes as well
  • 26. Going Narrow • Descendent: ‘#el_id a’ o Selects all the anchors within the node having id=el_id o These anchors may be at any level deep in the DOM tree • Children: ‘#el_id>.el_class’ o Selects first level nodes having class=el_class within the node having id=el_id o Only one level deep DOM tree is searched in this case
  • 29. Narrowing Down Selection • All possible ways to reach an element are not available as selectors o There are filters to further narrowing down • Filters are applied on selectors o They can be part of selector string o Filter functions can be used for filtering items selected jQuey object
  • 30. Form Filters • All text boxes: ‘:text’ • Checked checkboxes: ‘:checkbox:checked’ • Buttons with class btn: ‘.btn:button’ • Everything disabled: ‘:disabled’ • Currently focused: ‘:focus’
  • 31. Narrowing Down Selection • All visible items: ‘:visiblle’ • First/Last: ‘a:first’, ‘a:last’ • Even rows: ‘tr:even’ • Nth column of a row: ‘tr.item>td:eq(N-1)’ • All header nodes: ‘:header’
  • 32. Filter Functions • Filter functions can be applied on existing jQuery objects for narrowing down $(el).eq(index) o .eq() takes an index (0 based) as parameter and selects only the item with specific index $(el).find(selector) o .find() takes another selector as parameter o It is used for selecting within a DOM tree instead of full page
  • 33. Selection Outside • Sometimes it is needed to select parents of a DOM node Immediate parents $(el).parent() All parents up in the tree $(el).parents(selector) Closest parent in the tree $(el).closest(selector)
  • 36. Reading DOM •Different functions are for reading different items Contents of a DOM node $(el).text() $(el).html() Attribute of an HTML node $(el).attr(‘attr_name’) $(el).css(‘style_attr_name’) Form elements $(el).val() $(el).prop(‘property_name’)
  • 37. Writing DOM • Same functions are used for reading and writing Contents of a DOM node $(el).text(‘some text’) $(el).html(‘some HTML’) Attribute of an HTML node $(el).attr(‘attr_name’, ‘attr_value’) $(el).css(‘style_attr_name’, ‘value’) Form elements $(el).val(‘Value’) $(el).prop(‘property_name’, true)
  • 38. Adding and Removing Nodes • Add inside $(el).append(html) $(el).prepend(html) • Add outside $(el).before(html) $(el).after(html) • Remove $(el).remove()
  • 39. Changing Looks • By changing in-line style $(el).css(‘property-name’, ‘property_value’) • By changing class $(el).addClass(‘a_class’) $(el).removeClass(‘cls’)
  • 40. Chaining • Most jQuery functions return the jQuery object o This allows to call multiple functions one after other as a chain without having to select again $(‘#a_id’) .addClass(‘bold’) .removeClass(‘heading’);
  • 42. Dealing with User Actions
  • 43. Triggering Event • Browser raises the event on actions • The events can also be programmatically triggered o By using .trigger() function $(el).trigger(‘change’); o By using the same shortcut function (that registers the handler) without argument $(el).click(); $(el).focus();
  • 44. Handling Events • On user’s action, browser raise corresponding event o Handler functions can be bind to the events • All the handlers registered for the events get called o Order in which the handlers (if more than one registered) are called is not fixed
  • 45. Binding Event Handlers • The element on which the event handler is being bind has to be present in the DOM $(el).on(‘click’, handler_fn); or $(el).click(handler_fn); • Event handlers can also be removed $(el).off(‘click’)
  • 46. DOM Ready Event • It is not safe to call a function that reads or writes DOM before the DOM is completely rendered • So it is wise to write all the code in Ready Event handler $(document).ready(function(){ //Code goes here });
  • 47. Event Bubbling • The raised event bubbles up in the HTML DOM tree till the root node <body> <ul> <li> <a href=“#”>Click Me</a> </li> </ul> </body>
  • 48. Event Delegation • Because events bubble, they can be handled at any parent node in the DOM tree <ul> <li> <a href=“#”>Click Me</a> </li> </ul> • When user clicks on the link, click handlers registered at ‘a’, ‘li’ as well as at ‘ul’ will be fired
  • 49. Delegated Event Handling • This is useful if you want to attach a handler for an element that is going to be attached in DOM later $(‘body’).click(function(ev){ if ($(ev.target).is(‘a.yes’)){ handler(); } }); or $(‘body’).on(‘click’, ‘a.yes’, handler)
  • 50. Event Object • For browser events, an Object having data about the event is passed to the event handler o The element that initiated the event Ev.target o Coordinates on the page where user acted Ev.pageX and Ev.pageY o Code of keyboard key or mouse button Ev.which
  • 51. Testing Selection $(el).is(selector) • .is function is to test if output of one selector matches other selector $(‘body’).click(function(ev){ if ($(ev.target).is(‘a.yes’)){ handler(); } });
  • 52. Event Bubbling • The raised event bubbles up in the HTML DOM tree till the root node o This bubbling can be stopped within the even handler $(a).click(function(ev){ ev.stopPropagation(); });
  • 53. Preventing Default Behavior • By default browser does some default action when event occurs o For example, when an anchor is clicked, it takes user to the location specified by ‘href’ • This default behavior can be stopped in the event handler $(a).click(function(ev){ ev.preventDefault(); });
  • 56. Asynchronous JavaScript & XML • A way in web browser to communicate with server without reloading the page • XmlHttpRequest (XHR) object can also create HTTP request and receive response o The request happens asynchronously  Other operations on page are allowed during the request o Received data does not render automatically  Data needs to be received in a callback function and used programmatically
  • 57. AJAX Call $.ajax({ url: ‘/my_ajax_target’, type: ‘POST’, DataType: ‘json’, data: {id: 2}, context: this, success: function(response){ alert(‘Hello! ‘ + response.name); }, error: function(){ alert(‘Please try later’); } });
  • 58. AJAX Types • This parameter tells what HTTP method to use for the request • GET and POST are supported by all browser o $.get(url) and $.post(url) can be used as shortcut • Some browsers do not support PUT and DELETE o For some web frameworks (e.g. pylons), POST with _method data parameter can be used as proxy
  • 59. AJAX Data Types • This parameter tells how to interpret the data returned from the server o ‘text’: Read as plain text o ‘xml’: Parse into XML document o ‘html’: Parse as HTML o ‘script’: Interpret and execute as JavaScript o ‘json’: Convert into a JavaScript Object o ‘jsonp’: Load as cross-domain script and convert into JSON
  • 60. AJAX Callbacks • When AJAX events occur, callbacks registered for those evens are called o Similar to all callbacks, the original context and variables are lost by default o A context object can be passed using context parameter $.ajax({ context: $(this).find(‘.greeting’), success: function(response){ $(this).text(‘Hello! ‘ + response.name); }});
  • 61. AJAX Events • There are may AJAX events for which handlers can be registered o success: Called when AJAX call ends in success o error: Called when AJAX call ends in error o complete: Called when AJAX call ends in success or in error o beforeSend: Called before sending the AJAX call
  • 64. What is Animation • Change in visual state (looks) • Slow and smooth
  • 65. Animation Effects • jQuery’s standard show/hide functions also animate o If you pass time argument (in ms) o Animates the content by changing size of the content  Both height and width are changed $(el).show(2000); $(el).hide(2000);
  • 66. Animation Effects • Similar can be done by changing only height o Easing name can be passed instead of time o Hide $(el).slideUp(‘slow’); o Show $(el).slideDown(‘fast’);
  • 67. Animation Effects • There are special functions for fade effect o Changes the opacity of the object $(el).fadeOut(2000); $(el).fadeIn(3000);
  • 68. Animation Effects • Any effect can be created using .animate() o Just pass desired set of CSS parameters as an object $(el).animate({ height: 10, opacity: 0.1 }, 5000);
  • 69. Chaining Animations • Animation take some time to complete • Second animation has to start after the first • Callback functions can be passed to all animation functions $(el).fadeOut(3000, function(){ next_animation(); });
  • 70. Movie in HTML • Multiple animations in a sequence become a movie o Dialog add spice • Hosted Movie: http://bit.ly/1c6Knuo • Code: https://github.com/mathurakshay/movie