SlideShare a Scribd company logo
PERFOMANCE MATTERS
  DEVELOPING HIGH
 PERFORMANCE WEB
        APPS
       Timothy Fisher
        Compuware
     September 15, 2010
WHO AM I?

    Timothy Fisher
    Technical Consultant (Eagle)
    Compuware

        @tfisher
        tim.fisher@compuware.com
        www.timothyfisher.com
AGENDA

• Why   Front-end Performance Matters
• Optimize   Page Load
• Responsive   Interfaces
• Loading   and Executing JavaScript
AGENDA
• DOM     Scripting
• Tools

• Gomez    and Front-End Performance
• Questions


An overview to spark thought and further investigation
Why Front-end
Performance matters
According to Yahoo:
“80% of end-user response time is
spent on the front-end”

According to Steve Souders (Google performance guru):
“80-90% of end-user response
time is spent on the front-end”
Ads
                                     CDN’s




   Services
          Syndicated Content


Integration is happening on the client-side
OPTIMIZE PAGE LOAD
PAGE LOAD TIME
              IS IMPORTANT
Page load time is critical to the success of a web site/app
         Google: +500 ms → -20% traffic

         Yahoo: +400 ms → -5-9% full-page traffic

         Amazon: +100 ms → -1% sales

Small performance flucutations affect traffic and sales!!!
BEST PRACTICES

•   Minimize HTTP Requests
    •   combine javascript and css into less number of files

    •   consider sprites for combining images


•   Use a Content Delivery Network (CDN)
    •   static content delivered by fast distributed network with low latency
BEST PRACTICES

•   Make Pages Cacheable
    •   use appropriate header tags




•   Use GZIP Page Compression
    •   all modern browsers support GZIP compression
BEST PRACTICES

•   Place Stylesheets at the Top
    •   browser needs style info first to avoid repaints/reflows later




•   Place Scripts at the Bottom
    •   allow page content to be rendered first
BEST PRACTICES

•   Minify JavaScript and CSS
    •   save bandwidth / download time

    •   lots of tools to automate this for you




•   Post/pre Load Components
    •   consider how you are loading content and scripts
BEST PRACTICES

•   Split Components Across Domains
    •   enables browser to load more stuff in parallel




•   Optimize Images
    •   avoid high-res images unless it is intentional

    •   don’t let the browser scale your images
RESPONSIVE INTERFACES
A SINGLE BROWSER THREAD
SINGLE THREAD
                   IMPLICATIONS

• Single   UI Thread for both UI updates and JavaScript execution

  • only   one of these can happen at a time!


    Page downloading and rendering
    must stop and wait for scripts to be
    downloaded and executed
“0.1 second is about the limit for having the user feel
 that a system is reacting instantaneoulsy”
   - Jakob Nielsen, Usability Expert


Translation: No single JavaScript should execute for
more than 100 mS to ensure a responsive UI.
LOADING & EXECUTING
     JAVASCRIPT
WHY JAVASCRIPT?

•   Poorly written JavaScript is the most common reason
    for slow client-side performance

    • Loading

    • Parsing

    • Execution
TYPICAL JAVASCRIPT
             PLACEMENT
<html>
    <head>
        <link href=”style.css” rel=”stylesheet” type=”text/css”/>

        <script src=”myscript.js” type=”text/javascript”></script>
        <script src=”myscript.js” type=”text/javascript”></script>

        <script>
            function hello_world() {
                 alert(‘hello world’);
            }
            var complex_data = // some complex calculation //
        </script>
    </head>

    <body>
        ...
    </body>
</html>
BETTER JAVASCRIPT
            PLACEMENT
<html>
    <head>
        <link href=”style.css” rel=”stylesheet” type=”text/css”/>
    </head>

    <body>
        ...

        <script src=”myscript.js” type=”text/javascript”></script>
        <script src=”myscript.js” type=”text/javascript”></script>
        <script>
            function hello_world() {
               alert(‘hello world’);
            }
            var complex_data = // some complex calculation
        </script>
    </body>
