4

我想将搜索结果作为缓存存储在 localStorage 中。

我想将所有缓存存储为一个 localStorage 值:

localStorage.getItem('search-cache')

在它里面我想有 JSON 对象,我可以添加属性并检索它们。不幸的是,它不起作用,并且 localStorage 没有用 json 结果更新(它的值一直是'{}')。

我不是 javascript proffesional 所以请指导我如何做好。

这是缓存结果的当前代码:

    var query = $(this).val();

    var cache = JSON.parse(localStorage.getItem('search-cache'));

    if (cache == null) {
        cache = '[{}]';
    }

    if (cache[query] == null) {

        $.getJSON('/api/guides/search?query=' + query, function (data) {
            $.each(data, function (index, guide) {
                $('#results').append('<li class="result-item">' + guide.Name + '</li>');
            });

            cache[query] = data;
            localStorage.setItem('search-cache', JSON.stringify(cache));
        });
    }
    else {
        $.each(JSON.parse(localStorage.getItem('search-cache')[query]), function (index, guide) {
            $('#results').append('<li class="result-item">' + guide.Name + '</li>');
        });

    }
4

3 回答 3

3

你的逻辑有些漏洞。

var cache = JSON.parse(localStorage.getItem("..."));
if (cache == null) { cache = "[{}]"; }

好吧,如果项目 DID 存在,则您已将缓存设置为等于该对象。
否则,您已将 cache 设置为等于 string "[{}]"

与其考虑如何构建本地存储,不如考虑如何构建结果列表。

var cache_json = localStorage.getItem("search-cache"),
    search_cache = JSON.parse(cache_json) || {};

var query = $("...").value(); // or whatever

search_cache[query] = search_cache[query] || { results : [] };

var list = $(......)
list.each(function () {
    search_cache[query].results.push( /* whatever you want in your array */ );
});


cache_json = JSON.stringify(search_cache);
localStorage.setItem("search-cache", query_json);
于 2013-02-23T18:57:12.170 回答
1

因为,如果您的项目search-cache未定义,则缓存变量的初始化不正确。

你应该像这样初始化你的数组:

if (cache == null) {
    cache = []; 
    cache[query] = null;
}

测试时满足条件

if (cache[query] == null)

但是,您需要像这样测试它:

if(typeof cache[query] == 'undefined')
于 2013-02-23T18:48:28.433 回答
1

cache 是一个对象而不是数组,像 cache = {} 一样初始化其余代码似乎是正确的。

于 2013-02-23T19:04:50.697 回答