当前位置:   article > 正文

LocalStorage,该提升下逼格了_localstorag 钉钉

localstorag 钉钉

你还在直接用 localStorag

很多人在用 localStorage 或 sessionStorage 的时候喜欢直接用,明文存储,直接将信息暴露在;浏览器中,虽然一般场景下都能应付得了且简单粗暴,但特殊需求情况下,比如设置定时功能,就不能实现。就需要对其进行二次封装,为了在使用上增加些安全感,那加密也必然是少不了的了。为方便项目使用,特对常规操作进行封装。不完善之处会进一步更新...(更新于:2022.06.02 16:30)

设计

封装之前先梳理下所需功能,并要做成什么样,采用什么样的规范,部分主要代码片段是以 localStorage作为示例,最后会贴出完整代码的。可以结合项目自行优化,也可以直接使用。

  1. // 区分存储类型 type
  2. // 自定义名称前缀 prefix
  3. // 支持设置过期时间 expire
  4. // 支持加密可选,开发环境下未方便调试可关闭加密
  5. // 支持数据加密 这里采用 crypto-js 加密 也可使用其他方式
  6. // 判断是否支持 Storage isSupportStorage
  7. // 设置 setStorage
  8. // 获取 getStorage
  9. // 是否存在 hasStorage
  10. // 获取所有key getStorageKeys
  11. // 根据索引获取key getStorageForIndex
  12. // 获取localStorage长度 getStorageLength
  13. // 获取全部 getAllStorage
  14. // 删除 removeStorage
  15. // 清空 clearStorage
  16. //定义参数 类型 window.localStorage,window.sessionStorage,
  17. const config = {
  18. type: 'localStorage', // 本地存储类型 localStorage/sessionStorage
  19. prefix: 'SDF_0.0.1', // 名称前缀 建议:项目名 + 项目版本
  20. expire: 1, //过期时间 单位:秒
  21. isEncrypt: true // 默认加密 为了调试方便, 开发过程中可以不加密
  22. }

设置 setStorage

Storage 本身是不支持过期时间设置的,要支持设置过期时间,可以效仿 Cookie 的做法,setStorage(key,value,expire) 方法,接收三个参数,第三个参数就是设置过期时间的,用相对时间,单位秒,要对所传参数进行类型检查。可以设置统一的过期时间,也可以对单个值得过期时间进行单独配置。两种方式按需配置。

代码实现:

  1. // 设置 setStorage
  2. export const setStorage = (key,value,expire=0) => {
  3. if (value === '' || value === null || value === undefined) {
  4. value = null;
  5. }
  6. if (isNaN(expire) || expire < 1) throw new Error("Expire must be a number");
  7. expire = (expire?expire:config.expire) * 60000;
  8. let data = {
  9. value: value, // 存储值
  10. time: Date.now(), //存值时间戳
  11. expire: expire // 过期时间
  12. }
  13. window[config.type].setItem(key, JSON.stringify(data));
  14. }

获取 getStorage

首先要对 key 是否存在进行判断,防止获取不存在的值而报错。对获取方法进一步扩展,只要在有效期内获取 Storage 值,就对过期时间进行续期,如果过期则直接删除该值。并返回 null

  1. // 获取 getStorage
  2. export const getStorage = (key) => {
  3. // key 不存在判断
  4. if (!window[config.type].getItem(key) || JSON.stringify(window[config.type].getItem(key)) === 'null'){
  5. return null;
  6. }
  7. // 优化 持续使用中续期
  8. const storage = JSON.parse(window[config.type].getItem(key));
  9. console.log(storage)
  10. let nowTime = Date.now();
  11. console.log(config.expire*6000 ,(nowTime - storage.time))
  12. // 过期删除
  13. if (storage.expire && config.expire*6000 < (nowTime - storage.time)) {
  14. removeStorage(key);
  15. return null;
  16. } else {
  17. // 未过期期间被调用 则自动续期 进行保活
  18. setStorage(key,storage.value);
  19. return storage.value;
  20. }
  21. }

