HTML5 Local Storage

HTML5 Local Storage

[[145256]]

What is localstorage

A few days ago, I found some strange operations on cookies in an old project. After consulting, I found that some information was cached to avoid passing parameters on the URL, but I didn’t consider what problems cookies would bring:

  1. The cookie size is limited to about 4k, which is not suitable for storing business data
  2. Cookies are sent with each HTTP transaction, wasting bandwidth

We are working on a mobile project, so the technology that is really suitable for use here is localstorage. Localstorage can be said to be an optimization of cookies. It can be used to store data on the client and will not be transmitted with HTTP, but it is not without problems:

  1. The localstorage size limit is about 5 million characters, and it varies from browser to browser.
  2. localstorage is not readable in privacy mode
  3. The essence of localstorage is to read and write files. If there is a lot of data, it will be slow (Firefox will import the data into the memory at once, which is scary to think about)
  4. localstorage cannot be crawled by crawlers, so don't use it to completely replace URL parameter passing

The above problems can be avoided, so our focus should be on how to use localstorage and how to use it correctly.

Use of localstorage

Basics

There are two types of localstorage storage objects:

① sessionStrage: session means conversation. Here, session refers to the time period from when a user browses a website to when he or she closes the website. The validity period of the session object is only this long.

② localStorage: Save the data on the client hardware device, no matter what it is, which means that the data will still be there when you turn on the computer next time.

The difference between the two is that one is for temporary storage and the other is for long-term storage.

Here is a simple code to illustrate its basic use:

  1. < div   id = "msg"   style ="margin: 10px 0; border: 1px solid black; padding: 10px; width: 300px;
  2. height: 100px;" >  
  3. </ div >  
  4. < input   type = "text"   id = "text"   />  
  5. < select   id = "type" >  
  6. < option   value = "session" > sessionStorage </ option >  
  7. < option   value = "local" > localStorage </ option >  
  8. </ select >  
  9. < button   onclick = "save();" >  
  10. Save data </ button >  
  11. < button   onclick = "load();" >  
  12. Read data </ button >  
  13. < script   type = "text/javascript" >  
  14. var msg = document .getElementById('msg'),
  15. text = document .getElementById('text'),
  16. type = document .getElementById('type');
  17.   
  18. function save() {
  19. var str = text.value ;
  20. var t = type.value ;
  21. if ( t == 'session') {
  22. sessionStorage.setItem('msg', str);
  23. } else {
  24. localStorage.setItem('msg', str);
  25. }
  26. }
  27.   
  28. function load() {
  29. var t = type.value ;
  30. if ( t == 'session') {
  31. msg.innerHTML = sessionStorage .getItem('msg');
  32. } else {
  33. msg.innerHTML = localStorage .getItem('msg');
  34. }
  35. }
  36. </ script >  

Real-world scenarios

In actual work, the use of localstorage generally has the following requirements:

① Cache general information, such as the departure city, arrival city, and non-real-time location information on the search page

② Cache city list data, which is often large

③ Each cached information needs to be traceable. For example, when the server notifies the city data to be updated, it should automatically expire when it is last accessed.

④ Each piece of information has an expiration date, and the server needs to pull data outside the expiration date

