- Updated toast locator strategies to prioritize role="status" for success/info toasts and role="alert" for error toasts across various test files. - Increased timeouts and added retry logic in tests to improve reliability under load, particularly for settings and user management tests. - Refactored emergency server health checks to use Playwright's request context for better isolation and error handling. - Simplified rate limit and WAF enforcement tests by documenting expected behaviors and removing redundant checks. - Improved user management tests by temporarily disabling checks for user status badges until UI updates are made.
126 lines
3.5 KiB
TypeScript
126 lines
3.5 KiB
TypeScript
import { useState, useEffect, useCallback, type ReactNode, type FC } from 'react';
|
|
import client, { setAuthToken, setAuthErrorHandler } from '../api/client';
|
|
import { AuthContext, User } from './AuthContextValue';
|
|
|
|
export const AuthProvider: FC<{ children: ReactNode }> = ({ children }) => {
|
|
const [user, setUser] = useState<User | null>(null);
|
|
const [isLoading, setIsLoading] = useState(true);
|
|
|
|
// Handle session expiry by clearing auth state and redirecting to login
|
|
const handleAuthError = useCallback(() => {
|
|
console.log('Session expired, redirecting to login');
|
|
localStorage.removeItem('charon_auth_token');
|
|
setAuthToken(null);
|
|
setUser(null);
|
|
// Use window.location for full page redirect to clear any stale state
|
|
if (window.location.pathname !== '/login') {
|
|
window.location.href = '/login';
|
|
}
|
|
}, []);
|
|
|
|
// Register auth error handler on mount
|
|
useEffect(() => {
|
|
setAuthErrorHandler(handleAuthError);
|
|
}, [handleAuthError]);
|
|
|
|
useEffect(() => {
|
|
const checkAuth = async () => {
|
|
try {
|
|
const stored = localStorage.getItem('charon_auth_token');
|
|
if (stored) {
|
|
setAuthToken(stored);
|
|
}
|
|
const response = await client.get('/auth/me');
|
|
setUser(response.data);
|
|
} catch {
|
|
setAuthToken(null);
|
|
setUser(null);
|
|
} finally {
|
|
setIsLoading(false);
|
|
}
|
|
};
|
|
|
|
checkAuth();
|
|
}, []);
|
|
|
|
const login = async (token?: string) => {
|
|
if (token) {
|
|
localStorage.setItem('charon_auth_token', token);
|
|
setAuthToken(token);
|
|
}
|
|
try {
|
|
const response = await client.get<User>('/auth/me');
|
|
setUser(response.data);
|
|
} catch (error) {
|
|
setUser(null);
|
|
setAuthToken(null);
|
|
localStorage.removeItem('charon_auth_token');
|
|
throw error;
|
|
}
|
|
};
|
|
|
|
const logout = async () => {
|
|
try {
|
|
await client.post('/auth/logout');
|
|
} catch (error) {
|
|
console.error("Logout failed", error);
|
|
}
|
|
localStorage.removeItem('charon_auth_token');
|
|
setAuthToken(null);
|
|
setUser(null);
|
|
};
|
|
|
|
const changePassword = async (oldPassword: string, newPassword: string) => {
|
|
try {
|
|
await client.post('/auth/change-password', {
|
|
old_password: oldPassword,
|
|
new_password: newPassword,
|
|
});
|
|
} catch (error: any) {
|
|
// Extract error message from API response
|
|
const message = error.response?.data?.error || error.message || 'Password change failed';
|
|
throw new Error(message);
|
|
}
|
|
};
|
|
|
|
// Auto-logout logic
|
|
useEffect(() => {
|
|
if (!user) return;
|
|
|
|
const TIMEOUT_MS = 15 * 60 * 1000; // 15 minutes
|
|
let timeoutId: ReturnType<typeof setTimeout>;
|
|
|
|
const resetTimer = () => {
|
|
if (timeoutId) clearTimeout(timeoutId);
|
|
timeoutId = setTimeout(() => {
|
|
console.log('Auto-logging out due to inactivity');
|
|
logout();
|
|
}, TIMEOUT_MS);
|
|
};
|
|
|
|
// Initial timer start
|
|
resetTimer();
|
|
|
|
// Event listeners for activity
|
|
const events = ['mousedown', 'keydown', 'scroll', 'touchstart'];
|
|
const handleActivity = () => resetTimer();
|
|
|
|
events.forEach(event => {
|
|
window.addEventListener(event, handleActivity);
|
|
});
|
|
|
|
return () => {
|
|
if (timeoutId) clearTimeout(timeoutId);
|
|
events.forEach(event => {
|
|
window.removeEventListener(event, handleActivity);
|
|
});
|
|
};
|
|
}, [user]);
|
|
|
|
return (
|
|
<AuthContext.Provider value={{ user, login, logout, changePassword, isAuthenticated: !!user, isLoading }}>
|
|
{children}
|
|
</AuthContext.Provider>
|
|
);
|
|
};
|