获取所有值

  1. // 获取全部 getAllStorage
  2. export const getAllStorage = () => {
  3. let len = window[config.type].length // 获取长度
  4. let arr = new Array() // 定义数据集
  5. for (let i = 0; i < len; i++) {
  6. // 获取key 索引从0开始
  7. let getKey = window[config.type].key(i)
  8. // 获取key对应的值
  9. let getVal = window[config.type].getItem(getKey)
  10. // 放进数组
  11. arr[i] = { 'key': getKey, 'val': getVal, }
  12. }
  13. return arr
  14. }

删除 removeStorage

  1. // 名称前自动添加前缀
  2. const autoAddPrefix = (key) => {
  3. const prefix = config.prefix ? config.prefix + '_' : '';
  4. return prefix + key;
  5. }
  6. // 删除 removeStorage
  7. export const removeStorage = (key) => {
  8. window[config.type].removeItem(autoAddPrefix(key));
  9. }

清空 clearStorage

  1. // 清空 clearStorage
  2. export const clearStorage = () => {
  3. window[config.type].clear();
  4. }

加密、解密

加密采用的是 crypto-js

  1. // 安装crypto-js
  2. npm install crypto-js
  3. // 引入 crypto-js 有以下两种方式
  4. import CryptoJS from "crypto-js";
  5. // 或者
  6. const CryptoJS = require("crypto-js");

对 crypto-js 设置密钥和密钥偏移量,可以采用将一个私钥经 MD5 加密生成16位密钥获得。

  1. // 十六位十六进制数作为密钥
  2. const SECRET_KEY = CryptoJS.enc.Utf8.parse("3333e6e143439161");
  3. // 十六位十六进制数作为密钥偏移量
  4. const SECRET_IV = CryptoJS.enc.Utf8.parse("e3bbe7e3ba84431a");

对加密方法进行封装

  1. /**
  2. * 加密方法
  3. * @param data
  4. * @returns {string}
  5. */
  6. export function encrypt(data) {
  7. if (typeof data === "object") {
  8. try {
  9. data = JSON.stringify(data);
  10. } catch (error) {
  11. console.log("encrypt error:", error);
  12. }
  13. }
  14. const dataHex = CryptoJS.enc.Utf8.parse(data);
  15. const encrypted = CryptoJS.AES.encrypt(dataHex, SECRET_KEY, {
  16. iv: SECRET_IV,
  17. mode: CryptoJS.mode.CBC,
  18. padding: CryptoJS.pad.Pkcs7
  19. });
  20. return encrypted.ciphertext.toString();
  21. }

对解密方法进行封装

  1. /**
  2. * 解密方法
  3. * @param data
  4. * @returns {string}
  5. */
  6. export function decrypt(data) {
  7. const encryptedHexStr = CryptoJS.enc.Hex.parse(data);
  8. const str = CryptoJS.enc.Base64.stringify(encryptedHexStr);
  9. const decrypt = CryptoJS.AES.decrypt(str, SECRET_KEY, {
  10. iv: SECRET_IV,
  11. mode: CryptoJS.mode.CBC,
  12. padding: CryptoJS.pad.Pkcs7
  13. });
  14. const decryptedStr = decrypt.toString(CryptoJS.enc.Utf8);
  15. return decryptedStr.toString();
  16. }

在存储数据及获取数据中进行使用:

这里我们主要看下进行加密和解密部分,部分方法在下面代码段中并未展示,请注意,不能直接运行。

  1. const config = {
  2. type: 'localStorage', // 本地存储类型 sessionStorage
  3. prefix: 'SDF_0.0.1', // 名称前缀 建议:项目名 + 项目版本
  4. expire: 1, //过期时间 单位:秒
  5. isEncrypt: true // 默认加密 为了调试方便, 开发过程中可以不加密
  6. }
  7. // 设置 setStorage
  8. export const setStorage = (key, value, expire = 0) => {
  9. if (value === '' || value === null || value === undefined) {
  10. value = null;
  11. }
  12. if (isNaN(expire) || expire < 0) throw new Error("Expire must be a number");
  13. expire = (expire ? expire : config.expire) * 1000;
  14. let data = {
  15. value: value, // 存储值
  16. time: Date.now(), //存值时间戳
  17. expire: expire // 过期时间
  18. }
  19. // 对存储数据进行加密 加密为可选配置
  20. const encryptString = config.isEncrypt ? encrypt(JSON.stringify(data)): JSON.stringify(data);
  21. window[config.type].setItem(autoAddPrefix(key), encryptString);
  22. }
  23. // 获取 getStorage
  24. export const getStorage = (key) => {
  25. key = autoAddPrefix(key);
  26. // key 不存在判断
  27. if (!window[config.type].getItem(key) || JSON.stringify(window[config.type].getItem(key)) === 'null') {
  28. return null;
  29. }
  30. // 对存储数据进行解密
  31. const storage = config.isEncrypt ? JSON.parse(decrypt(window[config.type].getItem(key))) : JSON.parse(window[config.type].getItem(key));
  32. let nowTime = Date.now();
  33. // 过期删除
  34. if (storage.expire && config.expire * 6000 < (nowTime - storage.time)) {
  35. removeStorage(key);
  36. return null;
  37. } else {
  38. // 持续使用时会自动续期
  39. setStorage(autoRemovePrefix(key), storage.value);
  40. return storage.value;
  41. }
  42. }

使用

使用的时候你可以通过 import 按需引入,也可以挂载到全局上使用,一般建议少用全局方式或全局变量,为后来接手项目继续开发维护的人,追查代码留条便捷之路!不要为了封装而封装,尽可能基于项目需求和后续的通用,以及使用上的便捷。比如获取全部存储变量,如果你项目上都未曾用到过,倒不如删减掉,留着过年也不见得有多香,不如为减小体积做点贡献!

import {isSupportStorage, hasStorage, setStorage,getStorage,getStorageKeys,getStorageForIndex,getStorageLength,removeStorage,getStorageAll,clearStorage} from '@/utils/storage'

完整代码

