How to log out user from Auth0 if token refresh fails in Next.js using Axios interceptor?

I’m using the Auth0 SDK in my Next.js application to manage authentication, and I’ve set up an Axios interceptor to handle refreshing the access token automatically when it expires. Here’s the basic setup I have for the Axios interceptor:

async function refreshAccessToken() {
  try {
    const { data } = await axios.get(REFRESH_ACCESS_TOKEN_API);
    const { access_token } = data;
    return {
      access_token,
    };
  } catch (error) {
    throw error;
  }
}

export function setupResponseInterceptor(axiosInstance: AxiosInstance) {
  axiosInstance.interceptors.response.use(
    response => response,
    async error => {
      const originalRequest = error.config;
      if (axios.isAxiosError(error) && error.response?.status === 401) {
        if (!isAlreadyFetchingAccessToken) {
          isAlreadyFetchingAccessToken = true;
          try {
            refreshAccessToken().then(res => {
              
            });
          } catch (err) {
            return Promise.reject(err);
          }
        }
        const retryOriginalRequest = new Promise(resolve => {
          addSubscriber((accessToken: any) => {
            originalRequest.headers.Authorization = `Bearer ${accessToken}`;
            resolve(axios(originalRequest));
          });
        });
        return retryOriginalRequest;
      }

      throw error;
    },
  );
}

What I Tried:

I set up an Axios interceptor in my Next.js application to automatically refresh the Auth0 access token when a 401 error occurs. In the interceptor, I attempted to refresh the token using a custom function (refreshAuthToken()). The token refresh generally works, but I’m unsure how to handle scenarios where the token refresh fails. Specifically, I haven’t been able to successfully log out the user from Auth0 when the refresh attempt fails.

What I Expected:

I was expecting to find a way to log out the user from Auth0 within the Axios interceptor if the token refresh fails. Ideally, I want the user to be redirected to a specific URL (e.g., the home page) after being logged out. I need guidance on how to properly invoke the Auth0 logout function in this context and any best practices for handling such failures gracefully.