我有Chrome extension使用chrome.storage
来跟踪要应用于网页内容的样式表。其中一个样式表是我最初从Chrome的扩展文件加载的必需默认样式表,如果用户的chrome.storage
中不存在该文件。这很有效。
但是,我有时会使用不同的规则更新此默认样式表以改进样式。当扩展程序运行时,它会检查默认样式表是否存在并找到旧版本的样式表 - 因此它不会从扩展程序的存储中加载任何内容。因此,用户仍在使用旧版本的样式表。
在我的本地计算机上,我可以手动清空我的chrome.storage
并加载新版本,但在发布时我无法通过扩展程序执行此操作,因为我不想每次都清空它扩展程序运行,我也不知道Chrome的扩展文件中样式表已更新的次数。
我可以通过检查两个文件的每个字符来解决这个问题,比较它们是否相同,然后加载扩展的样式表,如果是这样,但这看起来有点过头而且容易出错。
只有在更新扩展程序的样式表而不更改文件名时,是否有更简单的方法来更新chrome.storage
的样式表?
如果您想查看我的实现,整个项目都是开源的on GitHub。
答案 0 :(得分:0)
使用nudge from Florian in a chat,我使用第二个chrome.storage
空间提出了以下解决方案。
我已经在检查用户的Chrome存储空间内是否存在样式表,并在扩展程序的文件中加载样式表(如果它不存在)。为了使其在更改时自动更新,我现在检查第二个chrome.storage
空格,其中包含版本号,以检查是否从Chrome存储中加载样式表。基本方法如下:
// Helper function that checks whether an object is empty or not
function isEmpty(obj) {
return Object.keys(obj).length === 0;
}
var stylesheetObj = {}, // Keeps track of all stylesheets
stylesheetVersion = 1; // THIS NUMBER MUST BE CHANGED FOR THE STYLESHEETS TO KNOW TO UPDATE
chrome.storage.sync.get('just-read-stylesheets', function (result) {
// Here 'results' is an object with all stylesheets if it exists
// This keeps track of whether or not the user has the latest stylsheet version
var needsUpdate = false;
// Here I get the user's current stylesheet version
chrome.storage.sync.get('stylesheet-version', function (versionResult) {
// If the user has a version of the stylesheets and it is less than the cufrent one, update it
if(isEmpty(versionResult)
|| versionResult['stylesheet-version'] < stylesheetVersion) {
chrome.storage.sync.set({'stylesheet-version': stylesheetVersion});
needsUpdate = true;
}
if(isEmpty(result) // Not found, so we add our default
|| isEmpty(result["just-read-stylesheets"])
|| needsUpdate) { // Update the default stylesheet if it's on a previous version
// Open the default CSS file and save it to our object
var xhr = new XMLHttpRequest();
xhr.open('GET', chrome.extension.getURL('default-styles.css'), true);
// Code to handle successful GET here
}
xhr.send();
return;
}
// Code to do if no load is necessary here
});
});
这使得为用户更新样式表唯一必须更改的是stylesheetVersion
,确保它比以前的版本更大。例如,如果我更新了样式表并希望用户的版本自动更新,我会将stylesheetVersion
从1
更改为1.1
。
如果您需要更完整的实现,可以找到JS文件here on GitHub
答案 1 :(得分:-2)
尝试使用chrome.storage.sync
并为其*onChanged*
事件添加一个侦听器。每当存储发生任何变化时,该事件就会触发。这是用于监听保存更改的示例代码:
chrome.storage.onChanged.addListener(function(changes, namespace) {
for (key in changes) {
var storageChange = changes[key];
console.log('Storage key "%s" in namespace "%s" changed. ' +
'Old value was "%s", new value is "%s".',
key,
namespace,
storageChange.oldValue,
storageChange.newValue);
}
});