• 解决vue页面刷新,数据丢失


    在做vue项目的过程中有时候会遇到一个问题,就是进行F5页面刷新的时候,页面的数据会丢失,出现这个问题的原因是因为当用vuex做全局状态管理的时候,store中的数据是保存在运行内存中的,页面刷新时会重新加载vue实例,store中的数据就会被重新赋值,因此数据就丢失了,解决方式如下:

    解决方法一:

    最先想到的应该就是利用localStorage/sessionStorage将数据储存在外部,做一个持久化储存,下面是利用localStorage存储的具体方案:

           方案一:由于state中的数据是响应式的,而数据又是通过mutation来进行修改,故在通过mutation修改state中数据的同时调用localStorage.setItem()方法来进行数据的存储。

      

    import Vue from 'vue';
    import Vuex from 'vuex';
    
    Vue.use(Vuex);
    
    export default new Vuex.Store({
        state: {
           orderList: [],
           menuList: []
       },
        mutations: {
            orderList(s, d) {
              s.orderList= d;
              window.localStorage.setItem("list",JSON.stringify(s.orderList))
            },  
            menuList(s, d) {
              s.menuList = d;
              window.localStorage.setItem("list",JSON.stringify(s.menuList))
           },
       }
    })

    在页面加载的时候再通过localStorage.getItem()将数据取出放回到vuex,可在app.vue的created()周期函数中写如下代码:

    if (window.localStorage.getItem("list") ) {
            this.$store.replaceState(Object.assign({}, 
            this.$store.state,JSON.parse(window.localStorage.getItem("list"))))
    } 

      方案二:方案一能够顺利解决问题,但不断触发localStorage.setItem()方法对性能不是特别友好,而且一直将数据同步到localStorage中似乎就没必要再用vuex做状态管理,直接用localStorage即可,于是对以上解决方法进行了改进,通过监听beforeunload事件来进行数据的localStorage存储,beforeunload事件在页面刷新时进行触发,具体做法是在App.vue的created()周期函数中下如下代码:

    if (window.localStorage.getItem("list") ) {
            this.$store.replaceState(Object.assign({}, this.$store.state,JSON.parse(window.localStorage.getItem("list"))))
        } 
    
    window.addEventListener("beforeunload",()=>{
            window.localStorage.setItem("list",JSON.stringify(this.$store.state))
        })

    解决方法二(推荐):

    这个方法是基于对computed计算属性的理解,在vue的官方文档中有这么一段话:

    由此得知计算属性的结果会被缓存,也就是说在有缓存的情况下,computed会优先使用缓存,于是也可以在state数据相对应的页面这样写:

    computed:{
       orderList() {
           return this.$store.state.orderList
       }
    }  

    本人在项目遇到的问题:

    1.页面刷新数据丢失

  • 相关阅读:
    CF 256C Furlo and Rublo and Game【博弈论,SG函数】
    opengl笔记——OpenGL好资料备忘
    SQL SERVER 2012/2014 链接到 SQL SERVER 2000的各种坑
    ORACLE数据库对比表结构
    SSRS Reports 2008性能优化案例二
    Linux LVM学习总结——扩展卷组VG
    MySQL备份还原——AutoMySQLBackup介绍
    mysqldump: Got error: 1142: SELECT, LOCK TABLES command denied to user 'root'@'localhost' for table 'accounts' when using LOCK TABLES
    MySQL备份还原——mysqldump工具介绍
    ORACLE查看数据文件包含哪些对象
  • 原文地址:https://www.cnblogs.com/tp51/p/14026035.html
Copyright © 2020-2023  润新知