Enhance Frontend to Send CSRF Token
Update your frontend code to send the CSRF token as a request header to your backend APIs.
Now that your backend is configured to verify CSRF tokens, you'll need to configure your frontend HTTP clients to extract the CSRF Token from the CSRF cookie and then set it into a custom CSRF header in the outgoing request. Below are some examples of how to do this for popular JavaScript HTTP clients.
Axios
Configure Axios to include the CSRF token in the request headers.
// api-client.ts
import axios from 'axios';
const apiClient = axios.create({
  baseURL: `<backend-apis-base-url>`,
  headers: { 'Content-Type': 'application/json', Accept: 'application/json' },
  xsrfCookieName: 'CSRF-TOKEN',
  xsrfHeaderName: 'X-CSRF-TOKEN',
  withCredentials: true,
});
export { apiClient };To handle any 403 Forbidden HTTP errors returned by the CSRF middleware, you can add/enhance an Axios interceptor to handle that appropriately. For example:
// api-client.ts
import axios from 'axios';
const apiClient = axios.create({
  baseURL: `<backend-apis-base-url>`,
  headers: { 'Content-Type': 'application/json', Accept: 'application/json' },
  xsrfCookieName: 'CSRF-TOKEN',
  xsrfHeaderName: 'X-CSRF-TOKEN',
  withCredentials: true,
});
// Any HTTP 401 OR 403 response should redirect the user to the Login page.
const unauthorizedAccessInterceptor = (error: unknown) => {
  if (axios.isAxiosError(error) && ([401, 403].includes(error.response?.status)) {
    window.location.href = '<Replace with your application Login Endpoint>';
    return;
  }
  
  return Promise.reject(error);
};
apiClient.interceptors.response.use(undefined, unauthorizedAccessInterceptor);
export { apiClient };Alternatively, you can handle forbidden errors with more precision by adding custom error handling in your API request's catch block.
// example-component.ts
import axios from 'axios';
export function ExampleComponent() {
  const handleApiCall = async () => {
    try {
      const response = await axios.get(`<your-csharp-server-domain>/test`);
      alert('Success!');
    } catch (error: unknown) {
      if (axios.isAxiosError(error) && [401, 403].includes(error.response?.status)) { 
        window.location.href = '<Replace with your application Login Endpoint>';
      } else {
        alert('Something went wrong!');
      }
    }
  };
  return (
    <button onClick={handleApiCall}>
      Make API Call
    </button>
  );
}Fetch
Fetch doesn't have automatic handling for CSRF, so you'll have to implement the logic of extracting the CSRF token from the cookie and passing it in the X-CSRF-TOKEN request header from scratch.
function getCookie(name: string): string | null {
  const match = document.cookie.match(new RegExp('(^|;\\s*)' + name + '=([^;]*)'));
  return match ? decodeURIComponent(match[2]) : null;
}
async function execApi() {
  const csrfToken = getCookie('CSRF-TOKEN');
  try {
    const response = await fetch('/api/endpoint', {
      credentials: 'include',
      headers: {
        'X-CSRF-TOKEN': csrfToken ?? ''
      }
    });
    if (!response.ok) {
      if ([401, 403].includes(response.status)) {
        window.location.href = '<Replace with your application Login Endpoint>';
        return;
      }
      const errorText = await response.text();
      throw new Error(`HTTP error! status: ${response.status}, Message: ${errorText}`);
    }
    ...
  } catch (error) {
    ...
  }
}Updated 17 days ago
Next, let's test that your CSRF middleware is correctly protecting your application's authenticated endpoints.