Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat(Frontend) add access token expire handling #207

Merged
merged 14 commits into from
Mar 26, 2025
4 changes: 2 additions & 2 deletions backend/package.json
Original file line number Diff line number Diff line change
Expand Up @@ -33,7 +33,7 @@
"@huggingface/transformers": "latest",
"@nestjs-modules/mailer": "^2.0.2",
"@nestjs/apollo": "^12.2.0",
"@nestjs/axios": "^3.0.3",
"@nestjs/axios": "^3.1.3",
"@nestjs/common": "^10.0.0",
"@nestjs/config": "^3.2.3",
"@nestjs/core": "^10.0.0",
Expand All @@ -48,7 +48,7 @@
"@types/normalize-path": "^3.0.2",
"@types/toposort": "^2.0.7",
"archiver": "^7.0.1",
"axios": "^1.7.7",
"axios": "^1.8.3",
"bcrypt": "^5.1.1",
"class-transformer": "^0.5.1",
"class-validator": "^0.14.1",
Expand Down
2 changes: 1 addition & 1 deletion backend/src/auth/auth.service.ts
Original file line number Diff line number Diff line change
Expand Up @@ -80,7 +80,7 @@
message: 'Email already confirmed or user not found.',
success: false,
};
} catch (error) {

Check warning on line 83 in backend/src/auth/auth.service.ts

View workflow job for this annotation

GitHub Actions / autofix

'error' is defined but never used
return {
message: 'Invalid or expired token',
success: false,
Expand Down Expand Up @@ -220,7 +220,7 @@
);

const refreshTokenEntity = await this.createRefreshToken(user);
this.jwtCacheService.storeAccessToken(refreshTokenEntity.token);
this.jwtCacheService.storeAccessToken(accessToken);

return {
accessToken,
Expand Down Expand Up @@ -264,7 +264,7 @@
}

return true;
} catch (error) {

Check warning on line 267 in backend/src/auth/auth.service.ts

View workflow job for this annotation

GitHub Actions / autofix

'error' is defined but never used
return false;
}
}
Expand Down
3 changes: 2 additions & 1 deletion frontend/src/api/ChatStreamAPI.ts
Original file line number Diff line number Diff line change
@@ -1,4 +1,5 @@
import { ChatInputType } from '@/graphql/type';
import authenticatedFetch from '@/lib/authenticatedFetch';