</html>
COMBINE JAVASCRIPT FILES
•   Each script request requires HTTP performance overhead

•   Minimize overhead by combining scripts


                                                  file.js
             file1.js    file2.js   file3.js




                                            =>

                       Browser                   Browser
MINIFY JAVASCRIPT

• Removes     all unecessary space/comments from your JS files

• Replace   variables with short names

• Easy   to do at built-time with a tool

• Checkout YUI    Compressor, Closure Compiler...


 Avoid manual code-size optimization!
NON-BLOCKING LOADS

• AddJavaScript to a page in a way that does not block the
 browser thread

 ‣ Dynamic Script Elements
 ‣ Script Injection
DYNAMIC SCRIPT ELEMENTS


• JavaScript
          is downloaded and executed without blocking
 other page processes.

  var script = document.createElement(‘script’);
  script.type = “text/javascript”;
  script.src = “file1.js”;
  document.getElementsByTagName(“head”)[0].appendChild(script);
SCRIPT INJECTION
• Use Ajax to get script
• Can control when script is parsed/executed
• JavaScript must be served from same domain
    var xhr = XMLHttpRequest();
    xhr.open(“get”, “file.js”, true);
    xhr.onreadystatechange = function() {
       if (xhr.readyState == 4) {
         if (xhr.status >= 200 && xhr.status < 300 || xhr.status == 304) {
           var script = document.createElement(“script”);
           script.type = “text/javascript”;
           script.text = xhr.responseText;
           document.body.appendChild(script);
         }
       }
    };
    xhr.send(null);
RECOMMENDED
       NONBLOCKING LOAD

• Includethe code necessary to dynamically the the rest of the
 JS required for page init

    <script type="text/javascript" src="loader.js"></script>
    <script type="text/javascript">
        loadScript("the-rest.js", function(){
            Application.init();
        });
    </script>




  Optionally include the loadScript function directly in the page
REAL WORLD USE

• This
     technique is used by many JavaScript libraries including
 YUI and Dojo.

   <script type="text/javascript"
    src="http://yui.yahooapis.com/combo?3.0.0/build/yui/yui-min.js"></script>



   YUI().use("dom", function(Y){
       Y.DOM.addClass(document.body, "loaded");
   });




   Dynamically loads the DOM utility and calls ‘loaded’ function
   when loading is complete.
SUMMARY

• Browser    UI and JS share a single thread

• Code  execution blocks other browser processes such as UI
 painting

• Put   script tags at the bottom of page

• Load   as much JS dynamically as possible

• Minimize   and compress your JS
DOM SCRIPTING
DOCUMENT OBJECT MODEL


 • Document Object Model (DOM) is a language
  independent API for working with HTML and XML


 • DOM  Scripting is expensive and a common cause of
  performance problems
DOM/JS ISOLATION

•   DOM and JavaScript implementations are independent
    of each other in all major browsers

•   This causes overhead performance costs as these two
    pieces of code must interface


            JavaScri
                                      DOM
               pt


      Minimize how many times you cross this bridge
BAD DOM SCRIPTING

Bad (we cross the bridge 1500 times!)
function innerHTMLLoop() {
    for (var count = 0; count < 1500; count++) {
        document.getElementById('here').innerHTML += 'a';
    }
}




Good (we cross the bridge 1 time)
function innerHTMLLoop2() {
    var content = '';
    for (var count = 0; count < 1500; count++) {
        content += 'a';
    }
    document.getElementById('here').innerHTML += content;
}
REPAINTS AND REFLOWS
  A reflow occurs whenever you change the
  geometry of an element that is displayed on the
  page.

  A repaint occurs whenever you change the
  content of an element that is displayed on the
  screen.

These are both expensive operations in terms of performance!
AVOIDING REPAINTS/REFLOWS
  This will potentially cause 3 repaints/reflows...
  var el = document.getElementById('mydiv');
  el.style.borderLeft = '1px';
  el.style.borderRight = '2px';
  el.style.padding = '5px';




  Better...    1 repaint/reflow
  var el = document.getElementById('mydiv');
  el.style.cssText = 'border-left: 1px; border-right: 2px; padding: 5px;';


  or...
  var el = document.getElementById('mydiv');
  el.className = 'active';
