SlideShare a Scribd company logo
Storage and Communication with
            HTML5
            Zohar Arad. March 2011
            zohar@zohararad.com | www.zohararad.com




Saturday, March 26, 2011                              1
We’re going to talk about

                  Cross-Origin Resource Sharing
                  Cross-Window message passing
                  Persistent data storage with localStorage
                  Persistent data storage with SQLite



Saturday, March 26, 2011                                      2
Cross-Origin Resource Sharing
            The evolution of XHR

Saturday, March 26, 2011                    3
In the good ol’ days...

                  We had XHR (Thank you Microsoft)
                  We could make requests from the client to the server
                  without page reload
                  We were restricted to the same-origin security policy - No
                  cross-domain requests



Saturday, March 26, 2011                                                       4
This led to things like

                  JSONP
                  Flash-driven requests
                  Server-side proxy
                  Using iframes (express your frustration here)



Saturday, March 26, 2011                                          5
Thankfully,
                           these days are (nearly) gone




Saturday, March 26, 2011                                  6
Say Hello to CORS

Saturday, March 26, 2011        7
CORS is the new AJAX

                  Cross-domain requests are allowed
                  Server is responsible for defining the security policy
                  Client is responsible for enforcing the security policy
                  Works over standard HTTP



Saturday, March 26, 2011                                                    8
CORS - Client Side
             var xhr = new XMLHttpRequest();

             xhr.open(‘get’, ‘http://www.somesite.com/some_resource/’, true);

             xhr.onload = function(){       //instead of onreadystatechange

                           //do something

             };

             xhr.send(null);




Saturday, March 26, 2011                                                        9
Someone has to be different

Saturday, March 26, 2011                  10
CORS - Client Side (IE)
             var xhr = new XDomainRequest();

             xhr.open(‘get’, ‘http://www.somesite.com/some_resource/’);

             xhr.onload = function(){       //instead of onreadystatechange

                           //do something

             };

             xhr.send();




Saturday, March 26, 2011                                                      11
CORS - Client Side API

                  abort() - Stop request that’s already in progress
                  onerror - Handle request errors
                  onload - Handle request success
                  send() - Send the request
                  responseText - Get response content


Saturday, March 26, 2011                                              12
CORS - Access Control Flow
                  The client sends ‘Access-Control’ headers to the server
                  during request preflight
                  The server checks whether the requested resource is
                  allowed
                  The client checks the preflight response and decides
                  whether to allow the request or not



Saturday, March 26, 2011                                                    13
CORS - Server Side
                  Use Access-Control headers to allow
                           Origin - Specific request URI
                           Method - Request method(s)
                           Headers - Optional custom headers
                           Credentials - Request credentials (cookies, SSL, HTTP
                           authentication (not supported in IE)


Saturday, March 26, 2011                                                           14
CORS - Server Side
            Access-Control-Allow-Origin: http://www.somesite.com/some_resource

            Access-Control-Allow-Methods: POST, GET

            Access-Control-Allow-Headers: NCZ

            Access-Control-Max-Age: 84600

            Access-Control-Allow-Credentials: true




Saturday, March 26, 2011                                                         15
CORS - Recap
                  Client sends a CORS request to the server
                  Server checks request headers for access control
                  according to URI, method, headers and credentials
                  Server responds to client with an access control response
                  Client decides whether to send the request or not




Saturday, March 26, 2011                                                      16
CORS - Why should you use it?
                  It works on all modern browser (except IE7 and Opera)
                  It doesn’t require a lot of custom modifications to your code
                  Its the new AJAX (just like the new Spock)
                  You can fall back to JSONP or Flash
                  Using CORS will help promote it
                  Works on Mobile browsers (WebKit)

Saturday, March 26, 2011                                                         17
Cross-Window Messaging
            Look Ma, no hacks

Saturday, March 26, 2011             18
Posting messages between windows


                  We have two windows under our control
                  They don’t necessarily reside under the same domain
                  How can we pass messages from one window to the
                  other?



Saturday, March 26, 2011                                                19
We used to hack it away

                  Change location.hash
                  Change document.domain (if subdomain is different)
                  Use opener reference for popups
                  Throw something really heavy, really hard



Saturday, March 26, 2011                                               20
No more evil hacks
            postMessage brings balance to the force

Saturday, March 26, 2011                              21
Message passing


                  Evented
                  Sender / Receiver model
                  Receiver is responsible for enforcing security




Saturday, March 26, 2011                                           22
postMessage - Receiver
            window.addEventListener(“message”,onMessage,false);

            function onMessage(e){
              if(e.origin === ‘http://www.mydomain.com’){
                console.log(‘Got a message’,e.data);
              }
            }




Saturday, March 26, 2011                                          23
postMessage - Sender
            top.postMessage(‘Hi from iframe’,
                            ‘http://www.mydomain.com’);




Saturday, March 26, 2011                                  24
postMessage - Sending to iframes
            var el = document.getElementById(‘my_iframe’);

            var win = el.contentWindow;

            win.postMessage(‘Hi from iframe parent’,
                            ‘http://www.mydomain.com’);




Saturday, March 26, 2011                                     25
postMessage - Sending to popup
            var popup = window.open(......);

            popup.postMessage(‘Hi from iframe parent’,
                            ‘http://www.mydomain.com’);




Saturday, March 26, 2011                                  26
When should you use it?
                  Browser extensions
                  Embedded iframes (if you must use such evil)
                  Flash to Javascript




Saturday, March 26, 2011                                         27
Local Persistent Storage
            Goodbye Cookies

Saturday, March 26, 2011               28
Local Storage

                  Persistent key / value data store
                  Domain-specific
                  Limited to 5MB per domain
                  Not part of request
                  Completely cross-platform (yes, even IE7)


Saturday, March 26, 2011                                      29
localStorage - Basics
            var s = window.localStorage;

            s[‘somekey’] = ‘Some Value’;

            console.log(s[‘somekey’];




Saturday, March 26, 2011                   30
localStorage - API

                  getItem( key ) - get an item from data store
                  setItem( key, value ) - save item to data store
                  removeItem( key ) - remove item from data store
                  clear() - remove all items from data store



Saturday, March 26, 2011                                            31
localStorage - API
            Or you can use Javascript array notation:

            var s = window.localStorage;
            s.myItem = “My Value”;

            delete s.myItem;




Saturday, March 26, 2011                                32
localStorage - Internet Explorer 7
            var storage = document.createElement(‘var’);
            storage.style.behaviour = “url(‘#default#userData’)”;

            var b = document.getElementsByTagName(‘body’)[0];
            b.appendChild(storage);




Saturday, March 26, 2011                                            33
localStorage - Internet Explorer 7
            //setting a value
            var now = new Date();
            now.setYear(now.getYear() + 1);
            var expires = now.toUTCString();

            storage.setAttribute(“name”,”zohar”);
            storage.expires = expires;
            storage.save(“my_data_store”);




Saturday, March 26, 2011                            34
localStorage - Internet Explorer 7
            //getting a value

            storage.load(“my_data_store”);
            var v = storage.getAttribute(“name”);

            //removing a value
            storage.removeAttribute(“name”);
            storage.save(“my_data_store”);




Saturday, March 26, 2011                            35
localStorage - Internet Explorer 7


                  See http://msdn.microsoft.com/en-us/library/ms531424
                  (VS.85).aspx for a complete API reference
                  IE7 localStorage (data persistence) is limited to 128KB




Saturday, March 26, 2011                                                    36
Web Storage with SQLite
            Transactional offline data store

Saturday, March 26, 2011                      37
Web Storage

                  Transactional
                  Data-type aware
                  Supports complex data structures
                  No size limit
                  Works on WebKit, Opera (SQLite) and Firefox 4 (IndexedDB)


Saturday, March 26, 2011                                                      38
Web Storage - Why should you use it?

                  Browser-specific solutions (like extensions / apps)
                  Mobile browsers ?
                  Optimized data caching for offline access (did anyone say
                  mobile?)
                  Transactional operations


Saturday, March 26, 2011                                                     39
Web Storage - WebKit Example
            //create a DB and connect

            var            name = “app_db”;
            var            desc = “My Application DB”;
            var            ver = “1.0”;
            var            size = 10 * 1024 * 1024; // 10MB
            var            db = openDatabase(name,ver,desc,size);




Saturday, March 26, 2011                                            40
Web Storage - WebKit Example
            // create a table

            db.transaction(function (tx) {
              tx.executeSql(‘CREATE TABLE foo
                            (id unique, text)’);
            });




Saturday, March 26, 2011                           41
Web Storage - WebKit Example
            // insert some data

            db.transaction(function (tx) {
              tx.executeSql(‘insert into foo (text)
                            values ( ? )’,[“Hi There”]);
            });




Saturday, March 26, 2011                                   42
Web Storage - WebKit Example
            // read some data

            db.transaction(function (tx) {
              tx.executeSql(‘select * from foo where id > ?’, [10],
                function(tx,results){
                  var data = {};
                  for (var i = 0; i < results.rows.length; i++) {
                    var row = results.rows.item(i);
                    data[row.id] = row.text;
                  }
                  someCallback(data);
                });
            });
Saturday, March 26, 2011                                              43
Web Storage - WebKit Example
            // handle errors

            db.transaction(function (tx) {
              tx.executeSql(‘select * from foo where id > ?’, [10],
                 function(tx,results){
                    //... handle success
                 },
                 function(tx, errors){
                    //handle errors
                 }
              );
            });

Saturday, March 26, 2011                                              44
Resources
                  IndexedDB
                           http://www.html5rocks.com/tutorials/indexeddb/todo/
                           https://developer.mozilla.org/en/IndexedDB/IndexedDB_primer
                  Web SQL - http://www.html5rocks.com/tutorials/offline/storage/
                  CORS - http://www.nczonline.net/blog/2010/05/25/cross-domain-ajax-
                  with-cross-origin-resource-sharing/
                  Local Storage - http://html5tutorial.net/tutorials/working-with-html5-
                  localstorage.html

Saturday, March 26, 2011                                                                   45
Demo & Questions


                  Download demo from http://zohararad.com/sandbox/
                  cors.zip
                  gem install padrino
                  padrino start



Saturday, March 26, 2011                                             46

More Related Content

PDF
Azure sharepointsql
PDF
181 Pdfsam
PDF
Advanced SQL injection to operating system full control (slides)
PDF
SQL injection: Not Only AND 1=1 (updated)
PDF
Oracle WebLogic Server 11g for IT OPS
PPTX
Apresentacao CM CENTER - OFFICE
PDF
Cross site calls with javascript - the right way with CORS
PPTX
JSON: The Basics
Azure sharepointsql
181 Pdfsam
Advanced SQL injection to operating system full control (slides)
SQL injection: Not Only AND 1=1 (updated)
Oracle WebLogic Server 11g for IT OPS
Apresentacao CM CENTER - OFFICE
Cross site calls with javascript - the right way with CORS
JSON: The Basics

Similar to Cross Domain Access Policy solution using Cross Origin Resource sharing (20)

KEY
Message in a Bottle
PDF
Javascript cross domain communication
PPT
Breaking The Cross Domain Barrier
PDF
Using Communication and Messaging API in the HTML5 World
PDF
Going Beyond Cross Domain Boundaries (jQuery Bulgaria)
PDF
Consuming RESTful services in PHP
PDF
Consuming RESTful Web services in PHP
PDF
Securing Your API
PPTX
Web technologies: HTTP
PDF
Using communication and messaging API in the HTML5 world - GIl Fink, sparXsys
PDF
CNIT 129S - Ch 3: Web Application Technologies
PDF
Cross Origin Communication (CORS)
PDF
PPTX
Web Application Security in front end
PDF
CNIT 129S: Ch 3: Web Application Technologies
PDF
IE 8 et les standards du Web - Chris Wilson - Paris Web 2008
PPTX
Browser Internals-Same Origin Policy
PDF
Html5 Application Security
PDF
Cors michael
KEY
Modern Web Technologies — Jerusalem Web Professionals, January 2011
Message in a Bottle
Javascript cross domain communication
Breaking The Cross Domain Barrier
Using Communication and Messaging API in the HTML5 World
Going Beyond Cross Domain Boundaries (jQuery Bulgaria)
Consuming RESTful services in PHP
Consuming RESTful Web services in PHP
Securing Your API
Web technologies: HTTP
Using communication and messaging API in the HTML5 world - GIl Fink, sparXsys
CNIT 129S - Ch 3: Web Application Technologies
Cross Origin Communication (CORS)
Web Application Security in front end
CNIT 129S: Ch 3: Web Application Technologies
IE 8 et les standards du Web - Chris Wilson - Paris Web 2008
Browser Internals-Same Origin Policy
Html5 Application Security
Cors michael
Modern Web Technologies — Jerusalem Web Professionals, January 2011
Ad

Recently uploaded (20)

PDF
Electronic commerce courselecture one. Pdf
PPTX
ACSFv1EN-58255 AWS Academy Cloud Security Foundations.pptx
PDF
The Rise and Fall of 3GPP – Time for a Sabbatical?
PDF
Dropbox Q2 2025 Financial Results & Investor Presentation
PPT
“AI and Expert System Decision Support & Business Intelligence Systems”
PDF
Unlocking AI with Model Context Protocol (MCP)
PPTX
Spectroscopy.pptx food analysis technology
PPTX
KOM of Painting work and Equipment Insulation REV00 update 25-dec.pptx
PDF
Per capita expenditure prediction using model stacking based on satellite ima...
PDF
Agricultural_Statistics_at_a_Glance_2022_0.pdf
PPTX
Cloud computing and distributed systems.
PPTX
20250228 LYD VKU AI Blended-Learning.pptx
PDF
MIND Revenue Release Quarter 2 2025 Press Release
PDF
7 ChatGPT Prompts to Help You Define Your Ideal Customer Profile.pdf
PDF
KodekX | Application Modernization Development
PDF
Machine learning based COVID-19 study performance prediction
PDF
cuic standard and advanced reporting.pdf
PDF
Peak of Data & AI Encore- AI for Metadata and Smarter Workflows
PDF
Optimiser vos workloads AI/ML sur Amazon EC2 et AWS Graviton
PPTX
MYSQL Presentation for SQL database connectivity
Electronic commerce courselecture one. Pdf
ACSFv1EN-58255 AWS Academy Cloud Security Foundations.pptx
The Rise and Fall of 3GPP – Time for a Sabbatical?
Dropbox Q2 2025 Financial Results & Investor Presentation
“AI and Expert System Decision Support & Business Intelligence Systems”
Unlocking AI with Model Context Protocol (MCP)
Spectroscopy.pptx food analysis technology
KOM of Painting work and Equipment Insulation REV00 update 25-dec.pptx
Per capita expenditure prediction using model stacking based on satellite ima...
Agricultural_Statistics_at_a_Glance_2022_0.pdf
Cloud computing and distributed systems.
20250228 LYD VKU AI Blended-Learning.pptx
MIND Revenue Release Quarter 2 2025 Press Release
7 ChatGPT Prompts to Help You Define Your Ideal Customer Profile.pdf
KodekX | Application Modernization Development
Machine learning based COVID-19 study performance prediction
cuic standard and advanced reporting.pdf
Peak of Data & AI Encore- AI for Metadata and Smarter Workflows
Optimiser vos workloads AI/ML sur Amazon EC2 et AWS Graviton
MYSQL Presentation for SQL database connectivity
Ad

Cross Domain Access Policy solution using Cross Origin Resource sharing

  • 1. Storage and Communication with HTML5 Zohar Arad. March 2011 zohar@zohararad.com | www.zohararad.com Saturday, March 26, 2011 1
  • 2. We’re going to talk about Cross-Origin Resource Sharing Cross-Window message passing Persistent data storage with localStorage Persistent data storage with SQLite Saturday, March 26, 2011 2
  • 3. Cross-Origin Resource Sharing The evolution of XHR Saturday, March 26, 2011 3
  • 4. In the good ol’ days... We had XHR (Thank you Microsoft) We could make requests from the client to the server without page reload We were restricted to the same-origin security policy - No cross-domain requests Saturday, March 26, 2011 4
  • 5. This led to things like JSONP Flash-driven requests Server-side proxy Using iframes (express your frustration here) Saturday, March 26, 2011 5
  • 6. Thankfully, these days are (nearly) gone Saturday, March 26, 2011 6
  • 7. Say Hello to CORS Saturday, March 26, 2011 7
  • 8. CORS is the new AJAX Cross-domain requests are allowed Server is responsible for defining the security policy Client is responsible for enforcing the security policy Works over standard HTTP Saturday, March 26, 2011 8
  • 9. CORS - Client Side var xhr = new XMLHttpRequest(); xhr.open(‘get’, ‘http://www.somesite.com/some_resource/’, true); xhr.onload = function(){ //instead of onreadystatechange //do something }; xhr.send(null); Saturday, March 26, 2011 9
  • 10. Someone has to be different Saturday, March 26, 2011 10
  • 11. CORS - Client Side (IE) var xhr = new XDomainRequest(); xhr.open(‘get’, ‘http://www.somesite.com/some_resource/’); xhr.onload = function(){ //instead of onreadystatechange //do something }; xhr.send(); Saturday, March 26, 2011 11
  • 12. CORS - Client Side API abort() - Stop request that’s already in progress onerror - Handle request errors onload - Handle request success send() - Send the request responseText - Get response content Saturday, March 26, 2011 12
  • 13. CORS - Access Control Flow The client sends ‘Access-Control’ headers to the server during request preflight The server checks whether the requested resource is allowed The client checks the preflight response and decides whether to allow the request or not Saturday, March 26, 2011 13
  • 14. CORS - Server Side Use Access-Control headers to allow Origin - Specific request URI Method - Request method(s) Headers - Optional custom headers Credentials - Request credentials (cookies, SSL, HTTP authentication (not supported in IE) Saturday, March 26, 2011 14
  • 15. CORS - Server Side Access-Control-Allow-Origin: http://www.somesite.com/some_resource Access-Control-Allow-Methods: POST, GET Access-Control-Allow-Headers: NCZ Access-Control-Max-Age: 84600 Access-Control-Allow-Credentials: true Saturday, March 26, 2011 15
  • 16. CORS - Recap Client sends a CORS request to the server Server checks request headers for access control according to URI, method, headers and credentials Server responds to client with an access control response Client decides whether to send the request or not Saturday, March 26, 2011 16
  • 17. CORS - Why should you use it? It works on all modern browser (except IE7 and Opera) It doesn’t require a lot of custom modifications to your code Its the new AJAX (just like the new Spock) You can fall back to JSONP or Flash Using CORS will help promote it Works on Mobile browsers (WebKit) Saturday, March 26, 2011 17
  • 18. Cross-Window Messaging Look Ma, no hacks Saturday, March 26, 2011 18
  • 19. Posting messages between windows We have two windows under our control They don’t necessarily reside under the same domain How can we pass messages from one window to the other? Saturday, March 26, 2011 19
  • 20. We used to hack it away Change location.hash Change document.domain (if subdomain is different) Use opener reference for popups Throw something really heavy, really hard Saturday, March 26, 2011 20
  • 21. No more evil hacks postMessage brings balance to the force Saturday, March 26, 2011 21
  • 22. Message passing Evented Sender / Receiver model Receiver is responsible for enforcing security Saturday, March 26, 2011 22
  • 23. postMessage - Receiver window.addEventListener(“message”,onMessage,false); function onMessage(e){ if(e.origin === ‘http://www.mydomain.com’){ console.log(‘Got a message’,e.data); } } Saturday, March 26, 2011 23
  • 24. postMessage - Sender top.postMessage(‘Hi from iframe’, ‘http://www.mydomain.com’); Saturday, March 26, 2011 24
  • 25. postMessage - Sending to iframes var el = document.getElementById(‘my_iframe’); var win = el.contentWindow; win.postMessage(‘Hi from iframe parent’, ‘http://www.mydomain.com’); Saturday, March 26, 2011 25
  • 26. postMessage - Sending to popup var popup = window.open(......); popup.postMessage(‘Hi from iframe parent’, ‘http://www.mydomain.com’); Saturday, March 26, 2011 26
  • 27. When should you use it? Browser extensions Embedded iframes (if you must use such evil) Flash to Javascript Saturday, March 26, 2011 27
  • 28. Local Persistent Storage Goodbye Cookies Saturday, March 26, 2011 28
  • 29. Local Storage Persistent key / value data store Domain-specific Limited to 5MB per domain Not part of request Completely cross-platform (yes, even IE7) Saturday, March 26, 2011 29
  • 30. localStorage - Basics var s = window.localStorage; s[‘somekey’] = ‘Some Value’; console.log(s[‘somekey’]; Saturday, March 26, 2011 30
  • 31. localStorage - API getItem( key ) - get an item from data store setItem( key, value ) - save item to data store removeItem( key ) - remove item from data store clear() - remove all items from data store Saturday, March 26, 2011 31
  • 32. localStorage - API Or you can use Javascript array notation: var s = window.localStorage; s.myItem = “My Value”; delete s.myItem; Saturday, March 26, 2011 32
  • 33. localStorage - Internet Explorer 7 var storage = document.createElement(‘var’); storage.style.behaviour = “url(‘#default#userData’)”; var b = document.getElementsByTagName(‘body’)[0]; b.appendChild(storage); Saturday, March 26, 2011 33
  • 34. localStorage - Internet Explorer 7 //setting a value var now = new Date(); now.setYear(now.getYear() + 1); var expires = now.toUTCString(); storage.setAttribute(“name”,”zohar”); storage.expires = expires; storage.save(“my_data_store”); Saturday, March 26, 2011 34
  • 35. localStorage - Internet Explorer 7 //getting a value storage.load(“my_data_store”); var v = storage.getAttribute(“name”); //removing a value storage.removeAttribute(“name”); storage.save(“my_data_store”); Saturday, March 26, 2011 35
  • 36. localStorage - Internet Explorer 7 See http://msdn.microsoft.com/en-us/library/ms531424 (VS.85).aspx for a complete API reference IE7 localStorage (data persistence) is limited to 128KB Saturday, March 26, 2011 36
  • 37. Web Storage with SQLite Transactional offline data store Saturday, March 26, 2011 37
  • 38. Web Storage Transactional Data-type aware Supports complex data structures No size limit Works on WebKit, Opera (SQLite) and Firefox 4 (IndexedDB) Saturday, March 26, 2011 38
  • 39. Web Storage - Why should you use it? Browser-specific solutions (like extensions / apps) Mobile browsers ? Optimized data caching for offline access (did anyone say mobile?) Transactional operations Saturday, March 26, 2011 39
  • 40. Web Storage - WebKit Example //create a DB and connect var name = “app_db”; var desc = “My Application DB”; var ver = “1.0”; var size = 10 * 1024 * 1024; // 10MB var db = openDatabase(name,ver,desc,size); Saturday, March 26, 2011 40
  • 41. Web Storage - WebKit Example // create a table db.transaction(function (tx) {   tx.executeSql(‘CREATE TABLE foo (id unique, text)’); }); Saturday, March 26, 2011 41
  • 42. Web Storage - WebKit Example // insert some data db.transaction(function (tx) {   tx.executeSql(‘insert into foo (text) values ( ? )’,[“Hi There”]); }); Saturday, March 26, 2011 42
  • 43. Web Storage - WebKit Example // read some data db.transaction(function (tx) {   tx.executeSql(‘select * from foo where id > ?’, [10], function(tx,results){ var data = {}; for (var i = 0; i < results.rows.length; i++) { var row = results.rows.item(i); data[row.id] = row.text; } someCallback(data); }); }); Saturday, March 26, 2011 43
  • 44. Web Storage - WebKit Example // handle errors db.transaction(function (tx) {   tx.executeSql(‘select * from foo where id > ?’, [10], function(tx,results){ //... handle success }, function(tx, errors){ //handle errors } ); }); Saturday, March 26, 2011 44
  • 45. Resources IndexedDB http://www.html5rocks.com/tutorials/indexeddb/todo/ https://developer.mozilla.org/en/IndexedDB/IndexedDB_primer Web SQL - http://www.html5rocks.com/tutorials/offline/storage/ CORS - http://www.nczonline.net/blog/2010/05/25/cross-domain-ajax- with-cross-origin-resource-sharing/ Local Storage - http://html5tutorial.net/tutorials/working-with-html5- localstorage.html Saturday, March 26, 2011 45
  • 46. Demo & Questions Download demo from http://zohararad.com/sandbox/ cors.zip gem install padrino padrino start Saturday, March 26, 2011 46