Angular 本地存储

Angular LocalStorage

大家好,我正在尝试在 angular 中使用 localStorage 保存一些信息,我将 $window 注入到我的服务中,并创建了一个工厂调用 $localStorage

.factory('$localStorage', ['$window', function($window) {
        return {
            store: function(key, value) {
            $window.localStorage[key] = value;
            },
            get: function(key, defaultValue) {
            return $window.localStorage[key] || defaultValue;
            },
            storeObject: function(key, value) {
            $window.localStorage[key] = JSON.stringify(value);
            },
            getObject: function(key,defaultValue) {
            return JSON.parse($window.localStorage[key] ||     defaultValue);
            }
        }
        }])

我有其他工厂,在那里我使用 localStorage 工厂来保存一些收藏夹

factory("favoriteFactory", ["$resource", "baseURL", "$localStorage", function($resource, baseURL, $localStorage) {
        var favFac = {};
        var favorites = $localStorage.getObject("favorites", "[]");

        favFac.addToFavorites = function(index) {
            for (var i = 0; i < favorites.length; i++) {
                if (favorites[i].id == index)
                    return;
            }

            $localStorage.storeObject("favorites", {id: index});
            //favorites.push({id: index});
        };

        favFac.deleteFromFavorites = function (index) {
            for (var i = 0; i < favorites.length; i++) {
                if (favorites[i].id == index) {
                    favorites.splice(i, 1);
                }
            }
        }

        favFac.getFavorites = function () {
            return favorites;
        };

        return favFac;
    }])

问题是当我添加一个最喜欢的项目时,它会在我的数组中替换自己,而不是向数组中添加一个新项目,

我真的很感激你的帮助 提前致谢

你在存储的时候做错了。您正在用单个项目替换数组。还有一点要注意,Array.prototype.push() return集合的长度。

enter code herefavFac.addToFavorites = function(index) {
        for (var i = 0; i < favorites.length; i++) {
            if (favorites[i].id == index)
                return;
        }
        favorites.push({id: index})
        $localStorage.storeObject("favorites", favorites);
        //favorites.push({id: index});
    };

你只需要像

那样改变addToFavorites方法
favFac.addToFavorites = function(index) {
            for (var i = 0; i < favorites.length; i++) {
                if (favorites[i].id == index)
                    return;
            }

            favorites.push({id: index});
            $localStorage.storeObject("favorites", favorites);

        };

现在它会先添加一个项目,然后将您的数组保存到本地存储中。

作为建议,我建议您使用 ngStorage,它使您可以像单个命令一样简单地从 localStorage 添加或删除项目:

$localStorage.favorites = [];

就是这样,现在您在 localStorage 中有了收藏夹列表,任何时候修改此数组都将直接在 localStorage 上获得结果。

$localStorage.favorites.push(newItemToAdd); // this adds a item.
$localStorage.favorites = $localStorage.favorites
    .filter((v, i) => i !== indexOfItemToDelete); // removes item.