TOOLS
TOOLS ARE YOUR FRIEND
The right tools can help a developer identify and fix
performance problems related to client-side behaviour.

  Profiling
  Timing functions and operations during script
  execution

  Network Analysis
  Examine loading of images, stylesheets, and scripts
  and their effect on page load and rendering
FIREBUG
•Firefox plugin
•Debug JavaScript
•View page load waterfall:
PAGE SPEED
•Extension to Firebug from Google
•Provides tips for improving page performance
Y-SLOW

•Extension to Firebug from Yahoo
•tips for improving page performance
DYNATRACE AJAX EDITION

•extension for IE, coming soon for Firefox
•deeper client-side tracing than the firebug extensions
SPEED TRACER

•performance extension for Google Chrome
•similar features to Dynatrace Ajax
YUI PROFILER
•profile JavaScript performance
•developer must insert JS code
MORE TOOLS...

Internet Explorer Developer Tools

Safari Web Inspector

Chrome Developer Tools


Lots of developer tools to debug performance!
GOMEZ AND FRONT-END
   PERFORMANCE
GOMEZ

Gomez is the web performance division of Compuware

 •Active Monitoring
 synthetic tests using a dedicated node and a Gomez
 controlled browser

 •Actual Monitoring
 tests the actual end-user experience by transmitting
 data while users are browsing to a Gomez server
ACTIVE



ACTUAL
GOMEZ ACTIVE

• Synthetic tests
• Uses nodes in Gomez network to perform web
application testing.

• Today pure client-side metrics are not collected
GOMEZ ACTUAL

• Real User Monitoring (RUM)
• JavaScript ‘tags’ inserted into web pages.
• Tags report performance metrics to Gomez server
• Page and object load performance metrics
EXTENDING ACTIVE/ACTUAL
•Desire to collect more client-side metrics
 •JavaScript - load, parse, execution timing
 •CSS - load, parse timing
 •full Waterfall page load metrics
•Attribute client-side performance to specific sources
 (i.e. javascript library from vendor abc is the source of your slow performance)


•Expose full end-to-end performance
RESOURCES
•   Yahoo Exceptional Performance
    http://developer.yahoo.com/performance/

•   Google Web Performance
    http://code.google.com/speed

•   JavaScript: The Good Parts by Douglas Crockford

•   High Performance JavaScript by Nicholas Zakas

•   Even Faster Websites by Steve Souders

•   Steve Souders Site
    http://www.stevesouders.com

•   John Resig’s Blog
    http://www.ejohn.org
QUESTIONS

More Related Content

PDF
Tuning Web Performance
PDF
Performance Of Web Applications On Client Machines
PPT
High Performance Ajax Applications
PDF
Front End Performance
PDF
Front end performance tip
PPTX
Front end performance optimization
PPTX
Break out of The Box - Part 2
PPTX
IBM Connect 2016 - Break out of the Box
Tuning Web Performance
Performance Of Web Applications On Client Machines
High Performance Ajax Applications
Front End Performance
Front end performance tip
Front end performance optimization
Break out of The Box - Part 2
IBM Connect 2016 - Break out of the Box

What's hot (20)