export const startChatStream = async (
input: ChatInputType,
Expand All @@ -9,7 +10,7 @@ export const startChatStream = async (
throw new Error('Not authenticated');
}
const { chatId, message, model } = input;
const response = await fetch('/api/chat', {
const response = await authenticatedFetch('/api/chat', {
method: 'POST',
headers: {
'Content-Type': 'application/json',
Expand Down
10 changes: 8 additions & 2 deletions frontend/src/components/chat/code-engine/responsive-toolbar.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -17,6 +17,7 @@ import { logger } from '@/app/log/logger';
import { useMutation, useQuery, gql } from '@apollo/client';
import { toast } from 'sonner';
import { SYNC_PROJECT_TO_GITHUB, GET_PROJECT } from '../../../graphql/request';
import { authenticatedFetch } from '@/lib/authenticatedFetch';

interface ResponsiveToolbarProps {
isLoading: boolean;
Expand Down Expand Up @@ -222,9 +223,14 @@ const ResponsiveToolbar = ({
}

// Fetch with credentials to ensure auth is included
const response = await fetch(downloadUrl, {
// const response = await fetch(downloadUrl, {
// method: 'GET',
// headers: headers,
// });

// Use authenticatedFetch which handles token refresh
const response = await authenticatedFetch(downloadUrl, {
method: 'GET',
headers: headers,
});

if (!response.ok) {
Expand Down
182 changes: 182 additions & 0 deletions frontend/src/lib/authenticatedFetch.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,182 @@
import { LocalStore } from '@/lib/storage';
import { client } from '@/lib/client';
import { REFRESH_TOKEN_MUTATION } from '@/graphql/mutations/auth';
import { gql } from '@apollo/client';

// Prevent multiple simultaneous refresh attempts
let isRefreshing = false;
let refreshPromise: Promise<string | null> | null = null;

/**
* Refreshes the access token using the refresh token
* @returns Promise that resolves to the new token or null if refresh failed
*/
export const refreshAccessToken = async (): Promise<string | null> => {
// If a refresh is already in progress, return that promise
if (isRefreshing && refreshPromise) {
return refreshPromise;
}

isRefreshing = true;
refreshPromise = (async () => {
try {
const refreshToken = localStorage.getItem(LocalStore.refreshToken);
if (!refreshToken) {
return null;
}

// Use Apollo client to refresh the token
const result = await client.mutate({
mutation: REFRESH_TOKEN_MUTATION,
variables: { refreshToken },
});

if (result.data?.refreshToken?.accessToken) {
const newAccessToken = result.data.refreshToken.accessToken;
const newRefreshToken =
result.data.refreshToken.refreshToken || refreshToken;

localStorage.setItem(LocalStore.accessToken, newAccessToken);
localStorage.setItem(LocalStore.refreshToken, newRefreshToken);

console.log('Token refreshed successfully');
return newAccessToken;
}

return null;
} catch (error) {
console.error('Error refreshing token:', error);
return null;
} finally {
isRefreshing = false;
refreshPromise = null;
}
})();

return refreshPromise;
};

/**
* Fetch wrapper that handles authentication and token refresh
* @param url The URL to fetch
* @param options Fetch options
* @param retryOnAuth Whether to retry on 401 errors (default: true)
* @returns Response from the fetch request
*/
export const authenticatedFetch = async (
url: string,
options: RequestInit = {},
retryOnAuth: boolean = true
): Promise<Response> => {
// Get current token
const token = localStorage.getItem(LocalStore.accessToken);

// Setup headers with authentication
const headers = new Headers(options.headers || {});
if (token) {
headers.set('Authorization', `Bearer ${token}`);
}

// Make the request
const response = await fetch(url, {
...options,
headers,
});

// If we get a 401 and we should retry, attempt to refresh the token
if (response.status === 401 && retryOnAuth) {
const newToken = await refreshAccessToken();

if (newToken) {
// Update the authorization header with the new token
headers.set('Authorization', `Bearer ${newToken}`);

// Retry the request with the new token
return fetch(url, {
...options,
headers,
});
} else {
// If refresh failed, redirect to home/login
if (typeof window !== 'undefined') {
localStorage.removeItem(LocalStore.accessToken);
localStorage.removeItem(LocalStore.refreshToken);
window.location.href = '/';
}
}
}

return response;
};

/**
* Processes a streaming response from a server-sent events endpoint
* @param response Fetch Response object (must be a streaming response)
* @param onChunk Optional callback to process each chunk as it arrives
* @returns Promise with the full aggregated content
*/
export const processStreamResponse = async (
response: Response,
onChunk?: (chunk: string) => void
): Promise<string> => {
if (!response.body) {
throw new Error('Response has no body');
}

const reader = response.body.getReader();
let fullContent = '';
let isStreamDone = false;

try {
// More explicit condition than while(true)
while (!isStreamDone) {
const { done, value } = await reader.read();

if (done) {
isStreamDone = true;
continue;
}

const text = new TextDecoder().decode(value);
const lines = text.split('\n\n');

for (const line of lines) {
if (line.startsWith('data: ')) {
const data = line.slice(6).trim();

// Additional exit condition
if (data === '[DONE]') {
isStreamDone = true;
break;
}

try {
const parsed = JSON.parse(data);
if (parsed.content) {
fullContent += parsed.content;
if (onChunk) {
onChunk(parsed.content);
}
}
} catch (e) {
console.error('Error parsing SSE data:', e);
}
}
}
}

return fullContent;
} catch (error) {
console.error('Error reading stream:', error);
throw error;
} finally {
// Ensure we clean up the reader if we exit due to an error
if (!isStreamDone) {
reader
.cancel()
.catch((e) => console.error('Error cancelling reader:', e));
}
}
};

export default authenticatedFetch;
Loading
Loading