⑤ ......

  1. define([], function () {
  2.   
  3. var Storage = _.inherit({
  4. //Default properties  
  5. properties: function () {
  6.   
  7. //Proxy object, default is localstorage  
  8. this .sProxy = window.localStorage;
  9.   
  10. //60 * 60 * 24 * 30 * 1000 ms == 30 days  
  11. this .defaultLifeTime = 2592000000 ;
  12.   
  13. //The local cache is used to store the mapping of all localstorage key values ​​and expiration dates  
  14. this .keyCache = 'SYSTEM_KEY_TIMEOUT_MAP' ;
  15.   
  16. //When the cache capacity is full, the number of caches deleted each time  
  17. this .removeNum = 5 ;
  18.   
  19. },
  20.   
  21. assert : function () {
  22. if ( this .sProxy === null ) {
  23. throw   'not override sProxy property' ;
  24. }
  25. },
  26.   
  27. initialize: function (opts) {
  28. this .propertys();
  29. this . assert ();
  30. },
  31.   
  32. /*
  33. Added localstorage
  34. The data format includes unique key value, json string, expiration date, and deposit date.
  35. sign is a formatted request parameter, which is used to return new data when the same request has different parameters. For example, if the list is a city in Beijing and then switches to Shanghai, it will determine that the tag is different and update the cached data. The tag is equivalent to the signature.
  36. Only one piece of information will be cached for each key value
  37. */  
  38. set: function (key, value, timeout, sign) {
  39. var _d = new Date();
  40. //Deposit date  
  41. var indate = _d.getTime();
  42.   
  43. //Finally saved data  
  44. var entity = null ;
  45.   
  46. if (!timeout) {
  47. _d.setTime(_d.getTime() + this .defaultLifeTime);
  48. timeout = _d.getTime();
  49. }
  50.  
  51. //  
  52. this .setKeyCache(key, timeout);
  53. entity = this .buildStorageObj(value, indate, timeout, sign);
  54.   
  55. try {
  56. this .sProxy.setItem(key, JSON.stringify(entity));
  57. return   true ;
  58. } catch (e) {
  59. //When localstorage is full, clear it all  
  60. if (e.name == 'QuotaExceededError' ) {
  61. // this.sProxy.clear();  
  62. //When localstorage is full, select the data closest to the expiration time for deletion. This will also have some impact, but it feels better than clearing all. If there are too many caches, this process will take time, within 100ms  
  63. if (! this .removeLastCache()) throw   'The amount of data stored this time is too large' ;
  64. this .set(key, value, timeout, sign);
  65. }
  66. console && console.log(e);
  67. }
  68. return   false ;
  69. },
  70.   
  71. //Delete expired cache  
  72. removeOverdueCache: function () {
  73. var tmpObj = null , i, len;
  74.   
  75. var now = new Date().getTime();
  76. //Get the key-value pair  
  77. var cacheStr = this .sProxy.getItem( this .keyCache);
  78. var cacheMap = [];
  79. var newMap = [];
  80. if (!cacheStr) {
  81. return ;
  82. }
  83.   
  84. cacheMap = JSON.parse(cacheStr);
  85.   
  86. for (i = 0 , len = cacheMap.length; i < len; i++) {
  87. tmpObj = cacheMap[i];
  88. if (tmpObj.timeout < now) {
  89. this .sProxy.removeItem(tmpObj.key);
  90. } else {
  91. newMap.push(tmpObj);
  92. }
  93. }
  94. this .sProxy.setItem( this .keyCache, JSON.stringify(newMap));
  95.   
  96. },
  97.   
  98. removeLastCache: function () {
  99. var i, len;
  100. var num = this .removeNum || 5 ;
  101.   
  102. //Get the key-value pair  
  103. var cacheStr = this .sProxy.getItem( this .keyCache);
  104. var cacheMap = [];
  105. var delMap = [];
  106.   
  107. //Indicates that the storage is too large  
  108. if (!cacheStr) return   false ;
  109.   
  110. cacheMap.sort(function (a, b) {
  111. return a.timeout - b.timeout;
  112. });
  113.   
  114. //What data was deleted  
  115. delMap = cacheMap.splice( 0 , num);
  116. for (i = 0 , len = delMap.length; i < len; i++) {
  117. this .sProxy.removeItem(delMap[i].key);
  118. }
  119.   
  120. this .sProxy.setItem( this .keyCache, JSON.stringify(cacheMap));
  121. return   true ;
  122. },
  123.   
  124. setKeyCache: function (key, timeout) {
  125. if (!key || !timeout || timeout < new Date().getTime()) return ;
  126. var i, len, tmpObj;
  127.   
  128. //Get the currently cached key value string  
  129. var oldstr = this .sProxy.getItem( this .keyCache);
  130. var oldMap = [];
  131. //Does the current key already exist?  
  132. var flag = false ;
  133. var obj = {};
  134. obj.key = key;
  135. obj.timeout = timeout;
  136.   
  137. if (oldstr) {
  138. oldMap = JSON.parse(oldstr);
  139. if (!_.isArray(oldMap)) oldMap = [];
  140. }
  141.   
  142. for (i = 0 , len = oldMap.length; i < len; i++) {
  143. tmpObj = oldMap[i];
  144. if (tmpObj.key == key) {
  145. oldMap[i] = obj;
  146. flag = true ;
  147. break ;
  148. }
  149. }
  150. if (!flag) oldMap.push(obj);
  151. //***Put the new array into the cache  
  152. this .sProxy.setItem( this .keyCache, JSON.stringify(oldMap));
  153.   
  154. },
  155.   
  156. buildStorageObj: function (value, indate, timeout, sign) {
  157. var obj = {
  158. value: value,
  159. timeout: timeout,
  160. sign: sign,
  161. indate: indate
  162. };
  163. return obj;
  164. },
  165.   
  166. get: function (key, sign) {
  167. var result, now = new Date().getTime();
  168. try {
  169. result = this .sProxy.getItem(key);
  170. if (!result) return   null ;
  171. result = JSON.parse(result);
  172.   
  173. //Data expired  
  174. if (result.timeout < now) return   null ;
  175.   
  176. // Need to verify the signature  
  177. if (sign) {
  178. if (sign === result.sign)
  179. return result.value;
  180. return   null ;
  181. } else {
  182. return result.value;
  183. }
  184.   
  185. } catch (e) {
  186. console && console.log(e);
  187. }
  188. return   null ;
  189. },
  190.   
  191. //Get the signature  
  192. getSign: function (key) {
  193. var result, sign = null ;
  194. try {
  195. result = this .sProxy.getItem(key);
  196. if (result) {
  197. result = JSON.parse(result);
  198. sign = result && result.sign
  199. }
  200. } catch (e) {
  201. console && console.log(e);
  202. }
  203. return sign;
  204. },
  205.   
  206. remove: function (key) {
  207. return   this .sProxy.removeItem(key);
  208. },
  209.   
  210. clear: function () {
  211. this .sProxy.clear();
  212. }
  213. });
  214.  
  215. Storage.getInstance = function () {
  216. if ( this .instance ) {
  217. return   this .instance;
  218. } else {
  219. return   this .instance = new   this ();
  220. }
  221. };
  222.   
  223. return Storage;
  224.   
  225. });