PDF
AD102 - Break out of the Box
PDF
Building an HTML5 Video Player
PDF
S314011 - Developing Composite Applications for the Cloud with Apache Tuscany
PDF
Performance automation 101 @LDNWebPerf MickMcGuinness
PDF
Opening up the Social Web - Standards that are bridging the Islands
PDF
Keypoints html5
PDF
Seatwave Web Peformance Optimisation Case Study
PDF
Week 05 Web, App and Javascript_Brandon, S.H. Wu
PDF
How to make Ajax work for you
PDF
How to Build Real-time Chat App with Express, ReactJS, and Socket.IO?
PPTX
London Web Performance Meetup: Performance for mortal companies
PDF
Web Page Test - Beyond the Basics
PDF
Echo HTML5
PDF
Service Oriented Integration With ServiceMix
PDF
Beyond Breakpoints: Improving Performance for Responsive Sites
PPT
Web前端性能分析工具导引
PDF
soft-shake.ch - Introduction to HTML5
PPTX
HTML5 Real-Time and Connectivity
PDF
Costruire applicazioni multi-tenant e piattaforme SaaS in PHP con Innomatic
PPT
Sanjeev ghai 12
AD102 - Break out of the Box
Building an HTML5 Video Player
S314011 - Developing Composite Applications for the Cloud with Apache Tuscany
Performance automation 101 @LDNWebPerf MickMcGuinness
Opening up the Social Web - Standards that are bridging the Islands
Keypoints html5
Seatwave Web Peformance Optimisation Case Study
Week 05 Web, App and Javascript_Brandon, S.H. Wu
How to make Ajax work for you
How to Build Real-time Chat App with Express, ReactJS, and Socket.IO?
London Web Performance Meetup: Performance for mortal companies
Web Page Test - Beyond the Basics
Echo HTML5
Service Oriented Integration With ServiceMix
Beyond Breakpoints: Improving Performance for Responsive Sites
Web前端性能分析工具导引
soft-shake.ch - Introduction to HTML5
HTML5 Real-Time and Connectivity
Costruire applicazioni multi-tenant e piattaforme SaaS in PHP con Innomatic
Sanjeev ghai 12
Ad

Similar to Developing High Performance Web Apps (20)

KEY
Developing High Performance Web Apps - CodeMash 2011
PDF
Front-end optimisation & jQuery Internals (Pycon)
KEY
A rough guide to JavaScript Performance
PDF
Performance Optimization and JavaScript Best Practices
PDF
Performance on the Yahoo! Homepage
PDF
Ajax Performance Tuning and Best Practices
PDF
Building performance into the new yahoo homepage presentation
PPTX
Presentation Tier optimizations
PDF
Front-end optimisation & jQuery Internals
PPTX
7 tips for javascript rich ajax websites
PDF
PrairieDevCon 2014 - Web Doesn't Mean Slow
PPTX
JavaScript front end performance optimizations
PPT
Widget Summit 2008
PDF
Even faster web sites 1st Edition Steve Souders
PDF
Performance patterns
PPT
High Performance Ajax Applications 1197671494632682 2
PDF
High Performance Front-End Development
PPTX
Building high performance web apps.
PDF
Js Saturday 2013 your jQuery could perform better
KEY
Optimization of modern web applications
Developing High Performance Web Apps - CodeMash 2011
Front-end optimisation & jQuery Internals (Pycon)
A rough guide to JavaScript Performance
Performance Optimization and JavaScript Best Practices
Performance on the Yahoo! Homepage
Ajax Performance Tuning and Best Practices
Building performance into the new yahoo homepage presentation
Presentation Tier optimizations
Front-end optimisation & jQuery Internals
7 tips for javascript rich ajax websites
PrairieDevCon 2014 - Web Doesn't Mean Slow
JavaScript front end performance optimizations
Widget Summit 2008
Even faster web sites 1st Edition Steve Souders
Performance patterns
High Performance Ajax Applications 1197671494632682 2
High Performance Front-End Development
Building high performance web apps.
Js Saturday 2013 your jQuery could perform better
Optimization of modern web applications
Ad

Recently uploaded (20)

