mirror of
https://github.com/grafana/grafana.git
synced 2025-01-15 19:22:34 -06:00
174ee95153
* Error handling for setObject to store * Update public/app/core/store.ts Co-Authored-By: kay delaney <45561153+kaydelaney@users.noreply.github.com> * Update public/app/features/explore/RichHistory/RichHistory.tsx Co-Authored-By: kay delaney <45561153+kaydelaney@users.noreply.github.com> * Move setState outside of try-catch block Co-authored-by: kay delaney <45561153+kaydelaney@users.noreply.github.com>
60 lines
1.4 KiB
TypeScript
60 lines
1.4 KiB
TypeScript
type StoreValue = string | number | boolean | null;
|
|
|
|
export class Store {
|
|
get(key: string) {
|
|
return window.localStorage[key];
|
|
}
|
|
|
|
set(key: string, value: StoreValue) {
|
|
window.localStorage[key] = value;
|
|
}
|
|
|
|
getBool(key: string, def: boolean): boolean {
|
|
if (def !== void 0 && !this.exists(key)) {
|
|
return def;
|
|
}
|
|
return window.localStorage[key] === 'true';
|
|
}
|
|
|
|
getObject(key: string, def?: any) {
|
|
let ret = def;
|
|
if (this.exists(key)) {
|
|
const json = window.localStorage[key];
|
|
try {
|
|
ret = JSON.parse(json);
|
|
} catch (error) {
|
|
console.error(`Error parsing store object: ${key}. Returning default: ${def}. [${error}]`);
|
|
}
|
|
}
|
|
return ret;
|
|
}
|
|
|
|
/* Returns true when successfully stored, throws error if not successfully stored */
|
|
setObject(key: string, value: any) {
|
|
let json;
|
|
try {
|
|
json = JSON.stringify(value);
|
|
} catch (error) {
|
|
throw new Error(`Could not stringify object: ${key}. [${error}]`);
|
|
}
|
|
try {
|
|
this.set(key, json);
|
|
} catch (error) {
|
|
// Likely hitting storage quota
|
|
throw new Error(`Could not save item in localStorage: ${key}. [${error}]`);
|
|
}
|
|
return true;
|
|
}
|
|
|
|
exists(key: string) {
|
|
return window.localStorage[key] !== void 0;
|
|
}
|
|
|
|
delete(key: string) {
|
|
window.localStorage.removeItem(key);
|
|
}
|
|
}
|
|
|
|
const store = new Store();
|
|
export default store;
|