This code contains the basic operations of localstorage and handles the above problems, but the actual use needs to be abstracted further:

  1. define([ 'AbstractStorage' ], function (AbstractStorage) {
  2.  
  3. var Store = _.inherit({
  4. //Default properties  
  5. properties: function () {
  6.  
  7. //Each object must have a storage key and cannot be repeated  
  8. this .key = null ;
  9.  
  10. //Default life cycle of a piece of data, S is seconds, M is minutes, D is days  
  11. this .lifeTime = '30M' ;
  12.  
  13. //Default return data  
  14. // this.defaultData = null;  
  15.  
  16. //Proxy object, localstorage object  
  17. this .sProxy = new AbstractStorage();
  18.  
  19. },
  20.  
  21. setOption: function (options) {
  22. _.extend( this , options);
  23. },
  24.  
  25. assert : function () {
  26. if ( this .key === null ) {
  27. throw   'not override key property' ;
  28. }
  29. if ( this .sProxy === null ) {
  30. throw   'not override sProxy property' ;
  31. }
  32. },
  33.  
  34. initialize: function (opts) {
  35. this .propertys();
  36. this .setOption(opts);
  37. this . assert ();
  38. },
  39.  
  40. _getLifeTime: function () {
  41. var timeout = 0 ;
  42. var str = this .lifeTime;
  43. var unit = str.charAt(str.length - 1 );
  44. var num = str.substring( 0 , str.length - 1 );
  45. var Map = {
  46. D: 86400 ,
  47. H: 3600 ,
  48. M: 60 ,
  49. S: 1  
  50. };
  51. if (typeof unit == 'string' ) {
  52. unit = unit.toUpperCase();
  53. }
  54. timeout = num;
  55. if (unit) timeout = Map[unit];
  56.  
  57. //The unit is milliseconds  
  58. return num * timeout * 1000 ;
  59. },
  60.  
  61. //Cache data  
  62. set: function (value, sign) {
  63. //Get the expiration time  
  64. var timeout = new Date();
  65. timeout.setTime(timeout.getTime() + this ._getLifeTime());
  66. this .sProxy.set( this .key, value, timeout.getTime(), sign);
  67. },
  68.  
  69. //Set a single property  
  70. setAttr: function (name, value, sign) {
  71. var key, obj;
  72. if (_.isObject(name)) {
  73. for (key in name) {
  74. if (name.hasOwnProperty(key)) this .setAttr(k, name[k], value);
  75. }
  76. return ;
  77. }
  78.  
  79. if (!sign) sign = this .getSign();
  80.  
  81. //Get the current object  
  82. obj = this .get(sign) || {};
  83. if (!obj) return ;
  84. obj[name] = value;
  85. this .set(obj, sign);
  86.  
  87. },
  88.  
  89. getSign: function () {
  90. return   this .sProxy.getSign( this .key);
  91. },
  92.  
  93. remove: function () {
  94. this .sProxy.remove( this .key);
  95. },
  96.  
  97. removeAttr: function (attrName) {
  98. var obj = this .get() || {};
  99. if (obj[attrName]) {
  100. delete obj[attrName];
  101. }
  102. this .set(obj);
  103. },
  104.  
  105. get: function (sign) {
  106. var result = [], isEmpty = true , a;
  107. var obj = this .sProxy.get( this .key, sign);
  108. var type = typeof obj;
  109. var o = { 'string' : true , 'number' : true , 'boolean' : true };
  110. if (o[type]) return obj;
  111.  
  112. if (_.isArray(obj)) {
  113. for (var i = 0 , len = obj.length; i < len; i++) {
  114. result[i] = obj[i];
  115. }
  116. } else   if (_.isObject(obj)) {
  117. result = obj;
  118. }
  119.  
  120. for (a in result) {
  121. isEmpty = false ;
  122. break ;
  123. }
  124. return !isEmpty ? result : null ;
  125. },
  126.  
  127. getAttr: function (attrName, tag) {
  128. var obj = this .get(tag);
  129. var attrVal = null ;
  130. if (obj) {
  131. attrVal = obj[attrName];
  132. }
  133. return attrVal;
  134. }
  135.  
  136. });
  137.  
  138. Store.getInstance = function () {
  139. if ( this .instance ) {
  140. return   this .instance;
  141. } else {
  142. return   this .instance = new   this ();
  143. }
  144. };
  145.  
  146. return Store;
  147. });