PDF
Advanced methodologies resolving dimensionality complications for autism neur...
PPTX
VMware vSphere Foundation How to Sell Presentation-Ver1.4-2-14-2024.pptx
PDF
Modernizing your data center with Dell and AMD
PDF
Diabetes mellitus diagnosis method based random forest with bat algorithm
PDF
cuic standard and advanced reporting.pdf
PDF
The Rise and Fall of 3GPP – Time for a Sabbatical?
PDF
Unlocking AI with Model Context Protocol (MCP)
PDF
Peak of Data & AI Encore- AI for Metadata and Smarter Workflows
PDF
Electronic commerce courselecture one. Pdf
PDF
How UI/UX Design Impacts User Retention in Mobile Apps.pdf
PPTX
Effective Security Operations Center (SOC) A Modern, Strategic, and Threat-In...
DOCX
The AUB Centre for AI in Media Proposal.docx
PDF
Review of recent advances in non-invasive hemoglobin estimation
PDF
NewMind AI Monthly Chronicles - July 2025
PDF
Dropbox Q2 2025 Financial Results & Investor Presentation
PPTX
Detection-First SIEM: Rule Types, Dashboards, and Threat-Informed Strategy
PPTX
Cloud computing and distributed systems.
PPT
Teaching material agriculture food technology
PDF
Reach Out and Touch Someone: Haptics and Empathic Computing
PPTX
Digital-Transformation-Roadmap-for-Companies.pptx
Advanced methodologies resolving dimensionality complications for autism neur...
VMware vSphere Foundation How to Sell Presentation-Ver1.4-2-14-2024.pptx
Modernizing your data center with Dell and AMD
Diabetes mellitus diagnosis method based random forest with bat algorithm
cuic standard and advanced reporting.pdf
The Rise and Fall of 3GPP – Time for a Sabbatical?
Unlocking AI with Model Context Protocol (MCP)
Peak of Data & AI Encore- AI for Metadata and Smarter Workflows
Electronic commerce courselecture one. Pdf
How UI/UX Design Impacts User Retention in Mobile Apps.pdf
Effective Security Operations Center (SOC) A Modern, Strategic, and Threat-In...
The AUB Centre for AI in Media Proposal.docx
Review of recent advances in non-invasive hemoglobin estimation
NewMind AI Monthly Chronicles - July 2025
Dropbox Q2 2025 Financial Results & Investor Presentation
Detection-First SIEM: Rule Types, Dashboards, and Threat-Informed Strategy
Cloud computing and distributed systems.
Teaching material agriculture food technology
Reach Out and Touch Someone: Haptics and Empathic Computing
Digital-Transformation-Roadmap-for-Companies.pptx

