SlideShare uma empresa Scribd logo
1 de 37
Using Modern Browser
 APIs to Improve the
 Performance of Your
  Web Applications
                Nic Jansma
                     @NicJ
                 //nicj.net
Who am I?
Nic Jansma

Microsoft Sr. Developer (2005-2011)
• Windows 7 & IE 9/10 Performance Teams

Founding member of W3C WebPerf WG

Founder of Wolverine Digital LLC

Developing high-performance websites, apps and games

                nic@nicj.net       @NicJ      http://nicj.net
                        http://github.com/nicjansma
                   http://www.slideshare.net/nicjansma/
Performance Measurement
            (<=2010)
    Server-side         Developer        Client-side / Real
• HTTP logs         • Browser                  World
• Server              developer tools   • Date.now() !?!?
  monitoring          (Firebug /        • Client side-
  (cacti / mrtg /     Chrome / IE)        hacks
  nagios)           • Network             (Boomerang)
• Profiling hooks     monitoring
                      (Fiddler /
                      WireShark)
State of Performance (<=2010)
• Measuring performance from the server and developer perspective
  is not the full story

• The only thing that really matters is what your end-user sees

• Measuring real-world performance of your end-users is tough

• No standardized APIs in the browser that expose performance stats

• Other client hacks exist (eg timing via Date.now()), but these are
  imprecise and not sufficient
WebPerf WG
• Founded in 2010 to give developers the ability to assess and
  understand performance characteristics of their applications

   “The mission of the Web Performance Working Group is to provide methods to measure
   aspects of application performance of user agent features and APIs”



• Collaborative effort from Microsoft, Google, Mozilla, Opera,
  Facebook, Netflix, etc
W3C WebPerf Goals
• Expose information that was not previously available

• Give developers the tools they need to make their
  applications more efficient

• Little or no overhead

• Easy to understand APIs
W3C WebPerf Specs
•   Navigation Timing (NT): Page load timings
•   Resource Timing (RT): Resource load times
•   User Timing (UT): Custom site events and measurements
•   Performance Timeline: Access NT/RT/UT and future timings
    from one interface
•   Page Visibility: Visibility state of document
•   Timing control for script-based animations:
    requestAnimationFrame
•   High Resolution Time: Better Date.now()
•   Efficient Script Yielding: More efficient than setTimeout(...,0) /
    setImmediate()
Navigation Timing (NT)
•   http://www.w3.org/TR/navigation-timing/
•   Page load and other network phase timings
•   Great modern browser support
NT: Why You Should Care
• How it was done before:

<html><head><script>
var start = new Date().getTime();
function onLoad {
    var pageLoadTime = (new Date().getTime()) - start;
}
body.addEventListener(“load”, onLoad, false);
</script>...</html>

•   That’s all you get: total page load time (kinda)
     o   Technically, you get the time from the start of processing of JS in your HEAD to the time the body’s onLoad event fires


•   Says nothing of time spent before HEAD is parsed (DNS, TCP, HTTP request)

•   Date.getTime() has problems (imprecise, not monotonically non-decreasing, user clock
    changes)
NT: How To Use
• DOM:
  window.performance.timing
• Phases of navigation
   o   Redirect (301/302s)
   o   DNS
   o   TCP
   o   SSL
   o   Request
   o   Response
   o   Processing (DOM events)
   o   Load
NT: How To Use
How to Use
• Sample real-world page load times
• XHR back to mothership
   JSON.stringify(window.performance):

   "{"timing":{"navigationStart":0,"unloadEventStart":0,"unloadEven
   tEnd":0,"redirectStart":0,"redirectEnd":0,"fetchStart":134850684
   2513,"domainLookupStart":1348506842513,"domainLookupEnd":1348506
   842513,"connectStart":1348506842513,"connectEnd":1348506842513,"
   requestStart":1348506842513,"responseStart":1348506842595,"respo
   nseEnd":1348506842791,"domLoading":1348506842597,"domInteractive
   ":1348506842616,"domContentLoadedEventStart":1348506842795,"domC
   ontentLoadedEventEnd":1348506842795,"domComplete":1348506842795,
   "loadEventStart":1348506842900,"loadEventEnd":1348506842900,"msF
   irstPaint":1348506842707},"navigation":{"redirectCount":1,"type"
   :0}}"

Used by:
• Google Analytics' Site Speed
• Boomerang
Demo
• http://ie.microsoft.com/testdrive/Perfo
   rmance/msPerformance/Default.html
Resource Timing (RT)
• http://www.w3.org/TR/resource-timing/

• Similar to NavigationTiming, but for all of the
  resources (images, scripts, css, media, etc) on your
  page

• Get most of the data you can see in Net panel in
  Firebug/etc

• Support:
  • IE10
  • Chrome 25+ (prefixed)
RT: Why You Should Care
• How it was done before:

(it wasn’t)

• For dynamically inserted content, you could time how long it took from
  DOM insertion to the element’s onLoad event, but that’s not practical for
  all of your resources

• You can get this information from Firebug, but that’s not the end-user’s
  performance
RT: How To Use
• DOM: See
  PerformanceTimeline
• Each resource:
   o URL
   o Initiator type (SCRIPT/IMG/CSS/XHR)
• Timings:
   o   Redirect (301/302s)
   o   DNS
   o   TCP
   o   Request
   o   SSL
   o   Response
   o   Processing (DOM events)
   o   Load
RT: How To Use
Gotchas
• Many attributes zero’d out if the resource is cross-domain (redirect, DNS,
   connect, TCP, SSL, request) UNLESS server sends Timing-Allow-
   Origin HTTP header

     Timing-Allow-Origin: [* | yourserver.com]

• This is to protect your privacy (attacker can’t load random URLs to see
  where you’ve been)

• Your own CDNs should send this HTTP header if you want timing data.
  3rd-party CDNs/scripts (eg. Google Analytics) should add this too.

• Only first 150 resources will be captured unless
  setResourceTimingBufferSize() is called
Performance Timeline (PT)
• http://www.w3.org/TR/performance-timeline/

