• Nerdigy
  • \
  • Integrate SPA with Vite and .NET Web APIs

frontmatter.coverAlt

Integrate SPA with Vite and .NET Web APIs

In this article, we will learn how to integrate a Single Page Application (SPA) with Vite and .NET Web APIs to create a great developer experience. We will use Vite as a development server for the SPA and a proxy server to forward API requests to the .NET Web APIs. This setup allows us to develop the SPA and the Web APIs independently and provides a seamless development experience.

💡 Assumptions

This article assumes that you have a basic understanding of .NET Web APIs, Vite, and JavaScript. You should have Node.js and .NET SDK installed on your machine.

🚀 Create a .NET Web API

Let’s start by creating a simple .NET Web API that we will use as the backend for our SPA. Open a terminal and run the following commands to create a new .NET Web API project:

dotnet new webapi --name SpaProxyVite

Open the project with your favorite IDE and tweak your launchSettings.json file so the application runs on port 3000.

{
  "$schema": "https://json.schemastore.org/launchsettings.json",
  "profiles": {
    "http": {
      "commandName": "Project",
      "dotnetRunMessages": true,
      "launchBrowser": false,
      "applicationUrl": "http://localhost:3000",
      "environmentVariables": {
        "ASPNETCORE_ENVIRONMENT": "Development"
      }
    }
  }
}

⚡ Create a Vite Project

Next, let’s create a new Vite project to use for our SPA. Open a terminal and navigate to the root directory of your SpaProxyVite project. Execute the following command to scaffold a new Vite project:

npm create vite@latest

This will prompt you to enter a project name, package name, and select a framework. Enter the following values:

  • For the project name: ClientApp
  • For the package name: spaproxyvite (you can change this to whatever you want)
  • For the framework we will use TypeScript + SWC.

Navigate to the ClientApp directory and install the dependencies:

cd ClientApp
npm install

📦 Add Microsoft.AspNetCore.SpaProxy

While we could run our WebAPI and SPA project independently it wouldn’t be a great developer experience. Ideally when we start up our application both the web API and frontend project would start. We will leverage the SpaProxy NuGet package by Microsoft to accomplish this. Add the NuGet package to your .NET Web API project by running the following command:

dotnet add package Microsoft.AspNetCore.SpaProxy

Then you’ll want to update your project’s property group with the following:

<PropertyGroup>
    <TargetFramework>net9.0</TargetFramework>
    <Nullable>enable</Nullable>
    <ImplicitUsings>enable</ImplicitUsings>

    <SpaRoot>ClientApp\</SpaRoot>
    <SpaProxyServerUrl>https://localhost:3000</SpaProxyServerUrl>
    <SpaProxyLaunchCommand>npm run dev</SpaProxyLaunchCommand>
</PropertyGroup>

Finally you’ll need to add the ASPNETCORE_HOSTINGSTARTUPASSEMBLIES environment variable to your launchSettings.json file so the SpaProxy package is loaded when you run your application:

{
  "$schema": "https://json.schemastore.org/launchsettings.json",
  "profiles": {
    "http": {
      "commandName": "Project",
      "dotnetRunMessages": true,
      "launchBrowser": false,
      "applicationUrl": "http://localhost:3000",
      "environmentVariables": {
        "ASPNETCORE_ENVIRONMENT": "Development",
        "ASPNETCORE_HOSTINGSTARTUPASSEMBLIES": "Microsoft.AspNetCore.SpaProxy"
      }
    }
  }
}

With all of these changes in place you are now ready to start your web application again:

dotnet run

The .NET Web API should now be running at http://localhost:3000 and your web application should be available at http://localhost:5173. Furthermore, if you modify any of your frontend code you should see that changes applied immediately to the page!

While this is a great start, if you are building a SPA with a .NET Web API backend you probably also want to proxy API requests from the SPA to the .NET Web API. Let’s see how to do that in the next section.

🌐 Configure Vite Server Proxy

Vite allows us to proxy requests to another server during development. Open your vite.config.ts file and add the following configuration:

import { defineConfig } from "vite"; // Import Vite's configuration helper
import react from "@vitejs/plugin-react-swc"; // Import React plugin using SWC

// https://vite.dev/config/
export default defineConfig({
  plugins: [react()],
  server: {
    proxy: {
      "/api": {
        target: "http://localhost:3000", // Forward API requests to .NET Web API running on port 3000
        changeOrigin: true, // Modify the origin header to match the target URL
        rewrite: (path) => path.replace(/^\/api/, ""), // Remove the /api prefix before forwarding the request
      },
    },
  },
});

For additional customization (e.g., enabling HTTPS or configuring multiple proxies), refer to the Vite documentation.

📡 Make API Requests from the SPA

Now that we have set up the proxy, we can make API requests from our SPA. To showcase this update your App.tsx file with the following code:

import { useState } from "react";
import "./App.css";

function App() {
    const [weather, setWeather] = useState("");

    // Function to fetch weather data from the .NET Web API
    async function onClick() {
        const response = await fetch("/api/weatherforecast");
        const data = await response.json();

        // Update state with formatted weather data
        setWeather(JSON.stringify(data, null, 2));
    }

    return (
        <>
            <div>
                {/* Button to trigger API fetch */}
                <button onClick={onClick}>Fetch data from server</button>
                {/* Display fetched weather data */}
                <pre>{weather}</pre>
            </div>
        </>
    );
}

export default App;

This code fetches the weather forecast data from the .NET Web API when the button is clicked and displays it on the page. When you click the button, you should now see the weather forecast data fetched from the .NET Web API.

🔧 Troubleshooting

  • Port Conflicts: Ensure no other process is using port 3000 or 5173.
  • Proxy Issues: Confirm that the /api path is correctly routed to your .NET Web API.
  • Startup Problems: Make sure both the .NET Web API and Vite development server are running properly.

🎉 Conclusion

In this article, we learned how to integrate a Single Page Application (SPA) with Vite and .NET Web APIs to create a great developer experience. We used Vite as a development server for the SPA and a proxy server to forward API requests to the .NET Web APIs. This setup allows us to develop the SPA and the Web APIs independently and provides a seamless development experience. The source code for all of the steps above is available on GitHub. Until next time, stay curious! 🚀