A conveniently usable storage class for tampermonkey/greasemonkey/violentmonkey that automatically stores the settings permanently in the userscript value storage while automatically syncing between multiple instances of the userscript so every tab has the same variables available.
The GMStorage
class is an advanced wrapper for Greasemonkey/Tampermonkey's storage APIs. It greatly simplifies data management by providing the following features:
-
Simple Read/Write Operations:
Access and modify storage values as if you were dealing with a standard JavaScript object. -
Deep Proxying for Nested Properties:
Any modification to a nested property in an object is automatically detected and saved. -
Cross-Tab Synchronization:
Storage updates in one tab are automatically synchronized with all other tabs running the script. -
Default Value Initialization:
Easily initialize storage with default values if certain keys aren’t already set. -
Debug Logging:
Optionally enable debug logging to watch for and troubleshoot changes in real-time. -
Asynchronous Listening for Updates:
Utilize both one-shot awaiting (usingawait
) and continuous asynchronous iteration (usingfor await ... of
) to react to storage changes. -
Resource Management:
Clear event listeners efficiently when they are no longer needed.
Include the script in your userscript's metadata block. Make sure you have the necessary grants:
// ==UserScript==
// @name Storage Tests
// @namespace https://wol.ph/
// @version 2025-04-02
// @author Rick van Hattem <https://wol.ph>
// @description Demonstrates the usage of the GMStorage class.
// @match *://*/*
// @grant GM_setValue
// @grant GM_getValue
// @grant GM_listValues
// @grant GM_addValueChangeListener
// @grant GM_removeValueChangeListener
// ==/UserScript==
Then include your script file or paste the code inline.
The constructor for GMStorage
accepts two optional parameters:
-
debugMode
(Boolean)- Enables debug logging if set to
true
. - Default:
false
.
- Enables debug logging if set to
-
defaultValues
(Object)- An object with default key/value pairs used to initialize storage if keys are not already set.
- Default:
{}
.
// Initialize with debug mode enabled and default values for storage.
const defaults = {
username: "Anonymous",
preferences: {
theme: "light",
notifications: true,
},
};
const storage = new GMStorage(true, defaults);
Values in storage are accessed and modified as if they were properties of an object.
// Write to storage:
storage.someKey = "Hello, World!";
// Read from storage:
console.log(storage.someKey); // "Hello, World!"
// Update a value:
storage.someKey = "Updated Value";
console.log(storage.someKey); // "Updated Value"
If a key hasn’t been set, the class initializes it with the default value provided.
const defaults = {
username: "Anonymous",
preferences: { theme: "dark", notifications: true },
};
const storage = new GMStorage(false, defaults);
// Will print "Anonymous" if not updated previously:
console.log(storage.username);
// Update the value and it is saved automatically:
storage.username = "JohnDoe";
When debug mode is enabled, any change log will be output via console.debug()
.
const storage = new GMStorage(true);
// Changing a value logs the change:
storage.someKey = 42;
// Console Output: GMStorage: key 'someKey' updated from undefined to 42
GMStorage
uses deep proxies to ensure that nested updates are persisted.
const storage = new GMStorage();
storage.settings = { theme: "light", notifications: false };
// Deep changes are auto-saved:
storage.settings.theme = "dark";
console.log(storage.settings.theme); // "dark"
// Debug log: GMStorage [deep]: key 'settings' modified property 'theme' from 'light' to 'dark'
You can await the next update on a key:
(async () => {
console.log("Waiting for an update on 'someKey'...");
const newValue = await storage.listen("someKey");
console.log("Received new value:", newValue);
})();
// Trigger an update after 2000 milliseconds
setTimeout(() => {
storage.someKey = "New Value";
}, 2000);
Listen continuously for successive updates:
(async () => {
console.log("Listening for continuous updates on 'settings'...");
for await (const value of storage.listen("settings")) {
console.log("Updated settings:", value);
}
})();
// Simulate updates:
setTimeout(() => { storage.settings = { theme: "dark" }; }, 1000);
setTimeout(() => { storage.settings.notifications = true; }, 3000);
Remove all active listeners to clean up resources:
const storage = new GMStorage();
// ...
storage.clearListeners(); // This stops all active GM_addValueChangeListeners
Below is a comprehensive example that demonstrates initializing defaults, modifying nested objects, and listening for updates:
const defaults = {
user: {
name: "Anonymous",
preferences: {
theme: "light",
notifications: true,
},
},
};
const storage = new GMStorage(true, defaults);
// Output initial default value.
console.log("Username:", storage.user.name); // "Anonymous"
// Modify a nested property.
storage.user.preferences.theme = "dark";
// Listen for further updates on the 'user' key.
(async () => {
for await (const updatedUser of storage.listen("user")) {
console.log("User updated:", updatedUser);
}
})();
// Simulate another update after 2 seconds.
setTimeout(() => {
storage.user.preferences.notifications = false; // Update triggers listener.
}, 2000);
Expected Console Output:
GMStorage: key 'user' updated from undefined to { name: 'Anonymous', preferences: { theme: 'light', notifications: true } }
GMStorage [deep]: key 'user' modified property 'preferences' from { theme: 'light', notifications: true } to { theme: 'dark', notifications: true }
User updated: { name: 'Anonymous', preferences: { theme: 'dark', notifications: false } }
-
Simplification of Code:
No need for multipleGM_*
function calls; work with properties directly. -
Automatic Deep Updates:
Nested objects are automatically observed and updated without extra coding. -
Robust Synchronization:
Changes propagate across tabs ensuring consistency. -
Flexible Listening:
Use either one-shot or continuous asynchronous listening to react to changes. -
Easy Debugging:
Debug logging provides immediate insight into storage modifications. -
Initialization with Defaults:
Seamlessly handle unset keys by providing default values in the constructor.
This guide should help you get started with the GMStorage
class and harness its full potential in your userscripts. Enjoy the streamlined experience and happy coding!