• Interface to access all of the performance metrics that
  the browser exposes (eg. Navigation Timing, Resource
  Timing, User Timing, etc)

• Support:
  • IE10
  • Chrome 25+ (prefixed)
PT: Why You Should Care
• Only way to access Resource Timing, User Timing, etc

• Gives you a timeline view of performance metrics as they
  occur

• Future interfaces (say, rendering events) can be added as long
  as they hook into the Performance Timeline interface
PT: How To Use
• performance.getEntries()
     o All entries in one array

• performance.getEntriesByType(type)
     o eg performance.getEntriesByType(“resource”)

• performance.getEntriesByName(name)
     o eg performance.getEntriesByName(“http://myurl.com/foo.js”)


interface PerformanceEntry {
   readonly attribute DOMString name;
   readonly attribute DOMString entryType;
   readonly attribute DOMHighResTimeStamp startTime;
   readonly attribute DOMHighResTimeStamp duration;
};
PT: How To USe
Example
User Timing (UT)
• http://www.w3.org/TR/user-timing/

• Custom site profiling and measurements

• Support:
  • IE10
  • Chrome 25+ (prefixed)
UT: Why You Should Care
• How it was done before:

<script>
var myMeasurements = [];
var startMeasure = new Date().getTime();
...
myMeasurements.push((new Date().getTime()) -
start);
</script>

• Problems: Date is imprecise, not monotonically non-decreasing, user clock
  changes
UT: How To Use
• Mark a timestamp:
performance.mark(“foo_start”)
performance.mark(“foo_end”)


• Log a measure (difference of two marks)
performance.measure(“foo”, “foo_start”, “foo_end”)


• Get marks and measures
performance.getEntriesByType(“mark”)
[
 {name: “foo_start”, entryType: “mark”, startTime: 1000000.203, duration: 0}
 {name: “foo_end”, entryType: “mark”, startTime: 1000010.406, duration: 0}
]

performance.getEntriesByType(“measure”)
[
{name: “foo_end”, entryType: “measure”, startTime: 1000000.203, duration: 10.203}
]
UT: How To Use
• Easy way to add profiling events to your application

• Uses DOMHighResolutionTimeStamp instead of
  Date.getTime() for higher precision

• Can be used along-side NT and RT timings to get a better
  understanding of your app’s performance in the real-world
Page Visibility (PV)
• http://www.w3.org/TR/2013/PR-page-visibility-20130219/

• Know when your application is not visible to the user
PV: Why You Should Care
•   How it was done before:

(it wasn’t)
or
“Are you still there?” popups

•   There are times when you may want to know that you can “stop” doing something
    if the user isn’t actively looking at your app:
      o Applications that periodically do background work (eg, a mail client checking
         for new messages)
      o Games (auto-pause)

•   Knowing this gives you the option of stopping or scaling back your work

•   Not doing background work is an efficiency gain -- less resource usage, less
    network usage, longer battery life
PV: How To Use
• document.hidden: True if:
   o   User agent is minimized
   o   Page is on a background tab
   o   User agent is about to unload the page
   o   Operating System lock screen is shown



• document.visibilityState:
   o hidden, visible, prerender, unloaded


• visibilitychange event
   o Fired whenever visibilityState has changed
PV: How To Use
Automatically scale back checking for email if app isn’t visible:

var timer = 0;
var PERIOD_VISIBLE = 1000;
var PERIOD_NOT_VISIBLE = 60000;

function onLoad() {
  timer = setInterval(checkEmail, (document.hidden) ? PERIOD_NOT_VISIBLE : PERIOD_VISIBLE);
  document.addEventListener("visibilitychange", visibilityChanged);
}

function visibilityChanged() {
  clearTimeout(timer);
  timer = setInterval(checkEmail, (document.hidden) ? PERIOD_NOT_VISIBLE : PERIOD_VISIBLE);
}

function checkEmail() { // Check server for new messages }
Timing control for script-based
 animations (requestAnimationFrame)
• http://www.w3.org/TR/animation-timing/

• Smarter animations
RAF: Why You Should Care
• How it was done before:

setTimeout(myAnimation, 10)

• Might be throttled in background tabs (Chrome 1fps)

• The browser can be smarter:

• Coalesce multiple timers (frame animations) so they all draw (and
  thus reflow/repaint) at the same time instead of odd intervals,
  along with CSS transitions and SVG SMIL

• Can sync with the device’s frame rate
RAF: How To Use
• Instead of:
function render() { ... stuff ... }

setInterval(render, 16);


• Do:

// Find a good polyfill for requestAnimationFrame
(function animate() {
  requestAnimationFrame(animate);
  render();
})();
High Resolution Time (HRT)
• http://www.w3.org/TR/hr-time/

• A better Date.now

• IE10+, Chrome 23(?)+, Firefox 18(?)+
HRT: Why You Should Care
• Date.now() / Date().getTime() is the number of milliseconds
  since January 1, 1970 UTC.

• To be backwards compatible, modern browsers can only get
  as precise as 1ms

• Resolution of 15+ms in older browsers

• Is not monotonically non-decreasing: it does not guarantee
  that subsequent queries will not be negative. For example,
  this could happen due to a client system clock change.
HRT: How To Use

window.performance.now()


• Monotonically non-decreasing
• Allows higher than 1ms precision
• Is defined as time since
  performance.timing.navigationStart
• NOTE: Is NOT milliseconds since UTC 1970
Efficient Script Yielding (setImmediate)
• http://www.w3.org/TR/animation-timing/

• Smarter than setTimeout(..., 0)

• Great demo @
  http://ie.microsoft.com/testdrive/Performance/setImmediat
  eSorting/Default.html
ESY: Why You Should Care
•   How it was done before:

    setTimeout(longTask, 0);

•   Done to breakup long tasks and to avoid Long Running Script dialogs

•   At max, setTimeout() in this manner will callback every 15.6ms (HTML4) or 4ms
    (HTML5) or 1s (modern browsers in background tabs) because callback depends
    on OS interrupts

•   Setting a 0ms timeout still takes 4-15.6ms to callback

•   Not efficient! Keeps CPU from entering low-power states (40% decrease in battery
    life)

•   setImmediate yields if there is UI work to be done, but doesn’t need to wait for
    the next processor interrupt
ESY: How To Use
setImmediate(longTask);

•   Waits for the UI queue to empty

•   If nothing in the queue, runs immediately (eg without setTimeout()
    4ms/15.6ms/1s delay)
Questions?
@NicJ

nic@nicj.net

Slides @ http://www.slideshare.net/nicjansma/

Mais conteúdo relacionado

Mais procurados

Front-End Single Point of Failure - Velocity 2016 Training
Front-End Single Point of Failure - Velocity 2016 TrainingFront-End Single Point of Failure - Velocity 2016 Training
Front-End Single Point of Failure - Velocity 2016 TrainingPatrick Meenan
 
Measuring web performance
Measuring web performanceMeasuring web performance
Measuring web performancePatrick Meenan
 
WebPagetest Power Users - Velocity 2014
WebPagetest Power Users - Velocity 2014WebPagetest Power Users - Velocity 2014
WebPagetest Power Users - Velocity 2014Patrick Meenan
 
Building Cross Platform Apps with Electron
Building Cross Platform Apps with ElectronBuilding Cross Platform Apps with Electron
Building Cross Platform Apps with ElectronChris Ward
 
Reliably Measuring Responsiveness
Reliably Measuring ResponsivenessReliably Measuring Responsiveness
Reliably Measuring ResponsivenessNicholas Jansma
 
Performance on the Yahoo! Homepage
Performance on the Yahoo! HomepagePerformance on the Yahoo! Homepage
Performance on the Yahoo! HomepageNicholas Zakas
 
Metrics, metrics everywhere (but where the heck do you start?)
Metrics, metrics everywhere (but where the heck do you start?)Metrics, metrics everywhere (but where the heck do you start?)
Metrics, metrics everywhere (but where the heck do you start?)Tammy Everts
 
Enough with the JavaScript already!
Enough with the JavaScript already!Enough with the JavaScript already!
Enough with the JavaScript already!Nicholas Zakas
 
Real World Lessons in Progressive Web Application & Service Worker Caching
Real World Lessons in Progressive Web Application & Service Worker CachingReal World Lessons in Progressive Web Application & Service Worker Caching
Real World Lessons in Progressive Web Application & Service Worker CachingChris Love
 
JavaScript Timers, Power Consumption, and Performance
JavaScript Timers, Power Consumption, and PerformanceJavaScript Timers, Power Consumption, and Performance
JavaScript Timers, Power Consumption, and PerformanceNicholas Zakas
 
[1C1]Service Workers
[1C1]Service Workers[1C1]Service Workers
[1C1]Service WorkersNAVER D2
 
High Performance JavaScript (Amazon DevCon 2011)
High Performance JavaScript (Amazon DevCon 2011)High Performance JavaScript (Amazon DevCon 2011)
High Performance JavaScript (Amazon DevCon 2011)Nicholas Zakas
 
Building performance into the new yahoo homepage presentation
Building performance into the new yahoo  homepage presentationBuilding performance into the new yahoo  homepage presentation
Building performance into the new yahoo homepage presentationmasudakram
 
Measuring the visual experience of website performance
Measuring the visual experience of website performanceMeasuring the visual experience of website performance
Measuring the visual experience of website performancePatrick Meenan
 
High Performance JavaScript - Fronteers 2010
High Performance JavaScript - Fronteers 2010High Performance JavaScript - Fronteers 2010
High Performance JavaScript - Fronteers 2010Nicholas Zakas
 
Tracking Performance - Velocity NYC 2013
Tracking Performance - Velocity NYC 2013Tracking Performance - Velocity NYC 2013
Tracking Performance - Velocity NYC 2013Patrick Meenan
 
Performance Metrics in a Day with Selenium
Performance Metrics in a Day with SeleniumPerformance Metrics in a Day with Selenium
Performance Metrics in a Day with SeleniumMark Watson
 
High Performance JavaScript (YUIConf 2010)
High Performance JavaScript (YUIConf 2010)High Performance JavaScript (YUIConf 2010)
High Performance JavaScript (YUIConf 2010)Nicholas Zakas
 

Mais procurados (20)

Front-End Single Point of Failure - Velocity 2016 Training
Front-End Single Point of Failure - Velocity 2016 TrainingFront-End Single Point of Failure - Velocity 2016 Training
Front-End Single Point of Failure - Velocity 2016 Training
 
Measuring web performance
Measuring web performanceMeasuring web performance
Measuring web performance
 
WebPagetest Power Users - Velocity 2014
WebPagetest Power Users - Velocity 2014WebPagetest Power Users - Velocity 2014
WebPagetest Power Users - Velocity 2014
 
Responsive interfaces
Responsive interfacesResponsive interfaces
Responsive interfaces
 
Building Cross Platform Apps with Electron
Building Cross Platform Apps with ElectronBuilding Cross Platform Apps with Electron
Building Cross Platform Apps with Electron
 
Reliably Measuring Responsiveness
Reliably Measuring ResponsivenessReliably Measuring Responsiveness
Reliably Measuring Responsiveness
 
Making the web faster
Making the web fasterMaking the web faster
Making the web faster
 
Performance on the Yahoo! Homepage
Performance on the Yahoo! HomepagePerformance on the Yahoo! Homepage
Performance on the Yahoo! Homepage
 
Metrics, metrics everywhere (but where the heck do you start?)
Metrics, metrics everywhere (but where the heck do you start?)Metrics, metrics everywhere (but where the heck do you start?)
Metrics, metrics everywhere (but where the heck do you start?)
 
Enough with the JavaScript already!
Enough with the JavaScript already!Enough with the JavaScript already!
Enough with the JavaScript already!
 
Real World Lessons in Progressive Web Application & Service Worker Caching
Real World Lessons in Progressive Web Application & Service Worker CachingReal World Lessons in Progressive Web Application & Service Worker Caching
Real World Lessons in Progressive Web Application & Service Worker Caching
 
JavaScript Timers, Power Consumption, and Performance
JavaScript Timers, Power Consumption, and PerformanceJavaScript Timers, Power Consumption, and Performance
JavaScript Timers, Power Consumption, and Performance
 
[1C1]Service Workers
[1C1]Service Workers[1C1]Service Workers
[1C1]Service Workers
 
High Performance JavaScript (Amazon DevCon 2011)
High Performance JavaScript (Amazon DevCon 2011)High Performance JavaScript (Amazon DevCon 2011)
High Performance JavaScript (Amazon DevCon 2011)
 
Building performance into the new yahoo homepage presentation
Building performance into the new yahoo  homepage presentationBuilding performance into the new yahoo  homepage presentation
Building performance into the new yahoo homepage presentation
 
Measuring the visual experience of website performance
Measuring the visual experience of website performanceMeasuring the visual experience of website performance
Measuring the visual experience of website performance
 
High Performance JavaScript - Fronteers 2010
High Performance JavaScript - Fronteers 2010High Performance JavaScript - Fronteers 2010
High Performance JavaScript - Fronteers 2010
 
Tracking Performance - Velocity NYC 2013
Tracking Performance - Velocity NYC 2013Tracking Performance - Velocity NYC 2013
Tracking Performance - Velocity NYC 2013
 
Performance Metrics in a Day with Selenium
Performance Metrics in a Day with SeleniumPerformance Metrics in a Day with Selenium
Performance Metrics in a Day with Selenium
 
High Performance JavaScript (YUIConf 2010)
High Performance JavaScript (YUIConf 2010)High Performance JavaScript (YUIConf 2010)
High Performance JavaScript (YUIConf 2010)
 

Destaque

Using Phing for Fun and Profit
Using Phing for Fun and ProfitUsing Phing for Fun and Profit
Using Phing for Fun and ProfitNicholas Jansma
 
The Happy Path: Migration Strategies for Node.js
The Happy Path: Migration Strategies for Node.jsThe Happy Path: Migration Strategies for Node.js
The Happy Path: Migration Strategies for Node.jsNicholas Jansma
 
Appcelerator Titanium Intro
Appcelerator Titanium IntroAppcelerator Titanium Intro
Appcelerator Titanium IntroNicholas Jansma
 
Appcelerator Titanium Intro (2014)
Appcelerator Titanium Intro (2014)Appcelerator Titanium Intro (2014)
Appcelerator Titanium Intro (2014)Nicholas Jansma
 
Html5 devconf nodejs_devops_shubhra
Html5 devconf nodejs_devops_shubhraHtml5 devconf nodejs_devops_shubhra
Html5 devconf nodejs_devops_shubhraShubhra Kar
 
Measuring the Performance of Single Page Applications
Measuring the Performance of Single Page ApplicationsMeasuring the Performance of Single Page Applications
Measuring the Performance of Single Page ApplicationsNicholas Jansma
 
Javascript Module Patterns
Javascript Module PatternsJavascript Module Patterns
Javascript Module PatternsNicholas Jansma
 

Destaque (8)

Using Phing for Fun and Profit
Using Phing for Fun and ProfitUsing Phing for Fun and Profit
Using Phing for Fun and Profit
 
The Happy Path: Migration Strategies for Node.js
The Happy Path: Migration Strategies for Node.jsThe Happy Path: Migration Strategies for Node.js
The Happy Path: Migration Strategies for Node.js
 
Appcelerator Titanium Intro
Appcelerator Titanium IntroAppcelerator Titanium Intro
Appcelerator Titanium Intro
 
Appcelerator Titanium Intro (2014)
Appcelerator Titanium Intro (2014)Appcelerator Titanium Intro (2014)
Appcelerator Titanium Intro (2014)
 
Sails.js Intro
Sails.js IntroSails.js Intro
Sails.js Intro
 
Html5 devconf nodejs_devops_shubhra
Html5 devconf nodejs_devops_shubhraHtml5 devconf nodejs_devops_shubhra
Html5 devconf nodejs_devops_shubhra
 
Measuring the Performance of Single Page Applications
Measuring the Performance of Single Page ApplicationsMeasuring the Performance of Single Page Applications
Measuring the Performance of Single Page Applications
 
Javascript Module Patterns
Javascript Module PatternsJavascript Module Patterns
Javascript Module Patterns
 

Semelhante a Using Modern Browser APIs to Improve the Performance of Your Web Applications

Tool it Up! - Session #2 - NetPanel
Tool it Up! - Session #2 - NetPanelTool it Up! - Session #2 - NetPanel
Tool it Up! - Session #2 - NetPaneltoolitup
 
Metrics, metrics everywhere (but where the heck do you start?)
Metrics, metrics everywhere (but where the heck do you start?) Metrics, metrics everywhere (but where the heck do you start?)
Metrics, metrics everywhere (but where the heck do you start?) SOASTA
 
Velocity NYC: Metrics, metrics everywhere (but where the heck do you start?)
Velocity NYC: Metrics, metrics everywhere (but where the heck do you start?)Velocity NYC: Metrics, metrics everywhere (but where the heck do you start?)
Velocity NYC: Metrics, metrics everywhere (but where the heck do you start?)Cliff Crocker
 
Monitoring web application response times^lj a hybrid approach for windows
Monitoring web application response times^lj a hybrid approach for windowsMonitoring web application response times^lj a hybrid approach for windows
Monitoring web application response times^lj a hybrid approach for windowsMark Friedman
 
SharePoint 2013 Performance Analysis - Robi Vončina
SharePoint 2013 Performance Analysis - Robi VončinaSharePoint 2013 Performance Analysis - Robi Vončina
SharePoint 2013 Performance Analysis - Robi VončinaSPC Adriatics
 
Edge 2014: A Modern Approach to Performance Monitoring
Edge 2014: A Modern Approach to Performance MonitoringEdge 2014: A Modern Approach to Performance Monitoring
Edge 2014: A Modern Approach to Performance MonitoringAkamai Technologies
 
DockerCon Europe 2018 Monitoring & Logging Workshop
DockerCon Europe 2018 Monitoring & Logging WorkshopDockerCon Europe 2018 Monitoring & Logging Workshop
DockerCon Europe 2018 Monitoring & Logging WorkshopBrian Christner
 
Why is this ASP.NET web app running slowly?
Why is this ASP.NET web app running slowly?Why is this ASP.NET web app running slowly?
Why is this ASP.NET web app running slowly?Mark Friedman
 
JavaOne 2015: Top Performance Patterns Deep Dive
JavaOne 2015: Top Performance Patterns Deep DiveJavaOne 2015: Top Performance Patterns Deep Dive
JavaOne 2015: Top Performance Patterns Deep DiveAndreas Grabner
 
Odata V4 : The New way to REST for Your Applications
Odata V4 : The New way to REST for Your Applications Odata V4 : The New way to REST for Your Applications
Odata V4 : The New way to REST for Your Applications Alok Chhabria
 
Client-Side Performance Monitoring (MobileTea, Rome)
Client-Side Performance Monitoring (MobileTea, Rome)Client-Side Performance Monitoring (MobileTea, Rome)
Client-Side Performance Monitoring (MobileTea, Rome)Andrew Rota
 
Measuring User Experience in the Browser
Measuring User Experience in the BrowserMeasuring User Experience in the Browser
Measuring User Experience in the BrowserAlois Reitbauer
 
Application Performance Troubleshooting 1x1 - Part 2 - Noch mehr Schweine und...
Application Performance Troubleshooting 1x1 - Part 2 - Noch mehr Schweine und...Application Performance Troubleshooting 1x1 - Part 2 - Noch mehr Schweine und...
Application Performance Troubleshooting 1x1 - Part 2 - Noch mehr Schweine und...rschuppe
 
Performance eng prakash.sahu
Performance eng prakash.sahuPerformance eng prakash.sahu
Performance eng prakash.sahuDr. Prakash Sahu
 
A Modern Approach to Performance Monitoring
A Modern Approach to Performance MonitoringA Modern Approach to Performance Monitoring
A Modern Approach to Performance MonitoringCliff Crocker
 
Hangman for the Masses Showcase of Web Tech
Hangman for the Masses Showcase of Web TechHangman for the Masses Showcase of Web Tech
Hangman for the Masses Showcase of Web TechOlmo F. Maldonado
 
Measuring CDN performance and why you're doing it wrong
Measuring CDN performance and why you're doing it wrongMeasuring CDN performance and why you're doing it wrong
Measuring CDN performance and why you're doing it wrongFastly
 

Semelhante a Using Modern Browser APIs to Improve the Performance of Your Web Applications (20)

Tool it Up! - Session #2 - NetPanel
Tool it Up! - Session #2 - NetPanelTool it Up! - Session #2 - NetPanel
Tool it Up! - Session #2 - NetPanel
 
Metrics, metrics everywhere (but where the heck do you start?)
Metrics, metrics everywhere (but where the heck do you start?) Metrics, metrics everywhere (but where the heck do you start?)
Metrics, metrics everywhere (but where the heck do you start?)
 
Velocity NYC: Metrics, metrics everywhere (but where the heck do you start?)
Velocity NYC: Metrics, metrics everywhere (but where the heck do you start?)Velocity NYC: Metrics, metrics everywhere (but where the heck do you start?)
Velocity NYC: Metrics, metrics everywhere (but where the heck do you start?)
 
Monitoring web application response times^lj a hybrid approach for windows
Monitoring web application response times^lj a hybrid approach for windowsMonitoring web application response times^lj a hybrid approach for windows
Monitoring web application response times^lj a hybrid approach for windows
 
SharePoint 2013 Performance Analysis - Robi Vončina
SharePoint 2013 Performance Analysis - Robi VončinaSharePoint 2013 Performance Analysis - Robi Vončina
SharePoint 2013 Performance Analysis - Robi Vončina
 
Salesforce Performance hacks - Client Side
Salesforce Performance hacks - Client SideSalesforce Performance hacks - Client Side
Salesforce Performance hacks - Client Side
 
Edge 2014: A Modern Approach to Performance Monitoring
Edge 2014: A Modern Approach to Performance MonitoringEdge 2014: A Modern Approach to Performance Monitoring
Edge 2014: A Modern Approach to Performance Monitoring
 
Browser Based Performance Testing and Tuning
Browser Based Performance Testing and TuningBrowser Based Performance Testing and Tuning
Browser Based Performance Testing and Tuning
 
DockerCon Europe 2018 Monitoring & Logging Workshop
DockerCon Europe 2018 Monitoring & Logging WorkshopDockerCon Europe 2018 Monitoring & Logging Workshop
DockerCon Europe 2018 Monitoring & Logging Workshop
 
Real time web
Real time webReal time web
Real time web
 
Why is this ASP.NET web app running slowly?
Why is this ASP.NET web app running slowly?Why is this ASP.NET web app running slowly?
Why is this ASP.NET web app running slowly?
 
JavaOne 2015: Top Performance Patterns Deep Dive
JavaOne 2015: Top Performance Patterns Deep DiveJavaOne 2015: Top Performance Patterns Deep Dive
JavaOne 2015: Top Performance Patterns Deep Dive
 
Odata V4 : The New way to REST for Your Applications
Odata V4 : The New way to REST for Your Applications Odata V4 : The New way to REST for Your Applications
Odata V4 : The New way to REST for Your Applications
 
Client-Side Performance Monitoring (MobileTea, Rome)
Client-Side Performance Monitoring (MobileTea, Rome)Client-Side Performance Monitoring (MobileTea, Rome)
Client-Side Performance Monitoring (MobileTea, Rome)
 
Measuring User Experience in the Browser
Measuring User Experience in the BrowserMeasuring User Experience in the Browser
Measuring User Experience in the Browser
 
Application Performance Troubleshooting 1x1 - Part 2 - Noch mehr Schweine und...
Application Performance Troubleshooting 1x1 - Part 2 - Noch mehr Schweine und...Application Performance Troubleshooting 1x1 - Part 2 - Noch mehr Schweine und...
Application Performance Troubleshooting 1x1 - Part 2 - Noch mehr Schweine und...
 
Performance eng prakash.sahu
Performance eng prakash.sahuPerformance eng prakash.sahu
Performance eng prakash.sahu
 
A Modern Approach to Performance Monitoring
A Modern Approach to Performance MonitoringA Modern Approach to Performance Monitoring
A Modern Approach to Performance Monitoring
 
Hangman for the Masses Showcase of Web Tech
Hangman for the Masses Showcase of Web TechHangman for the Masses Showcase of Web Tech
Hangman for the Masses Showcase of Web Tech
 
Measuring CDN performance and why you're doing it wrong
Measuring CDN performance and why you're doing it wrongMeasuring CDN performance and why you're doing it wrong
Measuring CDN performance and why you're doing it wrong
 

Último

08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking Men08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking MenDelhi Call girls
 
Boost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityBoost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityPrincipled Technologies
 
[2024]Digital Global Overview Report 2024 Meltwater.pdf
[2024]Digital Global Overview Report 2024 Meltwater.pdf[2024]Digital Global Overview Report 2024 Meltwater.pdf
[2024]Digital Global Overview Report 2024 Meltwater.pdfhans926745
 
Handwritten Text Recognition for manuscripts and early printed texts
Handwritten Text Recognition for manuscripts and early printed textsHandwritten Text Recognition for manuscripts and early printed texts
Handwritten Text Recognition for manuscripts and early printed textsMaria Levchenko
 
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...apidays
 
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024The Digital Insurer
 
Data Cloud, More than a CDP by Matt Robison
Data Cloud, More than a CDP by Matt RobisonData Cloud, More than a CDP by Matt Robison
Data Cloud, More than a CDP by Matt RobisonAnna Loughnan Colquhoun
 
Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)wesley chun
 
How to convert PDF to text with Nanonets
How to convert PDF to text with NanonetsHow to convert PDF to text with Nanonets
How to convert PDF to text with Nanonetsnaman860154
 
08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking Men08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking MenDelhi Call girls
 
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemkeProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemkeProduct Anonymous
 
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Igalia
 
Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024The Digital Insurer
 
Histor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slideHistor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slidevu2urc
 
GenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationGenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationMichael W. Hawkins
 
Evaluating the top large language models.pdf
Evaluating the top large language models.pdfEvaluating the top large language models.pdf
Evaluating the top large language models.pdfChristopherTHyatt
 
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
08448380779 Call Girls In Diplomatic Enclave Women Seeking MenDelhi Call girls
 
The Role of Taxonomy and Ontology in Semantic Layers - Heather Hedden.pdf
The Role of Taxonomy and Ontology in Semantic Layers - Heather Hedden.pdfThe Role of Taxonomy and Ontology in Semantic Layers - Heather Hedden.pdf
The Role of Taxonomy and Ontology in Semantic Layers - Heather Hedden.pdfEnterprise Knowledge
 
Driving Behavioral Change for Information Management through Data-Driven Gree...
Driving Behavioral Change for Information Management through Data-Driven Gree...Driving Behavioral Change for Information Management through Data-Driven Gree...
Driving Behavioral Change for Information Management through Data-Driven Gree...Enterprise Knowledge
 
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...
Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...Neo4j
 

Último (20)

08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking Men08448380779 Call Girls In Civil Lines Women Seeking Men
08448380779 Call Girls In Civil Lines Women Seeking Men
 
Boost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityBoost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivity
 
[2024]Digital Global Overview Report 2024 Meltwater.pdf
[2024]Digital Global Overview Report 2024 Meltwater.pdf[2024]Digital Global Overview Report 2024 Meltwater.pdf
[2024]Digital Global Overview Report 2024 Meltwater.pdf
 
Handwritten Text Recognition for manuscripts and early printed texts
Handwritten Text Recognition for manuscripts and early printed textsHandwritten Text Recognition for manuscripts and early printed texts
Handwritten Text Recognition for manuscripts and early printed texts
 
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
 
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
 
Data Cloud, More than a CDP by Matt Robison
Data Cloud, More than a CDP by Matt RobisonData Cloud, More than a CDP by Matt Robison
Data Cloud, More than a CDP by Matt Robison
 
Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)Powerful Google developer tools for immediate impact! (2023-24 C)
Powerful Google developer tools for immediate impact! (2023-24 C)
 
