File size: 6,772 Bytes
25f22bf baaf93b 25f22bf baaf93b 25f22bf baaf93b 25f22bf baaf93b 25f22bf |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 |
import cacheService from './cacheService';
class CookieService {
/**
* Set a cookie with enhanced security for HTTP-only storage
* @param {string} name - Cookie name
* @param {string} value - Cookie value
* @param {Object} options - Cookie options
* @returns {Promise<void>}
*/
async set(name, value, options = {}) {
// Store in secure cache as fallback
const isProduction = import.meta.env.VITE_NODE_ENV === 'production';
const cacheOptions = {
httpOnly: true,
secure: true,
sameSite: isProduction ? 'Lax' : 'Strict', // Use Lax for production/HF Spaces
...options
};
// Calculate TTL for cache
let ttl = 60 * 60 * 1000; // Default 1 hour
if (options.expires) {
ttl = options.expires.getTime() - Date.now();
} else if (options.maxAge) {
ttl = options.maxAge * 1000;
}
await cacheService.set(`cookie_${name}`, { value, options }, ttl);
// For client-side simulation, we'll use localStorage with security prefixes
// In a real implementation, HTTP-only cookies would be set by the server
const cookieData = {
value,
options: {
secure: cacheOptions.secure,
sameSite: cacheOptions.sameSite,
expires: options.expires?.toISOString() || null,
maxAge: options.maxAge || null
}
};
try {
localStorage.setItem(`__secure_cookie_${name}`, JSON.stringify(cookieData));
if (import.meta.env.VITE_NODE_ENV === 'development') {
console.log(`πͺ [Cookie] Set secure cookie: ${name}`);
}
} catch (error) {
console.warn(`πͺ [Cookie] Could not set localStorage cookie: ${name}`, error);
}
}
/**
* Get a cookie value
* @param {string} name - Cookie name
* @returns {Promise<string|null>} - Cookie value or null
*/
async get(name) {
// Try to get from secure cache first
const cached = await cacheService.get(`cookie_${name}`);
if (cached) {
return cached.value;
}
// Fallback to localStorage simulation
try {
const cookieData = localStorage.getItem(`__secure_cookie_${name}`);
if (cookieData) {
const parsed = JSON.parse(cookieData);
// Check expiration
if (parsed.options.expires) {
const expiry = new Date(parsed.options.expires);
if (Date.now() > expiry.getTime()) {
await this.remove(name);
return null;
}
}
return parsed.value;
}
} catch (error) {
console.warn(`πͺ [Cookie] Could not read localStorage cookie: ${name}`, error);
}
return null;
}
/**
* Remove a cookie
* @param {string} name - Cookie name
* @returns {Promise<void>}
*/
async remove(name) {
// Remove from cache
await cacheService.remove(`cookie_${name}`);
// Remove from localStorage simulation
try {
localStorage.removeItem(`__secure_cookie_${name}`);
if (import.meta.env.VITE_NODE_ENV === 'development') {
console.log(`πͺ [Cookie] Removed cookie: ${name}`);
}
} catch (error) {
console.warn(`πͺ [Cookie] Could not remove localStorage cookie: ${name}`, error);
}
}
/**
* Clear all cookies
* @returns {Promise<void>}
*/
async clear() {
// Clear cache entries
const keys = (await cacheService.storage.keys()) || [];
const cookieKeys = keys.filter(key => key.startsWith('cookie_'));
await Promise.all(cookieKeys.map(key => cacheService.remove(key)));
// Clear localStorage simulation
try {
const localStorageKeys = Object.keys(localStorage);
const cookieLocalStorageKeys = localStorageKeys.filter(key => key.startsWith('__secure_cookie_'));
cookieLocalStorageKeys.forEach(key => localStorage.removeItem(key));
if (import.meta.env.VITE_NODE_ENV === 'development') {
console.log('πͺ [Cookie] Cleared all cookies');
}
} catch (error) {
console.warn('πͺ [Cookie] Could not clear all localStorage cookies', error);
}
}
/**
* Check if a cookie exists
* @param {string} name - Cookie name
* @returns {Promise<boolean>} - True if cookie exists
*/
async exists(name) {
return (await this.get(name)) !== null;
}
/**
* Set authentication tokens in secure cookies
* @param {string} accessToken - JWT access token
* @param {boolean} rememberMe - Remember me flag
* @returns {Promise<void>}
*/
async setAuthTokens(accessToken, rememberMe = false) {
const now = new Date();
let accessTokenExpiry;
if (rememberMe) {
// 7 days for remember me
accessTokenExpiry = new Date(now.getTime() + 7 * 24 * 60 * 60 * 1000);
} else {
// 1 hour for session
accessTokenExpiry = new Date(now.getTime() + 60 * 60 * 1000);
}
// Set access token
await this.set('access_token', accessToken, {
expires: accessTokenExpiry,
secure: true,
sameSite: import.meta.env.VITE_NODE_ENV === 'production' ? 'Lax' : 'Strict'
});
// Store remember me preference
await this.set('remember_me', rememberMe.toString(), {
expires: accessTokenExpiry,
secure: true,
sameSite: import.meta.env.VITE_NODE_ENV === 'production' ? 'Lax' : 'Strict'
});
if (import.meta.env.VITE_NODE_ENV === 'development') {
console.log('πͺ [Cookie] Set auth tokens with rememberMe:', rememberMe);
}
}
/**
* Get authentication tokens
* @returns {Promise<Object|null>} - Auth tokens or null
*/
async getAuthTokens() {
try {
const [accessToken, rememberMe] = await Promise.all([
this.get('access_token'),
this.get('remember_me')
]);
if (!accessToken) {
return null;
}
return {
accessToken,
rememberMe: rememberMe === 'true'
};
} catch (error) {
console.error('πͺ [Cookie] Error getting auth tokens', error);
return null;
}
}
/**
* Clear authentication tokens
* @returns {Promise<void>}
*/
async clearAuthTokens() {
await Promise.all([
this.remove('access_token'),
this.remove('remember_me')
]);
if (import.meta.env.VITE_NODE_ENV === 'development') {
console.log('πͺ [Cookie] Cleared auth tokens');
}
}
/**
* Refresh authentication tokens
* @param {string} newAccessToken - New JWT access token
* @param {boolean} rememberMe - Remember me flag
* @returns {Promise<void>}
*/
async refreshAuthTokens(newAccessToken, rememberMe = false) {
await this.clearAuthTokens();
await this.setAuthTokens(newAccessToken, rememberMe);
}
}
// Export singleton instance
export default new CookieService(); |