我想将一些存储在本地存储中的数据存储到内容脚本页面。由于它不是直接可用的,我是通过chrome.runtime.sendMessage
完成的。但我有几个值,看起来像这样。
var username, apikey, openexchange, currency, locale;
chrome.runtime.sendMessage({method: "getLocalStorage", key: "username"}, function(response) {
username = response.data;
});
chrome.runtime.sendMessage({method: "getLocalStorage", key: "apikey"}, function(response) {
apikey = response.data;
});
chrome.runtime.sendMessage({method: "getLocalStorage", key: "openexchange"}, function(response) {
openexchange = response.data;
});
chrome.runtime.sendMessage({method: "getLocalStorage", key: "currency"}, function(response) {
currency = response.data;
});
chrome.runtime.sendMessage({method: "getLocalStorage", key: "locale"}, function(response) {
locale = response.data;
});
当值增加时,此列表将更进一步,而不是有任何其他方法将所有值包装在一个函数中吗?
任何帮助都将不胜感激。
答案 0 :(得分:2)
我会首先回答您的直接问题(出于教育目的),然后提供更好的方法(根本不使用localStorage
)。
您是编写回复getLocalStorage
方法的邮件侦听器的人。因此,您可以通过为每个请求发送多个值来使其更加通用。
示例:
chrome.runtime.onMessage.addListener(function(message, sender, sendResponse) {
switch(message.method) {
// ...
case "getLocalStorage":
if(message.key) { // Single key provided
sendResponse({data: localStorage[message.key]});
}
else if(message.keys) { // An array of keys requested
var data = {};
message.keys.forEach(function(key) {data[key] = localStorage[key];})
sendResponse({data: data});
}
break;
// ...
}
});
现在你可以这样做:
chrome.runtime.sendMessage(
{method: "getLocalStorage", keys: ["username", "apikey"]},
function(response) {
username = response.data.username;
apikey = response.data.apikey;
}
);
那就是说,你重新发明了轮子。 Chrome已经有一个存储API(称为令人惊讶的,chrome.storage
),它完全解决了这种情况:扩展页和内容脚本都可以使用某种持久性存储。
添加"storage"
权限后,您可以执行以下操作:
chrome.storage.local.get(key, function(data) {
// Use data[key]
});
chrome.storage.local.get([key1, key2], function(data) {
// Use data[key1], data[key2]
});
chrome.storage.local.get({key1: default1, key2: default2}, function(data) {
// Use data[key1], data[key2], and defaults will be used if not yet in storage
});
chrome.storage.local.set({key1: value1, key2: value2});
My recent answer关于Chrome storage
API。