mirror of
https://github.com/pacnpal/thrilltrack-explorer.git
synced 2025-12-24 14:51:12 -05:00
Improve error handling and stability across the application
Refactor error handling in `useEntityVersions` and `useSearch` hooks, enhance `NotificationService` with better error extraction and logging, and implement critical fallback mechanisms in the `detect-location` function's rate limit cleanup. Update CORS configuration in `upload-image` function for stricter origin checks and better security. Replit-Commit-Author: Agent Replit-Commit-Session-Id: f4df1950-6410-48d0-b2de-f4096732504b Replit-Commit-Checkpoint-Type: intermediate_checkpoint
This commit is contained in:
@@ -45,15 +45,22 @@ export function useEntityVersions(entityType: string, entityId: string) {
|
||||
|
||||
// Use a request counter to track the latest fetch and prevent race conditions
|
||||
const requestCounterRef = useRef(0);
|
||||
|
||||
// Request counter for fetchFieldHistory
|
||||
const fieldHistoryRequestCounterRef = useRef(0);
|
||||
|
||||
const fetchVersions = useCallback(async () => {
|
||||
if (!isMountedRef.current) return;
|
||||
|
||||
// Increment counter and capture the current request ID BEFORE try block
|
||||
const currentRequestId = ++requestCounterRef.current;
|
||||
|
||||
try {
|
||||
if (!isMountedRef.current) return;
|
||||
|
||||
// Increment counter and capture the current request ID
|
||||
const currentRequestId = ++requestCounterRef.current;
|
||||
|
||||
setLoading(true);
|
||||
// Only set loading if this is still the latest request
|
||||
if (isMountedRef.current && currentRequestId === requestCounterRef.current) {
|
||||
setLoading(true);
|
||||
}
|
||||
|
||||
const { data, error } = await supabase
|
||||
.from('entity_versions')
|
||||
@@ -64,8 +71,8 @@ export function useEntityVersions(entityType: string, entityId: string) {
|
||||
|
||||
if (error) throw error;
|
||||
|
||||
// Only continue if this is still the latest request
|
||||
if (currentRequestId !== requestCounterRef.current) return;
|
||||
// Only continue if this is still the latest request and component is mounted
|
||||
if (!isMountedRef.current || currentRequestId !== requestCounterRef.current) return;
|
||||
|
||||
// Safety check: verify data is an array before processing
|
||||
if (!Array.isArray(data)) {
|
||||
@@ -84,8 +91,8 @@ export function useEntityVersions(entityType: string, entityId: string) {
|
||||
.select('user_id, username, avatar_url')
|
||||
.in('user_id', userIds);
|
||||
|
||||
// Check again if this is still the latest request
|
||||
if (currentRequestId !== requestCounterRef.current) return;
|
||||
// Check again if this is still the latest request and component is mounted
|
||||
if (!isMountedRef.current || currentRequestId !== requestCounterRef.current) return;
|
||||
|
||||
// Safety check: verify profiles array exists before filtering
|
||||
const profilesArray = Array.isArray(profiles) ? profiles : [];
|
||||
@@ -109,8 +116,10 @@ export function useEntityVersions(entityType: string, entityId: string) {
|
||||
}
|
||||
} catch (error: any) {
|
||||
console.error('Error fetching versions:', error);
|
||||
if (isMountedRef.current) {
|
||||
// Safe error message access with fallback
|
||||
|
||||
// Use the captured currentRequestId (DO NOT re-read requestCounterRef.current)
|
||||
// Only update state if component is mounted and this is still the latest request
|
||||
if (isMountedRef.current && currentRequestId === requestCounterRef.current) {
|
||||
const errorMessage = error?.message || 'Failed to load version history';
|
||||
toast.error(errorMessage);
|
||||
setLoading(false);
|
||||
@@ -119,6 +128,11 @@ export function useEntityVersions(entityType: string, entityId: string) {
|
||||
}, [entityType, entityId]);
|
||||
|
||||
const fetchFieldHistory = async (versionId: string) => {
|
||||
if (!isMountedRef.current) return;
|
||||
|
||||
// Increment counter and capture the current request ID BEFORE try block
|
||||
const currentRequestId = ++fieldHistoryRequestCounterRef.current;
|
||||
|
||||
try {
|
||||
const { data, error } = await supabase
|
||||
.from('entity_field_history')
|
||||
@@ -128,14 +142,17 @@ export function useEntityVersions(entityType: string, entityId: string) {
|
||||
|
||||
if (error) throw error;
|
||||
|
||||
if (isMountedRef.current) {
|
||||
// Safety check: ensure data is an array
|
||||
// Only update state if component is mounted and this is still the latest request
|
||||
if (isMountedRef.current && currentRequestId === fieldHistoryRequestCounterRef.current) {
|
||||
const fieldChanges = Array.isArray(data) ? data as FieldChange[] : [];
|
||||
setFieldHistory(fieldChanges);
|
||||
}
|
||||
} catch (error: any) {
|
||||
console.error('Error fetching field history:', error);
|
||||
if (isMountedRef.current) {
|
||||
|
||||
// Use the captured currentRequestId (DO NOT re-read fieldHistoryRequestCounterRef.current)
|
||||
// Only show error if component is mounted and this is still the latest request
|
||||
if (isMountedRef.current && currentRequestId === fieldHistoryRequestCounterRef.current) {
|
||||
const errorMessage = error?.message || 'Failed to load field history';
|
||||
toast.error(errorMessage);
|
||||
}
|
||||
@@ -164,6 +181,8 @@ export function useEntityVersions(entityType: string, entityId: string) {
|
||||
|
||||
const rollbackToVersion = async (targetVersionId: string, reason: string) => {
|
||||
try {
|
||||
if (!isMountedRef.current) return null;
|
||||
|
||||
const { data: userData } = await supabase.auth.getUser();
|
||||
if (!userData.user) throw new Error('Not authenticated');
|
||||
|
||||
@@ -194,6 +213,8 @@ export function useEntityVersions(entityType: string, entityId: string) {
|
||||
|
||||
const createVersion = async (versionData: any, changeReason?: string, submissionId?: string) => {
|
||||
try {
|
||||
if (!isMountedRef.current) return null;
|
||||
|
||||
const { data: userData } = await supabase.auth.getUser();
|
||||
if (!userData.user) throw new Error('Not authenticated');
|
||||
|
||||
@@ -273,7 +294,7 @@ export function useEntityVersions(entityType: string, entityId: string) {
|
||||
channelRef.current = null;
|
||||
}
|
||||
};
|
||||
}, [entityType, entityId]);
|
||||
}, [entityType, entityId, fetchVersions]);
|
||||
|
||||
// Set mounted ref on mount and cleanup on unmount
|
||||
useEffect(() => {
|
||||
|
||||
@@ -27,7 +27,7 @@ const DEFAULT_MIN_QUERY = 2;
|
||||
const DEFAULT_DEBOUNCE_MS = 300;
|
||||
|
||||
export function useSearch(options: UseSearchOptions = {}) {
|
||||
// State declarations MUST come first to maintain hook order
|
||||
// All hooks declarations in stable order
|
||||
const [query, setQuery] = useState('');
|
||||
const [results, setResults] = useState<SearchResult[]>([]);
|
||||
const [loading, setLoading] = useState(false);
|
||||
@@ -35,15 +35,17 @@ export function useSearch(options: UseSearchOptions = {}) {
|
||||
const [recentSearches, setRecentSearches] = useState<string[]>([]);
|
||||
const [debouncedQuery, setDebouncedQuery] = useState('');
|
||||
|
||||
// Stabilize options using JSON stringify to prevent infinite loops from array recreation
|
||||
const optionsKey = JSON.stringify({
|
||||
types: options.types || DEFAULT_TYPES,
|
||||
limit: options.limit || DEFAULT_LIMIT,
|
||||
minQuery: options.minQuery || DEFAULT_MIN_QUERY,
|
||||
debounceMs: options.debounceMs || DEFAULT_DEBOUNCE_MS
|
||||
});
|
||||
// Use useMemo to stabilize options, but use safe defaults to prevent undefined errors during HMR
|
||||
const stableOptions = useMemo(() => {
|
||||
const safeOptions = options || {};
|
||||
return {
|
||||
types: safeOptions.types || DEFAULT_TYPES,
|
||||
limit: safeOptions.limit ?? DEFAULT_LIMIT,
|
||||
minQuery: safeOptions.minQuery ?? DEFAULT_MIN_QUERY,
|
||||
debounceMs: safeOptions.debounceMs ?? DEFAULT_DEBOUNCE_MS,
|
||||
};
|
||||
}, [options]);
|
||||
|
||||
const stableOptions = useMemo(() => JSON.parse(optionsKey), [optionsKey]);
|
||||
const { types, limit, minQuery, debounceMs } = stableOptions;
|
||||
|
||||
useEffect(() => {
|
||||
|
||||
@@ -38,6 +38,16 @@ class NotificationService {
|
||||
this.isNovuEnabled = !!import.meta.env.VITE_NOVU_APPLICATION_IDENTIFIER;
|
||||
}
|
||||
|
||||
private extractErrorMessage(error: unknown): string {
|
||||
if (error instanceof Error) {
|
||||
return error.message;
|
||||
}
|
||||
if (error && typeof error === 'object' && 'message' in error && typeof error.message === 'string') {
|
||||
return error.message;
|
||||
}
|
||||
return 'An unexpected error occurred';
|
||||
}
|
||||
|
||||
/**
|
||||
* Create or update a Novu subscriber
|
||||
*/
|
||||
@@ -52,9 +62,17 @@ class NotificationService {
|
||||
body: subscriberData,
|
||||
});
|
||||
|
||||
if (error) throw error;
|
||||
if (error) {
|
||||
console.error('Edge function error creating Novu subscriber:', error);
|
||||
throw error;
|
||||
}
|
||||
|
||||
if (!data || !data.subscriberId) {
|
||||
const errorMsg = 'Invalid response from create-novu-subscriber function';
|
||||
console.error(errorMsg, { data });
|
||||
return { success: false, error: errorMsg };
|
||||
}
|
||||
|
||||
// Update local database with Novu subscriber ID
|
||||
const { error: dbError } = await supabase
|
||||
.from('user_notification_preferences')
|
||||
.upsert({
|
||||
@@ -62,12 +80,16 @@ class NotificationService {
|
||||
novu_subscriber_id: data.subscriberId,
|
||||
});
|
||||
|
||||
if (dbError) throw dbError;
|
||||
if (dbError) {
|
||||
console.error('Database error storing subscriber preferences:', dbError);
|
||||
throw dbError;
|
||||
}
|
||||
|
||||
console.log('Novu subscriber created successfully:', data.subscriberId);
|
||||
return { success: true };
|
||||
} catch (error: any) {
|
||||
} catch (error: unknown) {
|
||||
console.error('Error creating Novu subscriber:', error);
|
||||
return { success: false, error: error instanceof Error ? error.message : 'An unexpected error occurred' };
|
||||
return { success: false, error: this.extractErrorMessage(error) };
|
||||
}
|
||||
}
|
||||
|
||||
@@ -85,13 +107,16 @@ class NotificationService {
|
||||
body: subscriberData,
|
||||
});
|
||||
|
||||
if (error) throw error;
|
||||
if (error) {
|
||||
console.error('Edge function error updating Novu subscriber:', error);
|
||||
throw error;
|
||||
}
|
||||
|
||||
console.log('Novu subscriber updated successfully');
|
||||
console.log('Novu subscriber updated successfully:', subscriberData.subscriberId);
|
||||
return { success: true };
|
||||
} catch (error: any) {
|
||||
} catch (error: unknown) {
|
||||
console.error('Error updating Novu subscriber:', error);
|
||||
return { success: false, error: error instanceof Error ? error.message : 'An unexpected error occurred' };
|
||||
return { success: false, error: this.extractErrorMessage(error) };
|
||||
}
|
||||
}
|
||||
|
||||
@@ -103,7 +128,6 @@ class NotificationService {
|
||||
preferences: NotificationPreferences
|
||||
): Promise<{ success: boolean; error?: string }> {
|
||||
if (!this.isNovuEnabled) {
|
||||
// Save to local database only
|
||||
try {
|
||||
const { error } = await supabase
|
||||
.from('user_notification_preferences')
|
||||
@@ -114,10 +138,16 @@ class NotificationService {
|
||||
frequency_settings: preferences.frequencySettings,
|
||||
});
|
||||
|
||||
if (error) throw error;
|
||||
if (error) {
|
||||
console.error('Database error saving preferences (Novu disabled):', error);
|
||||
throw error;
|
||||
}
|
||||
|
||||
console.log('Preferences saved to local database:', userId);
|
||||
return { success: true };
|
||||
} catch (error: any) {
|
||||
return { success: false, error: error.message };
|
||||
} catch (error: unknown) {
|
||||
console.error('Error saving preferences to local database:', error);
|
||||
return { success: false, error: this.extractErrorMessage(error) };
|
||||
}
|
||||
}
|
||||
|
||||
@@ -129,9 +159,11 @@ class NotificationService {
|
||||
},
|
||||
});
|
||||
|
||||
if (error) throw error;
|
||||
if (error) {
|
||||
console.error('Edge function error updating Novu preferences:', error);
|
||||
throw error;
|
||||
}
|
||||
|
||||
// Also update local database
|
||||
const { error: dbError } = await supabase
|
||||
.from('user_notification_preferences')
|
||||
.upsert({
|
||||
@@ -141,12 +173,16 @@ class NotificationService {
|
||||
frequency_settings: preferences.frequencySettings,
|
||||
});
|
||||
|
||||
if (dbError) throw dbError;
|
||||
if (dbError) {
|
||||
console.error('Database error saving preferences locally:', dbError);
|
||||
throw dbError;
|
||||
}
|
||||
|
||||
console.log('Preferences updated successfully:', userId);
|
||||
return { success: true };
|
||||
} catch (error: any) {
|
||||
} catch (error: unknown) {
|
||||
console.error('Error updating preferences:', error);
|
||||
return { success: false, error: error.message };
|
||||
return { success: false, error: this.extractErrorMessage(error) };
|
||||
}
|
||||
}
|
||||
|
||||
@@ -164,9 +200,17 @@ class NotificationService {
|
||||
body: payload,
|
||||
});
|
||||
|
||||
if (error) throw error;
|
||||
if (error) {
|
||||
console.error('Edge function error triggering notification:', error);
|
||||
throw error;
|
||||
}
|
||||
|
||||
if (!data || !data.transactionId) {
|
||||
const errorMsg = 'Invalid response from trigger-notification function';
|
||||
console.error(errorMsg, { data });
|
||||
return { success: false, error: errorMsg };
|
||||
}
|
||||
|
||||
// Log notification in local database
|
||||
await this.logNotification({
|
||||
userId: payload.subscriberId,
|
||||
workflowId: payload.workflowId,
|
||||
@@ -174,10 +218,11 @@ class NotificationService {
|
||||
payload: payload.payload,
|
||||
});
|
||||
|
||||
console.log('Notification triggered successfully:', data.transactionId);
|
||||
return { success: true, transactionId: data.transactionId };
|
||||
} catch (error: any) {
|
||||
} catch (error: unknown) {
|
||||
console.error('Error triggering notification:', error);
|
||||
return { success: false, error: error.message };
|
||||
return { success: false, error: this.extractErrorMessage(error) };
|
||||
}
|
||||
}
|
||||
|
||||
@@ -192,10 +237,13 @@ class NotificationService {
|
||||
.eq('user_id', userId)
|
||||
.single();
|
||||
|
||||
if (error && error.code !== 'PGRST116') throw error;
|
||||
if (error && error.code !== 'PGRST116') {
|
||||
console.error('Database error fetching preferences:', error);
|
||||
throw error;
|
||||
}
|
||||
|
||||
if (!data) {
|
||||
// Return default preferences
|
||||
console.log('No preferences found for user, returning defaults:', userId);
|
||||
return {
|
||||
channelPreferences: {
|
||||
in_app: true,
|
||||
@@ -216,8 +264,8 @@ class NotificationService {
|
||||
workflowPreferences: data.workflow_preferences as any,
|
||||
frequencySettings: data.frequency_settings as any,
|
||||
};
|
||||
} catch (error: any) {
|
||||
console.error('Error fetching preferences:', error);
|
||||
} catch (error: unknown) {
|
||||
console.error('Error fetching notification preferences for user:', userId, error);
|
||||
return null;
|
||||
}
|
||||
}
|
||||
@@ -233,10 +281,14 @@ class NotificationService {
|
||||
.eq('is_active', true)
|
||||
.order('category', { ascending: true });
|
||||
|
||||
if (error) throw error;
|
||||
if (error) {
|
||||
console.error('Database error fetching notification templates:', error);
|
||||
throw error;
|
||||
}
|
||||
|
||||
return data || [];
|
||||
} catch (error: any) {
|
||||
console.error('Error fetching templates:', error);
|
||||
} catch (error: unknown) {
|
||||
console.error('Error fetching notification templates:', error);
|
||||
return [];
|
||||
}
|
||||
}
|
||||
|
||||
Reference in New Issue
Block a user