Understanding the Proxy Connection

The Practical Perspective

Our proxy is going to be used to forward requests from the front-end development server (a Vite app running on localhost:3000) to the backend server (a Go server running on localhost:8080). I always like to see these things from a practical perspective more than a technical perspective; however both are important in this context.

Example Usage

For my visual-learning friends, the HTTP requests we'll be making from the client (Vite app) will be able to use relative URLs

// ❌ Without a Proxy
fetch("http://localhost:8080/api/example");

// ✅ With a Proxy
fetch("/api/example");

The Technical Perspective

So whats the technical reason? Browsers enforce a Same-Origin Policy, meaning requests from different origins (protocol + host + port) are not allowed. You might know of this policy as CORS! A proxy allows the client app to forward requests under the same origin as the server.

Implementation Guide

Project Setup

Let's walk through this all from scratch. I'm using Go and Gin on the server, and Vite on the client. I'm opting for Gin as a server framework because it's a familiar feeling compared to say Express.js or something from the Node.js ecosystem. I would just use the net/http module from the Go standard library but I will almost certainly switch over to Gin at some point anyway so join me on this ride.

Don't feel limited by my choice of tech on the server, the Proxy is server agnostic

Architecture Overview

/app
  /server # <-- Go Server
  /client # <-- Vite App

Server Implementation

Setting Up the Go Environment

Navigate to the server directory and creating a new Go module.

go mod init server

Note the server language / implementation is not important to the proxy; we're just doing this to create a separate origin.

Install the gin package

go get -u github.com/gin-gonic/gin

Now we can put together a quick server

package main

import (
	"net/http"
	"github.com/gin-gonic/gin"
)

func main() {
	r := gin.Default()

	// Simple API route
	r.GET("/api/hello", func(c *gin.Context) {
		c.JSON(http.StatusOK, gin.H{"message": "Hello from Go backend!"})
	})

	// Start the server on port 8080
	r.Run(":8080")
}

and finally, we can launch this server from the terminal using the run command.

go run main.go

The Go server should now be running on http://localhost:8080, and if you visit the endpoint established, it should respond with a JSON message. Leave this running and open a new terminal window to continue on with the client portion of the project.

Client Implementation

Setting Up Vite

Navigate to the app/client directory and execute the following shell command

npx create-vite-app@latest . --template react-ts

Replace the . if aren't in the client directory or want to generate the Vite app into a new directory.

Start the development server using your preferred js package manager.

npm run dev

This should launch your client app at http://localhost:3000. You could open that URL in a browser window. Then we'll create a test scenario. Replace the contents of the App.tsx with this simple component we'll use to test the proxy connection.

import React, { useEffect, useState } from "react";

function App() {
  const [message, setMessage] = useState("");

  useEffect(() => {
    fetch("http://localhost:8080/api/hello")
      .then((response) => response.json())
      .then((data) => setMessage(data.message))
      .catch((error) => console.error("Error fetching data:", error));
  }, []);

  return (
    <div>
      <h1>React + Vite + Go</h1>
      <p>{message}</p>
    </div>
  );
}

export default App;

Note that if you refresh the page, you should see the message we setup in the Go server. Thats because were using the absolute URL: http://localhost:8080/api/hello but if we were to switch that URL to it's relative version, say /api/hello we'd get some errors.

We're using Vite, which some of you old timers might be surprised to learn does not utilize the "proxy" field in the package.json like create-react-app (RIP) did. I can only say that because I, myself was surprised.

Configuring the Proxy

Vite Configuration

Add this code to your vite.config.ts to establish a proxy connection to the server.

import { defineConfig } from "vite";
import react from "@vitejs/plugin-react";

// https://vitejs.dev/config/
export default defineConfig({
  plugins: [],
  // ...
  server: {
    proxy: {
      "/api": {
        target: "http://localhost:8080",
        changeOrigin: true,
        secure: false,
      },
    },
  },
});

The proxy["/api"] value maps any client-side requests with paths that start with /api to http://localhost:8080, so

fetch("/api/hello");

will forward to

http://localhost:8080/api/hello

Benefits and Considerations

This is great. I have a few reasons why I opt for proxying into my server. For me, I like my code to be distributed from a single server when possible, this means the Vite app is served from the Go server in production. Establishing the proxy eases the client side development process. The alterative would be additional security measures and a pesky utility function in the client to swap URLs from http://localhost:8080/api/hello to /api/hello depending on the environment.

To expand a bit more on the security side of things, a proxy is commonly used in authentication methods like sessions and JWTs. This approach reduces the risks associated with Cross-Origin Resource Sharing (CORS) by keeping requests within the same origin.