mirror of
https://github.com/vbenjs/vue-vben-admin.git
synced 2025-08-27 06:58:53 +08:00
109 lines
2.8 KiB
TypeScript
109 lines
2.8 KiB
TypeScript
import { DEFAULT_CACHE_TIME } from '/@/settings/encryptionSetting';
|
|
import { cacheCipher } from '/@/settings/encryptionSetting';
|
|
import Encryption, { EncryptionParams } from '/@/utils/encryption/aesEncryption';
|
|
|
|
export interface CreateStorageParams extends EncryptionParams {
|
|
storage: Storage;
|
|
|
|
hasEncrypt: boolean;
|
|
}
|
|
export const createStorage = ({
|
|
prefixKey = '',
|
|
storage = sessionStorage,
|
|
key = cacheCipher.key,
|
|
iv = cacheCipher.iv,
|
|
hasEncrypt = true,
|
|
} = {}) => {
|
|
if (hasEncrypt && [key.length, iv.length].some((item) => item !== 16)) {
|
|
throw new Error('When hasEncrypt is true, the key or iv must be 16 bits!');
|
|
}
|
|
|
|
const encryption = new Encryption({ key, iv });
|
|
|
|
/**
|
|
*Cache class
|
|
*Construction parameters can be passed into sessionStorage, localStorage,
|
|
* @class Cache
|
|
* @example
|
|
*/
|
|
const WebStorage = class WebStorage {
|
|
private storage: Storage;
|
|
private prefixKey?: string;
|
|
private encryption: Encryption;
|
|
private hasEncrypt: boolean;
|
|
/**
|
|
*
|
|
* @param {*} storage
|
|
*/
|
|
constructor() {
|
|
this.storage = storage;
|
|
this.prefixKey = prefixKey;
|
|
this.encryption = encryption;
|
|
this.hasEncrypt = hasEncrypt;
|
|
}
|
|
|
|
private getKey(key: string) {
|
|
return `${this.prefixKey}${key}`.toUpperCase();
|
|
}
|
|
|
|
/**
|
|
*
|
|
* Set cache
|
|
* @param {string} key
|
|
* @param {*} value
|
|
* @expire Expiration time in seconds
|
|
* @memberof Cache
|
|
*/
|
|
set(key: string, value: any, expire: number | null = DEFAULT_CACHE_TIME) {
|
|
const stringData = JSON.stringify({
|
|
value,
|
|
expire: expire !== null ? new Date().getTime() + expire * 1000 : null,
|
|
});
|
|
const stringifyValue = this.hasEncrypt
|
|
? this.encryption.encryptByAES(stringData)
|
|
: stringData;
|
|
this.storage.setItem(this.getKey(key), stringifyValue);
|
|
}
|
|
|
|
/**
|
|
*Read cache
|
|
* @param {string} key
|
|
* @memberof Cache
|
|
*/
|
|
get(key: string, def: any = null): any {
|
|
const item = this.storage.getItem(this.getKey(key));
|
|
if (item) {
|
|
try {
|
|
const decItem = this.hasEncrypt ? this.encryption.decryptByAES(item) : item;
|
|
const data = JSON.parse(decItem);
|
|
const { value, expire } = data;
|
|
if (expire === null || expire >= new Date().getTime()) {
|
|
return value;
|
|
}
|
|
this.remove(this.getKey(key));
|
|
} catch (e) {
|
|
return def;
|
|
}
|
|
}
|
|
return def;
|
|
}
|
|
|
|
/**
|
|
* Delete cache based on key
|
|
* @param {string} key
|
|
* @memberof Cache
|
|
*/
|
|
remove(key: string) {
|
|
this.storage.removeItem(this.getKey(key));
|
|
}
|
|
|
|
/**
|
|
* Delete all caches of this instance
|
|
*/
|
|
clear(): void {
|
|
this.storage.clear();
|
|
}
|
|
};
|
|
return new WebStorage();
|
|
};
|