How to convert PDF to text with Nanonets
How to convert PDF to text with NanonetsHow to convert PDF to text with Nanonets
How to convert PDF to text with Nanonets
 
08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking Men08448380779 Call Girls In Greater Kailash - I Women Seeking Men
08448380779 Call Girls In Greater Kailash - I Women Seeking Men
 
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemkeProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
ProductAnonymous-April2024-WinProductDiscovery-MelissaKlemke
 
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
Raspberry Pi 5: Challenges and Solutions in Bringing up an OpenGL/Vulkan Driv...
 
Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024
 
Histor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slideHistor y of HAM Radio presentation slide
Histor y of HAM Radio presentation slide
 
GenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day PresentationGenCyber Cyber Security Day Presentation
GenCyber Cyber Security Day Presentation
 
Evaluating the top large language models.pdf
Evaluating the top large language models.pdfEvaluating the top large language models.pdf
Evaluating the top large language models.pdf
 
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
08448380779 Call Girls In Diplomatic Enclave Women Seeking Men
 
The Role of Taxonomy and Ontology in Semantic Layers - Heather Hedden.pdf
The Role of Taxonomy and Ontology in Semantic Layers - Heather Hedden.pdfThe Role of Taxonomy and Ontology in Semantic Layers - Heather Hedden.pdf
The Role of Taxonomy and Ontology in Semantic Layers - Heather Hedden.pdf
 