Developing High Performance Web Apps

  • 1. PERFOMANCE MATTERS DEVELOPING HIGH PERFORMANCE WEB APPS Timothy Fisher Compuware September 15, 2010
  • 2. WHO AM I? Timothy Fisher Technical Consultant (Eagle) Compuware @tfisher tim.fisher@compuware.com www.timothyfisher.com
  • 3. AGENDA • Why Front-end Performance Matters • Optimize Page Load • Responsive Interfaces • Loading and Executing JavaScript
  • 4. AGENDA • DOM Scripting • Tools • Gomez and Front-End Performance • Questions An overview to spark thought and further investigation
  • 6. According to Yahoo: “80% of end-user response time is spent on the front-end” According to Steve Souders (Google performance guru): “80-90% of end-user response time is spent on the front-end”
  • 7. Ads CDN’s Services Syndicated Content Integration is happening on the client-side
  • 9. PAGE LOAD TIME IS IMPORTANT Page load time is critical to the success of a web site/app Google: +500 ms → -20% traffic Yahoo: +400 ms → -5-9% full-page traffic Amazon: +100 ms → -1% sales Small performance flucutations affect traffic and sales!!!
  • 10. BEST PRACTICES • Minimize HTTP Requests • combine javascript and css into less number of files • consider sprites for combining images • Use a Content Delivery Network (CDN) • static content delivered by fast distributed network with low latency
  • 11. BEST PRACTICES • Make Pages Cacheable • use appropriate header tags • Use GZIP Page Compression • all modern browsers support GZIP compression
  • 12. BEST PRACTICES • Place Stylesheets at the Top • browser needs style info first to avoid repaints/reflows later • Place Scripts at the Bottom • allow page content to be rendered first
  • 13. BEST PRACTICES • Minify JavaScript and CSS • save bandwidth / download time • lots of tools to automate this for you • Post/pre Load Components • consider how you are loading content and scripts
  • 14. BEST PRACTICES • Split Components Across Domains • enables browser to load more stuff in parallel • Optimize Images • avoid high-res images unless it is intentional • don’t let the browser scale your images
  • 17. SINGLE THREAD IMPLICATIONS • Single UI Thread for both UI updates and JavaScript execution • only one of these can happen at a time! Page downloading and rendering must stop and wait for scripts to be downloaded and executed
  • 18. “0.1 second is about the limit for having the user feel that a system is reacting instantaneoulsy” - Jakob Nielsen, Usability Expert Translation: No single JavaScript should execute for more than 100 mS to ensure a responsive UI.
  • 19. LOADING & EXECUTING JAVASCRIPT
  • 20. WHY JAVASCRIPT? • Poorly written JavaScript is the most common reason for slow client-side performance • Loading • Parsing • Execution
  • 21. TYPICAL JAVASCRIPT PLACEMENT <html> <head> <link href=”style.css” rel=”stylesheet” type=”text/css”/> <script src=”myscript.js” type=”text/javascript”></script> <script src=”myscript.js” type=”text/javascript”></script> <script> function hello_world() { alert(‘hello world’); } var complex_data = // some complex calculation // </script> </head> <body> ... </body> </html>
  • 22. BETTER JAVASCRIPT PLACEMENT <html> <head> <link href=”style.css” rel=”stylesheet” type=”text/css”/> </head> <body> ... <script src=”myscript.js” type=”text/javascript”></script> <script src=”myscript.js” type=”text/javascript”></script> <script> function hello_world() { alert(‘hello world’); } var complex_data = // some complex calculation </script> </body> </html>
  • 23. COMBINE JAVASCRIPT FILES • Each script request requires HTTP performance overhead • Minimize overhead by combining scripts file.js file1.js file2.js file3.js => Browser Browser
  • 24. MINIFY JAVASCRIPT • Removes all unecessary space/comments from your JS files • Replace variables with short names • Easy to do at built-time with a tool • Checkout YUI Compressor, Closure Compiler... Avoid manual code-size optimization!
  • 25. NON-BLOCKING LOADS • AddJavaScript to a page in a way that does not block the browser thread ‣ Dynamic Script Elements ‣ Script Injection
  • 26. DYNAMIC SCRIPT ELEMENTS • JavaScript is downloaded and executed without blocking other page processes. var script = document.createElement(‘script’); script.type = “text/javascript”; script.src = “file1.js”; document.getElementsByTagName(“head”)[0].appendChild(script);
  • 27. SCRIPT INJECTION • Use Ajax to get script • Can control when script is parsed/executed • JavaScript must be served from same domain var xhr = XMLHttpRequest(); xhr.open(“get”, “file.js”, true); xhr.onreadystatechange = function() { if (xhr.readyState == 4) { if (xhr.status >= 200 && xhr.status < 300 || xhr.status == 304) { var script = document.createElement(“script”); script.type = “text/javascript”; script.text = xhr.responseText; document.body.appendChild(script); } } }; xhr.send(null);
  • 28. RECOMMENDED NONBLOCKING LOAD • Includethe code necessary to dynamically the the rest of the JS required for page init <script type="text/javascript" src="loader.js"></script> <script type="text/javascript"> loadScript("the-rest.js", function(){ Application.init(); }); </script> Optionally include the loadScript function directly in the page
  • 29. REAL WORLD USE • This technique is used by many JavaScript libraries including YUI and Dojo. <script type="text/javascript" src="http://yui.yahooapis.com/combo?3.0.0/build/yui/yui-min.js"></script> YUI().use("dom", function(Y){ Y.DOM.addClass(document.body, "loaded"); }); Dynamically loads the DOM utility and calls ‘loaded’ function when loading is complete.
  • 30. SUMMARY • Browser UI and JS share a single thread • Code execution blocks other browser processes such as UI painting • Put script tags at the bottom of page • Load as much JS dynamically as possible • Minimize and compress your JS
  • 32. DOCUMENT OBJECT MODEL • Document Object Model (DOM) is a language independent API for working with HTML and XML • DOM Scripting is expensive and a common cause of performance problems
  • 33. DOM/JS ISOLATION • DOM and JavaScript implementations are independent of each other in all major browsers • This causes overhead performance costs as these two pieces of code must interface JavaScri DOM pt Minimize how many times you cross this bridge
  • 34. BAD DOM SCRIPTING Bad (we cross the bridge 1500 times!) function innerHTMLLoop() { for (var count = 0; count < 1500; count++) { document.getElementById('here').innerHTML += 'a'; } } Good (we cross the bridge 1 time) function innerHTMLLoop2() { var content = ''; for (var count = 0; count < 1500; count++) { content += 'a'; } document.getElementById('here').innerHTML += content; }
  • 35. REPAINTS AND REFLOWS A reflow occurs whenever you change the geometry of an element that is displayed on the page. A repaint occurs whenever you change the content of an element that is displayed on the screen. These are both expensive operations in terms of performance!
  • 36. AVOIDING REPAINTS/REFLOWS This will potentially cause 3 repaints/reflows... var el = document.getElementById('mydiv'); el.style.borderLeft = '1px'; el.style.borderRight = '2px'; el.style.padding = '5px'; Better... 1 repaint/reflow var el = document.getElementById('mydiv'); el.style.cssText = 'border-left: 1px; border-right: 2px; padding: 5px;'; or... var el = document.getElementById('mydiv'); el.className = 'active';
  • 37. TOOLS
  • 38. TOOLS ARE YOUR FRIEND The right tools can help a developer identify and fix performance problems related to client-side behaviour. Profiling Timing functions and operations during script execution Network Analysis Examine loading of images, stylesheets, and scripts and their effect on page load and rendering
  • 40. PAGE SPEED •Extension to Firebug from Google •Provides tips for improving page performance
  • 41. Y-SLOW •Extension to Firebug from Yahoo •tips for improving page performance
  • 42. DYNATRACE AJAX EDITION •extension for IE, coming soon for Firefox •deeper client-side tracing than the firebug extensions
  • 43. SPEED TRACER •performance extension for Google Chrome •similar features to Dynatrace Ajax
  • 44. YUI PROFILER •profile JavaScript performance •developer must insert JS code
  • 45. MORE TOOLS... Internet Explorer Developer Tools Safari Web Inspector Chrome Developer Tools Lots of developer tools to debug performance!
  • 46. GOMEZ AND FRONT-END PERFORMANCE
  • 47. GOMEZ Gomez is the web performance division of Compuware •Active Monitoring synthetic tests using a dedicated node and a Gomez controlled browser •Actual Monitoring tests the actual end-user experience by transmitting data while users are browsing to a Gomez server
  • 49. GOMEZ ACTIVE • Synthetic tests • Uses nodes in Gomez network to perform web application testing. • Today pure client-side metrics are not collected
  • 50. GOMEZ ACTUAL • Real User Monitoring (RUM) • JavaScript ‘tags’ inserted into web pages. • Tags report performance metrics to Gomez server • Page and object load performance metrics
  • 51. EXTENDING ACTIVE/ACTUAL •Desire to collect more client-side metrics •JavaScript - load, parse, execution timing •CSS - load, parse timing •full Waterfall page load metrics •Attribute client-side performance to specific sources (i.e. javascript library from vendor abc is the source of your slow performance) •Expose full end-to-end performance
  • 52. RESOURCES • Yahoo Exceptional Performance http://developer.yahoo.com/performance/ • Google Web Performance http://code.google.com/speed • JavaScript: The Good Parts by Douglas Crockford • High Performance JavaScript by Nicholas Zakas • Even Faster Websites by Steve Souders • Steve Souders Site http://www.stevesouders.com • John Resig’s Blog http://www.ejohn.org