该代码已进一步完善,需要的可以直接进一步优化,也可以将可优化或可扩展的建议,留言说明,我会进一步迭代的。可以根据自己的需要删除一些不用的方法,以减小文件大小。

  1. /***
  2. * title: storage.js
  3. * Author: Gaby
  4. * Email: xxx@126.com
  5. * Time: 2022/6/1 17:30
  6. * last: 2022/6/2 17:30
  7. * Desc: 对存储的简单封装
  8. */
  9. import CryptoJS from 'crypto-js';
  10. // 十六位十六进制数作为密钥
  11. const SECRET_KEY = CryptoJS.enc.Utf8.parse("3333e6e143439161");
  12. // 十六位十六进制数作为密钥偏移量
  13. const SECRET_IV = CryptoJS.enc.Utf8.parse("e3bbe7e3ba84431a");
  14. // 类型 window.localStorage,window.sessionStorage,
  15. const config = {
  16. type: 'localStorage', // 本地存储类型 sessionStorage
  17. prefix: 'SDF_0.0.1', // 名称前缀 建议:项目名 + 项目版本
  18. expire: 1, //过期时间 单位:秒
  19. isEncrypt: true // 默认加密 为了调试方便, 开发过程中可以不加密
  20. }
  21. // 判断是否支持 Storage
  22. export const isSupportStorage = () => {
  23. return (typeof (Storage) !== "undefined") ? true : false
  24. }
  25. // 设置 setStorage
  26. export const setStorage = (key, value, expire = 0) => {
  27. if (value === '' || value === null || value === undefined) {
  28. value = null;
  29. }
  30. if (isNaN(expire) || expire < 0) throw new Error("Expire must be a number");
  31. expire = (expire ? expire : config.expire) * 1000;
  32. let data = {
  33. value: value, // 存储值
  34. time: Date.now(), //存值时间戳
  35. expire: expire // 过期时间
  36. }
  37. const encryptString = config.isEncrypt
  38. ? encrypt(JSON.stringify(data))
  39. : JSON.stringify(data);
  40. window[config.type].setItem(autoAddPrefix(key), encryptString);
  41. }
  42. // 获取 getStorage
  43. export const getStorage = (key) => {
  44. key = autoAddPrefix(key);
  45. // key 不存在判断
  46. if (!window[config.type].getItem(key) || JSON.stringify(window[config.type].getItem(key)) === 'null') {
  47. return null;
  48. }
  49. // 优化 持续使用中续期
  50. const storage = config.isEncrypt
  51. ? JSON.parse(decrypt(window[config.type].getItem(key)))
  52. : JSON.parse(window[config.type].getItem(key));
  53. let nowTime = Date.now();
  54. // 过期删除
  55. if (storage.expire && config.expire * 6000 < (nowTime - storage.time)) {
  56. removeStorage(key);
  57. return null;
  58. } else {
  59. // 未过期期间被调用 则自动续期 进行保活
  60. setStorage(autoRemovePrefix(key), storage.value);
  61. return storage.value;
  62. }
  63. }
  64. // 是否存在 hasStorage
  65. export const hasStorage = (key) => {
  66. key = autoAddPrefix(key);
  67. let arr = getStorageAll().filter((item)=>{
  68. return item.key === key;
  69. })
  70. return arr.length ? true : false;
  71. }
  72. // 获取所有key
  73. export const getStorageKeys = () => {
  74. let items = getStorageAll()
  75. let keys = []
  76. for (let index = 0; index < items.length; index++) {
  77. keys.push(items[index].key)
  78. }
  79. return keys
  80. }
  81. // 根据索引获取key
  82. export const getStorageForIndex = (index) => {
  83. return window[config.type].key(index)
  84. }
  85. // 获取localStorage长度
  86. export const getStorageLength = () => {
  87. return window[config.type].length
  88. }
  89. // 获取全部 getAllStorage
  90. export const getStorageAll = () => {
  91. let len = window[config.type].length // 获取长度
  92. let arr = new Array() // 定义数据集
  93. for (let i = 0; i < len; i++) {
  94. // 获取key 索引从0开始
  95. let getKey = window[config.type].key(i)
  96. // 获取key对应的值
  97. let getVal = window[config.type].getItem(getKey)
  98. // 放进数组
  99. arr[i] = {'key': getKey, 'val': getVal,}
  100. }
  101. return arr
  102. }
  103. // 删除 removeStorage
  104. export const removeStorage = (key) => {
  105. window[config.type].removeItem(autoAddPrefix(key));
  106. }
  107. // 清空 clearStorage
  108. export const clearStorage = () => {
  109. window[config.type].clear();
  110. }
  111. // 名称前自动添加前缀
  112. const autoAddPrefix = (key) => {
  113. const prefix = config.prefix ? config.prefix + '_' : '';
  114. return prefix + key;
  115. }
  116. // 移除已添加的前缀
  117. const autoRemovePrefix = (key) => {
  118. const len = config.prefix ? config.prefix.length+1 : '';
  119. return key.substr(len)
  120. // const prefix = config.prefix ? config.prefix + '_' : '';
  121. // return prefix + key;
  122. }
  123. /**
  124. * 加密方法
  125. * @param data
  126. * @returns {string}
  127. */
  128. const encrypt = (data) => {
  129. if (typeof data === "object") {
  130. try {
  131. data = JSON.stringify(data);
  132. } catch (error) {
  133. console.log("encrypt error:", error);
  134. }
  135. }
  136. const dataHex = CryptoJS.enc.Utf8.parse(data);
  137. const encrypted = CryptoJS.AES.encrypt(dataHex, SECRET_KEY, {
  138. iv: SECRET_IV,
  139. mode: CryptoJS.mode.CBC,
  140. padding: CryptoJS.pad.Pkcs7
  141. });
  142. return encrypted.ciphertext.toString();
  143. }
  144. /**
  145. * 解密方法
  146. * @param data
  147. * @returns {string}
  148. */
  149. const decrypt = (data) => {
  150. const encryptedHexStr = CryptoJS.enc.Hex.parse(data);
  151. const str = CryptoJS.enc.Base64.stringify(encryptedHexStr);
  152. const decrypt = CryptoJS.AES.decrypt(str, SECRET_KEY, {
  153. iv: SECRET_IV,
  154. mode: CryptoJS.mode.CBC,
  155. padding: CryptoJS.pad.Pkcs7
  156. });
  157. const decryptedStr = decrypt.toString(CryptoJS.enc.Utf8);
  158. return decryptedStr.toString();
  159. }

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/Monodyee/article/detail/487390
推荐阅读
相关标签
  

闽ICP备14008679号