Driving Behavioral Change for Information Management through Data-Driven Gree...
Driving Behavioral Change for Information Management through Data-Driven Gree...Driving Behavioral Change for Information Management through Data-Driven Gree...
Driving Behavioral Change for Information Management through Data-Driven Gree...
 
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...
Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...
 

Using Modern Browser APIs to Improve the Performance of Your Web Applications

  • 1. Using Modern Browser APIs to Improve the Performance of Your Web Applications Nic Jansma @NicJ //nicj.net
  • 2. Who am I? Nic Jansma Microsoft Sr. Developer (2005-2011) • Windows 7 & IE 9/10 Performance Teams Founding member of W3C WebPerf WG Founder of Wolverine Digital LLC Developing high-performance websites, apps and games nic@nicj.net @NicJ http://nicj.net http://github.com/nicjansma http://www.slideshare.net/nicjansma/
  • 3. Performance Measurement (<=2010) Server-side Developer Client-side / Real • HTTP logs • Browser World • Server developer tools • Date.now() !?!? monitoring (Firebug / • Client side- (cacti / mrtg / Chrome / IE) hacks nagios) • Network (Boomerang) • Profiling hooks monitoring (Fiddler / WireShark)
  • 4. State of Performance (<=2010) • Measuring performance from the server and developer perspective is not the full story • The only thing that really matters is what your end-user sees • Measuring real-world performance of your end-users is tough • No standardized APIs in the browser that expose performance stats • Other client hacks exist (eg timing via Date.now()), but these are imprecise and not sufficient
  • 5. WebPerf WG • Founded in 2010 to give developers the ability to assess and understand performance characteristics of their applications “The mission of the Web Performance Working Group is to provide methods to measure aspects of application performance of user agent features and APIs” • Collaborative effort from Microsoft, Google, Mozilla, Opera, Facebook, Netflix, etc
  • 6. W3C WebPerf Goals • Expose information that was not previously available • Give developers the tools they need to make their applications more efficient • Little or no overhead • Easy to understand APIs
  • 7. W3C WebPerf Specs • Navigation Timing (NT): Page load timings • Resource Timing (RT): Resource load times • User Timing (UT): Custom site events and measurements • Performance Timeline: Access NT/RT/UT and future timings from one interface • Page Visibility: Visibility state of document • Timing control for script-based animations: requestAnimationFrame • High Resolution Time: Better Date.now() • Efficient Script Yielding: More efficient than setTimeout(...,0) / setImmediate()
  • 8. Navigation Timing (NT) • http://www.w3.org/TR/navigation-timing/ • Page load and other network phase timings • Great modern browser support
  • 9. NT: Why You Should Care • How it was done before: <html><head><script> var start = new Date().getTime(); function onLoad { var pageLoadTime = (new Date().getTime()) - start; } body.addEventListener(“load”, onLoad, false); </script>...</html> • That’s all you get: total page load time (kinda) o Technically, you get the time from the start of processing of JS in your HEAD to the time the body’s onLoad event fires • Says nothing of time spent before HEAD is parsed (DNS, TCP, HTTP request) • Date.getTime() has problems (imprecise, not monotonically non-decreasing, user clock changes)
  • 10. NT: How To Use • DOM: window.performance.timing • Phases of navigation o Redirect (301/302s) o DNS o TCP o SSL o Request o Response o Processing (DOM events) o Load
  • 11. NT: How To Use How to Use • Sample real-world page load times • XHR back to mothership JSON.stringify(window.performance): "{"timing":{"navigationStart":0,"unloadEventStart":0,"unloadEven tEnd":0,"redirectStart":0,"redirectEnd":0,"fetchStart":134850684 2513,"domainLookupStart":1348506842513,"domainLookupEnd":1348506 842513,"connectStart":1348506842513,"connectEnd":1348506842513," requestStart":1348506842513,"responseStart":1348506842595,"respo nseEnd":1348506842791,"domLoading":1348506842597,"domInteractive ":1348506842616,"domContentLoadedEventStart":1348506842795,"domC ontentLoadedEventEnd":1348506842795,"domComplete":1348506842795, "loadEventStart":1348506842900,"loadEventEnd":1348506842900,"msF irstPaint":1348506842707},"navigation":{"redirectCount":1,"type" :0}}" Used by: • Google Analytics' Site Speed • Boomerang Demo • http://ie.microsoft.com/testdrive/Perfo rmance/msPerformance/Default.html
  • 12. Resource Timing (RT) • http://www.w3.org/TR/resource-timing/ • Similar to NavigationTiming, but for all of the resources (images, scripts, css, media, etc) on your page • Get most of the data you can see in Net panel in Firebug/etc • Support: • IE10 • Chrome 25+ (prefixed)
  • 13. RT: Why You Should Care • How it was done before: (it wasn’t) • For dynamically inserted content, you could time how long it took from DOM insertion to the element’s onLoad event, but that’s not practical for all of your resources • You can get this information from Firebug, but that’s not the end-user’s performance
  • 14. RT: How To Use • DOM: See PerformanceTimeline • Each resource: o URL o Initiator type (SCRIPT/IMG/CSS/XHR) • Timings: o Redirect (301/302s) o DNS o TCP o Request o SSL o Response o Processing (DOM events) o Load
  • 15. RT: How To Use Gotchas • Many attributes zero’d out if the resource is cross-domain (redirect, DNS, connect, TCP, SSL, request) UNLESS server sends Timing-Allow- Origin HTTP header Timing-Allow-Origin: [* | yourserver.com] • This is to protect your privacy (attacker can’t load random URLs to see where you’ve been) • Your own CDNs should send this HTTP header if you want timing data. 3rd-party CDNs/scripts (eg. Google Analytics) should add this too. • Only first 150 resources will be captured unless setResourceTimingBufferSize() is called
  • 16. Performance Timeline (PT) • http://www.w3.org/TR/performance-timeline/ • Interface to access all of the performance metrics that the browser exposes (eg. Navigation Timing, Resource Timing, User Timing, etc) • Support: • IE10 • Chrome 25+ (prefixed)
  • 17. PT: Why You Should Care • Only way to access Resource Timing, User Timing, etc • Gives you a timeline view of performance metrics as they occur • Future interfaces (say, rendering events) can be added as long as they hook into the Performance Timeline interface
  • 18. PT: How To Use • performance.getEntries() o All entries in one array • performance.getEntriesByType(type) o eg performance.getEntriesByType(“resource”) • performance.getEntriesByName(name) o eg performance.getEntriesByName(“http://myurl.com/foo.js”) interface PerformanceEntry { readonly attribute DOMString name; readonly attribute DOMString entryType; readonly attribute DOMHighResTimeStamp startTime; readonly attribute DOMHighResTimeStamp duration; };
  • 19. PT: How To USe Example
  • 20. User Timing (UT) • http://www.w3.org/TR/user-timing/ • Custom site profiling and measurements • Support: • IE10 • Chrome 25+ (prefixed)
  • 21. UT: Why You Should Care • How it was done before: <script> var myMeasurements = []; var startMeasure = new Date().getTime(); ... myMeasurements.push((new Date().getTime()) - start); </script> • Problems: Date is imprecise, not monotonically non-decreasing, user clock changes
  • 22. UT: How To Use • Mark a timestamp: performance.mark(“foo_start”) performance.mark(“foo_end”) • Log a measure (difference of two marks) performance.measure(“foo”, “foo_start”, “foo_end”) • Get marks and measures performance.getEntriesByType(“mark”) [ {name: “foo_start”, entryType: “mark”, startTime: 1000000.203, duration: 0} {name: “foo_end”, entryType: “mark”, startTime: 1000010.406, duration: 0} ] performance.getEntriesByType(“measure”) [ {name: “foo_end”, entryType: “measure”, startTime: 1000000.203, duration: 10.203} ]
  • 23. UT: How To Use • Easy way to add profiling events to your application • Uses DOMHighResolutionTimeStamp instead of Date.getTime() for higher precision • Can be used along-side NT and RT timings to get a better understanding of your app’s performance in the real-world
  • 24. Page Visibility (PV) • http://www.w3.org/TR/2013/PR-page-visibility-20130219/ • Know when your application is not visible to the user
  • 25. PV: Why You Should Care • How it was done before: (it wasn’t) or “Are you still there?” popups • There are times when you may want to know that you can “stop” doing something if the user isn’t actively looking at your app: o Applications that periodically do background work (eg, a mail client checking for new messages) o Games (auto-pause) • Knowing this gives you the option of stopping or scaling back your work • Not doing background work is an efficiency gain -- less resource usage, less network usage, longer battery life
  • 26. PV: How To Use • document.hidden: True if: o User agent is minimized o Page is on a background tab o User agent is about to unload the page o Operating System lock screen is shown • document.visibilityState: o hidden, visible, prerender, unloaded • visibilitychange event o Fired whenever visibilityState has changed
  • 27. PV: How To Use Automatically scale back checking for email if app isn’t visible: var timer = 0; var PERIOD_VISIBLE = 1000; var PERIOD_NOT_VISIBLE = 60000; function onLoad() { timer = setInterval(checkEmail, (document.hidden) ? PERIOD_NOT_VISIBLE : PERIOD_VISIBLE); document.addEventListener("visibilitychange", visibilityChanged); } function visibilityChanged() { clearTimeout(timer); timer = setInterval(checkEmail, (document.hidden) ? PERIOD_NOT_VISIBLE : PERIOD_VISIBLE); } function checkEmail() { // Check server for new messages }
  • 28. Timing control for script-based animations (requestAnimationFrame) • http://www.w3.org/TR/animation-timing/ • Smarter animations
  • 29. RAF: Why You Should Care • How it was done before: setTimeout(myAnimation, 10) • Might be throttled in background tabs (Chrome 1fps) • The browser can be smarter: • Coalesce multiple timers (frame animations) so they all draw (and thus reflow/repaint) at the same time instead of odd intervals, along with CSS transitions and SVG SMIL • Can sync with the device’s frame rate
  • 30. RAF: How To Use • Instead of: function render() { ... stuff ... } setInterval(render, 16); • Do: // Find a good polyfill for requestAnimationFrame (function animate() { requestAnimationFrame(animate); render(); })();
  • 31. High Resolution Time (HRT) • http://www.w3.org/TR/hr-time/ • A better Date.now • IE10+, Chrome 23(?)+, Firefox 18(?)+
  • 32. HRT: Why You Should Care • Date.now() / Date().getTime() is the number of milliseconds since January 1, 1970 UTC. • To be backwards compatible, modern browsers can only get as precise as 1ms • Resolution of 15+ms in older browsers • Is not monotonically non-decreasing: it does not guarantee that subsequent queries will not be negative. For example, this could happen due to a client system clock change.
  • 33. HRT: How To Use window.performance.now() • Monotonically non-decreasing • Allows higher than 1ms precision • Is defined as time since performance.timing.navigationStart • NOTE: Is NOT milliseconds since UTC 1970
  • 34. Efficient Script Yielding (setImmediate) • http://www.w3.org/TR/animation-timing/ • Smarter than setTimeout(..., 0) • Great demo @ http://ie.microsoft.com/testdrive/Performance/setImmediat eSorting/Default.html
  • 35. ESY: Why You Should Care • How it was done before: setTimeout(longTask, 0); • Done to breakup long tasks and to avoid Long Running Script dialogs • At max, setTimeout() in this manner will callback every 15.6ms (HTML4) or 4ms (HTML5) or 1s (modern browsers in background tabs) because callback depends on OS interrupts • Setting a 0ms timeout still takes 4-15.6ms to callback • Not efficient! Keeps CPU from entering low-power states (40% decrease in battery life) • setImmediate yields if there is UI work to be done, but doesn’t need to wait for the next processor interrupt
  • 36. ESY: How To Use setImmediate(longTask); • Waits for the UI queue to empty • If nothing in the queue, runs immediately (eg without setTimeout() 4ms/15.6ms/1s delay)