When we actually use it, we use the store class to operate localstorage. The code ends with a simple test:

The storage is completed and no requests will be made in the future, so today's code is basically finished.

other

In privacy mode, window.name can be used to simulate sessionStorage, because window.name can be saved, which is also the reason why it solves the cross-domain solution.

There is a back button in Android Hybrid. Once pressed, it will return to the previous page. At this time, the localstorage in it may be invalid! A simple but unreliable solution is to add in the webapp:

  1. window.onunload = function () { }; //Suitable for single-page applications. Don’t ask me why. I don’t know either.    

Conclusion

Localstorage is an essential technical point for mobile development, which requires in-depth understanding. The specific business code will be put on git later. Interested friends can go to learn more

<<:  4 tips to simplify your IT programmer's work life

>>:  Can I become a great programmer if I learn programming halfway?

Recommend

Analysis of Tmall Double 11 event operations in 2019!

This article attempts to analyze the overall game...

Eight augmented reality toolkits worth paying attention to by app developers

[51CTO.com Quick Translation] Although the COVID-...

Brand Marketing Project Index

China's marketing agencies have yet to reach ...

Mozilla CTO publicly blames Android and iOS

[[122515]] In a report provided to The Guardian, ...

How to plan activities and increase user growth?

Overview: 1. What is operation? 2. Set goals 3. M...

Xiaomi and Huawei are almost breaking their heads for these parameters

Compared with the rapid growth of the mobile phon...

One picture tells you: Which generation of Android system is stronger?

When Google released Android 1.5, it started nami...

Why is it that the bigger the brand, the harder it is to gain influence?

Why does a brand become disliked by users once it...

Use Retrofit+RxJava+MVP to create a Material Design style APP

In order to get familiar with the use of some ope...

A complete Xiaohongshu traffic promotion plan!

Since May 2019, it has been a very difficult year...

How to design a landing page to reduce information flow costs by 60%?

With the promotion competition so fierce today, s...

How to write a new media operation and promotion plan?

Today's topic is how to write a promotion pla...