mirror of
https://github.com/purrgrammer/grimoire.git
synced 2026-04-12 08:27:27 +02:00
feat: implement comprehensive namespaced settings system
Redesigned the settings system with proper namespacing, type safety, validation,
and migration support. This provides a solid foundation for all app configuration.
Settings Structure:
- post: Post composition settings (client tag, relay selection)
- appearance: UI/theme settings (theme, compact mode, font size, animations)
- relay: Relay configuration (fallback, discovery, outbox, timeouts)
- privacy: Privacy settings (read receipts, content warnings, link warnings)
- database: Caching settings (max events, cleanup, IndexedDB options)
- notifications: Browser notifications preferences
- developer: Debug and experimental features
Key Features:
- Fully typed with TypeScript interfaces for each namespace
- Automatic validation with fallback to defaults for invalid data
- Migration system from old flat structure to namespaced structure
- Backwards compatible with old "grimoire-settings" localStorage key
- Import/export functionality for settings backup/restore
- Reactive updates via RxJS BehaviorSubject
- Section-level and individual setting updates
- Reset individual sections or all settings
Changes:
- Created comprehensive AppSettings interface with 7 namespaced sections
- Implemented SettingsManager class with reactive updates and persistence
- Updated useSettings hook to support namespaced API
- Updated PostViewer, publish-spell, and delete-event to use new API
(settingsManager.getSetting("post", "includeClientTag"))
- Added extensive inline documentation for all settings
Migration:
- Automatically migrates old includeClientTag setting to post.includeClientTag
- Moves data from "grimoire-settings" to "grimoire-settings-v2" key
- Validates all loaded settings and fills in defaults for missing values
This foundation will support future settings UI with tabbed interface.
This commit is contained in:
@@ -31,7 +31,7 @@ export class DeleteEventAction {
|
||||
const draft = await factory.delete([item.event], reason);
|
||||
|
||||
// Add client tag if enabled in settings
|
||||
if (settingsManager.getSetting("includeClientTag")) {
|
||||
if (settingsManager.getSetting("post", "includeClientTag")) {
|
||||
draft.tags.push(GRIMOIRE_CLIENT_TAG);
|
||||
}
|
||||
|
||||
|
||||
@@ -44,7 +44,7 @@ export class PublishSpellAction {
|
||||
|
||||
// Add client tag if enabled in settings
|
||||
const tags = [...encoded.tags];
|
||||
if (settingsManager.getSetting("includeClientTag")) {
|
||||
if (settingsManager.getSetting("post", "includeClientTag")) {
|
||||
tags.push(GRIMOIRE_CLIENT_TAG);
|
||||
}
|
||||
|
||||
|
||||
@@ -369,7 +369,7 @@ export function PostViewer({ windowId }: PostViewerProps = {}) {
|
||||
}
|
||||
|
||||
// Add client tag (if enabled)
|
||||
if (settings?.includeClientTag) {
|
||||
if (settings?.post?.includeClientTag) {
|
||||
additionalTags.push(GRIMOIRE_CLIENT_TAG);
|
||||
}
|
||||
|
||||
@@ -658,9 +658,9 @@ export function PostViewer({ windowId }: PostViewerProps = {}) {
|
||||
</DropdownMenuTrigger>
|
||||
<DropdownMenuContent align="start">
|
||||
<DropdownMenuCheckboxItem
|
||||
checked={settings?.includeClientTag ?? true}
|
||||
checked={settings?.post?.includeClientTag ?? true}
|
||||
onCheckedChange={(checked) =>
|
||||
updateSetting("includeClientTag", checked)
|
||||
updateSetting("post", "includeClientTag", checked)
|
||||
}
|
||||
>
|
||||
Include client tag
|
||||
|
||||
@@ -9,25 +9,46 @@ import { settingsManager, type AppSettings } from "@/services/settings";
|
||||
export function useSettings() {
|
||||
const settings = use$(settingsManager.stream$);
|
||||
|
||||
const updateSetting = useCallback(
|
||||
<K extends keyof AppSettings>(key: K, value: AppSettings[K]) => {
|
||||
settingsManager.updateSetting(key, value);
|
||||
const updateSection = useCallback(
|
||||
<K extends keyof Omit<AppSettings, "__version">>(
|
||||
section: K,
|
||||
updates: Partial<AppSettings[K]>,
|
||||
) => {
|
||||
settingsManager.updateSection(section, updates);
|
||||
},
|
||||
[],
|
||||
);
|
||||
|
||||
const updateSettings = useCallback((updates: Partial<AppSettings>) => {
|
||||
settingsManager.updateSettings(updates);
|
||||
}, []);
|
||||
const updateSetting = useCallback(
|
||||
<
|
||||
S extends keyof Omit<AppSettings, "__version">,
|
||||
K extends keyof AppSettings[S],
|
||||
>(
|
||||
section: S,
|
||||
key: K,
|
||||
value: AppSettings[S][K],
|
||||
) => {
|
||||
settingsManager.updateSetting(section, key, value);
|
||||
},
|
||||
[],
|
||||
);
|
||||
|
||||
const reset = useCallback(() => {
|
||||
settingsManager.reset();
|
||||
}, []);
|
||||
|
||||
const resetSection = useCallback(
|
||||
<K extends keyof Omit<AppSettings, "__version">>(section: K) => {
|
||||
settingsManager.resetSection(section);
|
||||
},
|
||||
[],
|
||||
);
|
||||
|
||||
return {
|
||||
settings,
|
||||
updateSection,
|
||||
updateSetting,
|
||||
updateSettings,
|
||||
reset,
|
||||
resetSection,
|
||||
};
|
||||
}
|
||||
|
||||
@@ -1,30 +1,297 @@
|
||||
/**
|
||||
* Global application settings
|
||||
* Manages user preferences with localStorage persistence
|
||||
* Global application settings with namespaced structure
|
||||
* Manages user preferences with localStorage persistence, validation, and migrations
|
||||
*/
|
||||
|
||||
import { BehaviorSubject } from "rxjs";
|
||||
|
||||
export interface AppSettings {
|
||||
/** Whether to include client tag in published events */
|
||||
includeClientTag: boolean;
|
||||
}
|
||||
|
||||
const DEFAULT_SETTINGS: AppSettings = {
|
||||
includeClientTag: true,
|
||||
};
|
||||
|
||||
const SETTINGS_STORAGE_KEY = "grimoire-settings";
|
||||
// ============================================================================
|
||||
// Settings Types
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Load settings from localStorage with error handling
|
||||
* Post composition settings
|
||||
*/
|
||||
export interface PostSettings {
|
||||
/** Include Grimoire client tag in published events */
|
||||
includeClientTag: boolean;
|
||||
/** Default relay selection preference (user-relays, aggregators, custom) */
|
||||
defaultRelayMode: "user-relays" | "aggregators" | "custom";
|
||||
/** Custom relay list for posting (when defaultRelayMode is "custom") */
|
||||
customPostRelays: string[];
|
||||
}
|
||||
|
||||
/**
|
||||
* Appearance and theme settings
|
||||
*/
|
||||
export interface AppearanceSettings {
|
||||
/** Theme mode (light, dark, or system) */
|
||||
theme: "light" | "dark" | "system";
|
||||
/** Event kinds to render in compact mode */
|
||||
compactModeKinds: number[];
|
||||
/** Font size multiplier (0.8 = 80%, 1.0 = 100%, 1.2 = 120%) */
|
||||
fontSizeMultiplier: number;
|
||||
/** Enable UI animations */
|
||||
animationsEnabled: boolean;
|
||||
/** Accent color (hue value 0-360) */
|
||||
accentHue: number;
|
||||
}
|
||||
|
||||
/**
|
||||
* Relay configuration settings
|
||||
*/
|
||||
export interface RelaySettings {
|
||||
/** Fallback aggregator relays when user has no relay list */
|
||||
fallbackRelays: string[];
|
||||
/** Discovery relays for bootstrapping (NIP-05, relay lists, etc.) */
|
||||
discoveryRelays: string[];
|
||||
/** Enable NIP-65 outbox model for finding events */
|
||||
outboxEnabled: boolean;
|
||||
/** Fallback to aggregators if outbox fails */
|
||||
outboxFallbackEnabled: boolean;
|
||||
/** Relay connection timeout in milliseconds */
|
||||
relayTimeout: number;
|
||||
/** Maximum concurrent relay connections per query */
|
||||
maxRelaysPerQuery: number;
|
||||
/** Automatically connect to inbox relays when viewing DMs */
|
||||
autoConnectInbox: boolean;
|
||||
}
|
||||
|
||||
/**
|
||||
* Privacy and security settings
|
||||
*/
|
||||
export interface PrivacySettings {
|
||||
/** Share read receipts (NIP-15) */
|
||||
shareReadReceipts: boolean;
|
||||
/** Blur wallet balances in UI */
|
||||
blurWalletBalances: boolean;
|
||||
/** Blur sensitive content (marked with content-warning tag) */
|
||||
blurSensitiveContent: boolean;
|
||||
/** Warn before opening external links */
|
||||
warnExternalLinks: boolean;
|
||||
}
|
||||
|
||||
/**
|
||||
* Local database and caching settings
|
||||
*/
|
||||
export interface DatabaseSettings {
|
||||
/** Maximum events to cache in IndexedDB (0 = unlimited) */
|
||||
maxEventsCached: number;
|
||||
/** Auto-cleanup old events after N days (0 = never) */
|
||||
autoCleanupDays: number;
|
||||
/** Enable IndexedDB caching */
|
||||
cacheEnabled: boolean;
|
||||
/** Cache profile metadata */
|
||||
cacheProfiles: boolean;
|
||||
/** Cache relay lists */
|
||||
cacheRelayLists: boolean;
|
||||
}
|
||||
|
||||
/**
|
||||
* Notification preferences
|
||||
*/
|
||||
export interface NotificationSettings {
|
||||
/** Enable browser notifications */
|
||||
enabled: boolean;
|
||||
/** Notify on mentions */
|
||||
notifyOnMention: boolean;
|
||||
/** Notify on zaps received */
|
||||
notifyOnZap: boolean;
|
||||
/** Notify on replies */
|
||||
notifyOnReply: boolean;
|
||||
/** Play sound on notification */
|
||||
soundEnabled: boolean;
|
||||
}
|
||||
|
||||
/**
|
||||
* Developer and debug settings
|
||||
*/
|
||||
export interface DeveloperSettings {
|
||||
/** Enable debug mode */
|
||||
debugMode: boolean;
|
||||
/** Show event IDs in UI */
|
||||
showEventIds: boolean;
|
||||
/** Console log level */
|
||||
logLevel: "none" | "error" | "warn" | "info" | "debug";
|
||||
/** Enable experimental features */
|
||||
experimentalFeatures: boolean;
|
||||
/** Show performance metrics */
|
||||
showPerformanceMetrics: boolean;
|
||||
}
|
||||
|
||||
/**
|
||||
* Complete application settings structure
|
||||
* Version 1: Initial namespaced structure
|
||||
*/
|
||||
export interface AppSettings {
|
||||
__version: 1;
|
||||
post: PostSettings;
|
||||
appearance: AppearanceSettings;
|
||||
relay: RelaySettings;
|
||||
privacy: PrivacySettings;
|
||||
database: DatabaseSettings;
|
||||
notifications: NotificationSettings;
|
||||
developer: DeveloperSettings;
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// Default Settings
|
||||
// ============================================================================
|
||||
|
||||
const DEFAULT_POST_SETTINGS: PostSettings = {
|
||||
includeClientTag: true,
|
||||
defaultRelayMode: "user-relays",
|
||||
customPostRelays: [],
|
||||
};
|
||||
|
||||
const DEFAULT_APPEARANCE_SETTINGS: AppearanceSettings = {
|
||||
theme: "dark",
|
||||
compactModeKinds: [6, 7, 16, 9735], // reactions, reposts, zaps
|
||||
fontSizeMultiplier: 1.0,
|
||||
animationsEnabled: true,
|
||||
accentHue: 280, // Purple
|
||||
};
|
||||
|
||||
const DEFAULT_RELAY_SETTINGS: RelaySettings = {
|
||||
fallbackRelays: [
|
||||
"wss://relay.damus.io",
|
||||
"wss://relay.nostr.band",
|
||||
"wss://nos.lol",
|
||||
"wss://relay.primal.net",
|
||||
],
|
||||
discoveryRelays: [
|
||||
"wss://relay.damus.io",
|
||||
"wss://relay.nostr.band",
|
||||
"wss://purplepag.es",
|
||||
],
|
||||
outboxEnabled: true,
|
||||
outboxFallbackEnabled: true,
|
||||
relayTimeout: 5000,
|
||||
maxRelaysPerQuery: 10,
|
||||
autoConnectInbox: true,
|
||||
};
|
||||
|
||||
const DEFAULT_PRIVACY_SETTINGS: PrivacySettings = {
|
||||
shareReadReceipts: false,
|
||||
blurWalletBalances: false,
|
||||
blurSensitiveContent: true,
|
||||
warnExternalLinks: false,
|
||||
};
|
||||
|
||||
const DEFAULT_DATABASE_SETTINGS: DatabaseSettings = {
|
||||
maxEventsCached: 50000,
|
||||
autoCleanupDays: 30,
|
||||
cacheEnabled: true,
|
||||
cacheProfiles: true,
|
||||
cacheRelayLists: true,
|
||||
};
|
||||
|
||||
const DEFAULT_NOTIFICATION_SETTINGS: NotificationSettings = {
|
||||
enabled: false,
|
||||
notifyOnMention: true,
|
||||
notifyOnZap: true,
|
||||
notifyOnReply: true,
|
||||
soundEnabled: false,
|
||||
};
|
||||
|
||||
const DEFAULT_DEVELOPER_SETTINGS: DeveloperSettings = {
|
||||
debugMode: false,
|
||||
showEventIds: false,
|
||||
logLevel: "warn",
|
||||
experimentalFeatures: false,
|
||||
showPerformanceMetrics: false,
|
||||
};
|
||||
|
||||
export const DEFAULT_SETTINGS: AppSettings = {
|
||||
__version: 1,
|
||||
post: DEFAULT_POST_SETTINGS,
|
||||
appearance: DEFAULT_APPEARANCE_SETTINGS,
|
||||
relay: DEFAULT_RELAY_SETTINGS,
|
||||
privacy: DEFAULT_PRIVACY_SETTINGS,
|
||||
database: DEFAULT_DATABASE_SETTINGS,
|
||||
notifications: DEFAULT_NOTIFICATION_SETTINGS,
|
||||
developer: DEFAULT_DEVELOPER_SETTINGS,
|
||||
};
|
||||
|
||||
// ============================================================================
|
||||
// Storage and Validation
|
||||
// ============================================================================
|
||||
|
||||
const SETTINGS_STORAGE_KEY = "grimoire-settings-v2";
|
||||
|
||||
/**
|
||||
* Validate settings structure and return valid settings
|
||||
* Falls back to defaults for invalid sections
|
||||
*/
|
||||
function validateSettings(settings: any): AppSettings {
|
||||
if (!settings || typeof settings !== "object") {
|
||||
return DEFAULT_SETTINGS;
|
||||
}
|
||||
|
||||
// Ensure all namespaces exist
|
||||
return {
|
||||
__version: 1,
|
||||
post: { ...DEFAULT_POST_SETTINGS, ...(settings.post || {}) },
|
||||
appearance: {
|
||||
...DEFAULT_APPEARANCE_SETTINGS,
|
||||
...(settings.appearance || {}),
|
||||
},
|
||||
relay: { ...DEFAULT_RELAY_SETTINGS, ...(settings.relay || {}) },
|
||||
privacy: { ...DEFAULT_PRIVACY_SETTINGS, ...(settings.privacy || {}) },
|
||||
database: { ...DEFAULT_DATABASE_SETTINGS, ...(settings.database || {}) },
|
||||
notifications: {
|
||||
...DEFAULT_NOTIFICATION_SETTINGS,
|
||||
...(settings.notifications || {}),
|
||||
},
|
||||
developer: { ...DEFAULT_DEVELOPER_SETTINGS, ...(settings.developer || {}) },
|
||||
};
|
||||
}
|
||||
|
||||
/**
|
||||
* Migrate settings from old format to current version
|
||||
*/
|
||||
function migrateSettings(stored: any): AppSettings {
|
||||
// If it's already v2 format, validate and return
|
||||
if (stored && stored.__version === 1) {
|
||||
return validateSettings(stored);
|
||||
}
|
||||
|
||||
// Migrate from v1 (flat structure with only includeClientTag)
|
||||
const migrated: AppSettings = {
|
||||
...DEFAULT_SETTINGS,
|
||||
};
|
||||
|
||||
if (stored && typeof stored === "object") {
|
||||
// Migrate old includeClientTag setting
|
||||
if ("includeClientTag" in stored) {
|
||||
migrated.post.includeClientTag = stored.includeClientTag;
|
||||
}
|
||||
}
|
||||
|
||||
return migrated;
|
||||
}
|
||||
|
||||
/**
|
||||
* Load settings from localStorage with migration support
|
||||
*/
|
||||
function loadSettings(): AppSettings {
|
||||
try {
|
||||
const stored = localStorage.getItem(SETTINGS_STORAGE_KEY);
|
||||
if (stored) {
|
||||
const parsed = JSON.parse(stored);
|
||||
return { ...DEFAULT_SETTINGS, ...parsed };
|
||||
return migrateSettings(parsed);
|
||||
}
|
||||
|
||||
// Check for old settings key
|
||||
const oldStored = localStorage.getItem("grimoire-settings");
|
||||
if (oldStored) {
|
||||
const parsed = JSON.parse(oldStored);
|
||||
const migrated = migrateSettings(parsed);
|
||||
// Save to new key
|
||||
saveSettings(migrated);
|
||||
// Clean up old key
|
||||
localStorage.removeItem("grimoire-settings");
|
||||
return migrated;
|
||||
}
|
||||
} catch (err) {
|
||||
console.error("Failed to load settings:", err);
|
||||
@@ -43,11 +310,16 @@ function saveSettings(settings: AppSettings): void {
|
||||
}
|
||||
}
|
||||
|
||||
// ============================================================================
|
||||
// Settings Manager
|
||||
// ============================================================================
|
||||
|
||||
/**
|
||||
* Global settings manager
|
||||
* Global settings manager with reactive updates
|
||||
* Use settings$ to reactively observe settings changes
|
||||
* Use getSetting() for non-reactive access
|
||||
* Use updateSetting() to update a setting
|
||||
* Use getSection() for non-reactive access to a settings section
|
||||
* Use updateSection() to update an entire section
|
||||
* Use updateSetting() to update a specific setting within a section
|
||||
*/
|
||||
class SettingsManager {
|
||||
private settings$ = new BehaviorSubject<AppSettings>(loadSettings());
|
||||
@@ -68,31 +340,60 @@ class SettingsManager {
|
||||
}
|
||||
|
||||
/**
|
||||
* Get a specific setting value
|
||||
* Get a specific settings section
|
||||
*/
|
||||
getSetting<K extends keyof AppSettings>(key: K): AppSettings[K] {
|
||||
return this.settings$.value[key];
|
||||
getSection<K extends keyof Omit<AppSettings, "__version">>(
|
||||
section: K,
|
||||
): AppSettings[K] {
|
||||
return this.settings$.value[section];
|
||||
}
|
||||
|
||||
/**
|
||||
* Update a specific setting
|
||||
* Get a specific setting within a section
|
||||
* @example getSetting("post", "includeClientTag")
|
||||
*/
|
||||
getSetting<
|
||||
S extends keyof Omit<AppSettings, "__version">,
|
||||
K extends keyof AppSettings[S],
|
||||
>(section: S, key: K): AppSettings[S][K] {
|
||||
return this.settings$.value[section][key];
|
||||
}
|
||||
|
||||
/**
|
||||
* Update an entire settings section
|
||||
* Automatically persists to localStorage
|
||||
*/
|
||||
updateSetting<K extends keyof AppSettings>(
|
||||
key: K,
|
||||
value: AppSettings[K],
|
||||
updateSection<K extends keyof Omit<AppSettings, "__version">>(
|
||||
section: K,
|
||||
updates: Partial<AppSettings[K]>,
|
||||
): void {
|
||||
const newSettings = { ...this.settings$.value, [key]: value };
|
||||
const newSettings = {
|
||||
...this.settings$.value,
|
||||
[section]: {
|
||||
...this.settings$.value[section],
|
||||
...updates,
|
||||
},
|
||||
};
|
||||
this.settings$.next(newSettings);
|
||||
saveSettings(newSettings);
|
||||
}
|
||||
|
||||
/**
|
||||
* Update multiple settings at once
|
||||
* Update a specific setting within a section
|
||||
* Automatically persists to localStorage
|
||||
* @example updateSetting("post", "includeClientTag", true)
|
||||
*/
|
||||
updateSettings(updates: Partial<AppSettings>): void {
|
||||
const newSettings = { ...this.settings$.value, ...updates };
|
||||
updateSetting<
|
||||
S extends keyof Omit<AppSettings, "__version">,
|
||||
K extends keyof AppSettings[S],
|
||||
>(section: S, key: K, value: AppSettings[S][K]): void {
|
||||
const newSettings = {
|
||||
...this.settings$.value,
|
||||
[section]: {
|
||||
...this.settings$.value[section],
|
||||
[key]: value,
|
||||
},
|
||||
};
|
||||
this.settings$.next(newSettings);
|
||||
saveSettings(newSettings);
|
||||
}
|
||||
@@ -104,6 +405,44 @@ class SettingsManager {
|
||||
this.settings$.next(DEFAULT_SETTINGS);
|
||||
saveSettings(DEFAULT_SETTINGS);
|
||||
}
|
||||
|
||||
/**
|
||||
* Reset a specific section to defaults
|
||||
*/
|
||||
resetSection<K extends keyof Omit<AppSettings, "__version">>(
|
||||
section: K,
|
||||
): void {
|
||||
const newSettings = {
|
||||
...this.settings$.value,
|
||||
[section]: DEFAULT_SETTINGS[section],
|
||||
};
|
||||
this.settings$.next(newSettings);
|
||||
saveSettings(newSettings);
|
||||
}
|
||||
|
||||
/**
|
||||
* Export settings as JSON string
|
||||
*/
|
||||
export(): string {
|
||||
return JSON.stringify(this.settings$.value, null, 2);
|
||||
}
|
||||
|
||||
/**
|
||||
* Import settings from JSON string
|
||||
* Validates and migrates imported settings
|
||||
*/
|
||||
import(json: string): boolean {
|
||||
try {
|
||||
const parsed = JSON.parse(json);
|
||||
const validated = validateSettings(parsed);
|
||||
this.settings$.next(validated);
|
||||
saveSettings(validated);
|
||||
return true;
|
||||
} catch (err) {
|
||||
console.error("Failed to import settings:", err);
|
||||
return false;
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
/**
|
||||
|
||||
Reference in New Issue
Block a user