In this guide, we'll implement a simple game server on Rivet and create a backend API that manages server instances. This tutorial assumes you already have your own API server that will handle game logic and player management.
Before starting, you'll need to choose a runtime for your game server. Rivet offers two options:
Container Runtime: For maximum flexibility, supports any language, ideal for complex game servers
JavaScript Runtime: For lightweight, fast-starting game servers using JavaScript/TypeScript
In your backend API, add code to start game server instances when needed.
It's up to you when you choose to call createGameServer. Read more about different scaling patterns under Scaling Methods.
api-server.js
import { RivetClient } from "@rivet-gg/api";// Initialize Rivet client with your API token from the dashboardconst rivet = new RivetClient({ token: process.env.RIVET_TOKEN});// Function to create a new game server instanceasync function createGameServer(gameMode, mapName) { const { actor } = await rivet.actors.create({ project: process.env.RIVET_PROJECT_ID, environment: process.env.RIVET_ENVIRONMENT_ID, body: { // Identify this server with tags tags: { name: "game-server", mode: gameMode, map: mapName }, // Reference your uploaded build buildTags: { name: "game-server", current: "true" }, // Network configuration for your server network: { ports: { game: { protocol: "https" } } }, // IMPORTANT: Do not specify resources if using JavaScript runtime resources: { cpu: 1000, memory: 1024 } } }); return { id: actor.id, connectionUrl: actor.network.ports.game.url };}
Only call Rivet API from your backend
The Rivet API requires a private Service Token and should only be called from your backend. Do not make this service token public.
Rivet's global edge network allows you to deploy game servers in multiple regions around the world, ensuring low latency for players regardless of their location.
Rivet offers server deployments across multiple geographic regions. See the list of available regions here.
To fetch the available regions dynamically, use:
TypeScript
// List available regions programmaticallyasync function getAvailableRegions() { const client = new RivetClient({ token: process.env.RIVET_TOKEN }); const { regions } = await client.regions.list({}); console.log("Available regions:"); for (const region of regions) { console.log(`- ${region.id}: ${region.name}`); } return regions;}
You can also use the recommendation API from the client to get the recommended region based on the player's IP:
TypeScript
// Get the best region for a playerasync function getBestRegionForPlayer() { const client = new RivetClient({}); const { region } = await client.regions.recommend({}); console.log(`Recommended region for player: ${region.id}`); return region.id;}
This approach maintains a predetermined number of game servers running in each region. It uses actors.list to check for existing servers and automatically creates or destroys servers to maintain the desired count.
Ensures a consistent number of servers are available in each region
Servers are durable, meaning they automatically restart if they crash
Monitor these servers in the Rivet dashboard
Example
Use this script to maintain a fixed number of servers across specified regions:
manage-servers.js
// Define target server count per regionconst TARGET_SERVERS_BY_REGION = { "atl": 2, // Atlanta: 2 servers "fra": 1, // Frankfurt: 1 server "syd": 2 // Sydney: 2 servers};// Maintains a fixed number of game servers across regions// This function is idempotent - running it multiple times will maintain the desired number of serversasync function manageServers() { const client = new RivetClient({ token: process.env.RIVET_TOKEN }); const serverMap = { regions: {} }; // Process each region for (const [region, targetCount] of Object.entries(TARGET_SERVERS_BY_REGION)) { serverMap.regions[region] = {}; // Find existing servers in this region const { actors } = await client.actors.list({ tagsJson: JSON.stringify({ name: "game-server", region: region }) }); const existingServers = actors.map(actor => ({ id: actor.id, serverId: actor.tags.server_id, region: actor.tags.region, url: actor.network.ports.game.url })); // Calculate how many servers to add or remove const diff = targetCount - existingServers.length; if (diff > 0) { // Need to create more servers for (let i = 0; i < diff; i++) { const serverId = `server-${region}-${existingServers.length + i}`; const { actor } = await client.actors.create({ project: process.env.RIVET_PROJECT_ID, environment: process.env.RIVET_ENVIRONMENT_ID, body: { region: region, tags: { name: "game-server", server_id: serverId, region: region }, buildTags: { name: "game-server", current: "true" }, network: { ports: { game: { protocol: "https" } } }, resources: { cpu: 1000, memory: 1024 } } }); // Add this server to our map serverMap.regions[region][serverId] = { url: actor.network.ports.game.url, id: actor.id }; } } else if (diff < 0) { // Need to remove some servers - take the oldest ones first const serversToRemove = existingServers.slice(0, Math.abs(diff)); const serversToKeep = existingServers.slice(Math.abs(diff)); // Add servers we're keeping to the map for (const server of serversToKeep) { serverMap.regions[region][server.serverId] = { url: server.url, id: server.id }; } // Destroy the excess servers for (const server of serversToRemove) { await client.actors.destroy(server.id, { project: process.env.RIVET_PROJECT_ID, environment: process.env.RIVET_ENVIRONMENT_ID, }); } } else { // We have exactly the right number of servers for (const server of existingServers) { serverMap.regions[region][server.serverId] = { url: server.url, id: server.id }; } } } return serverMap;}
To run this with the credentials auto-populated, use:
Command Line
rivet shell --exec 'node manage-servers.js'
This script will output a list of server connection URLs that you can copy & paste in your game's frontend to show a server list.
For production games, it's highly recommended to implement a system for routing new players to updated servers while allowing existing sessions to complete naturally:
Implement custom logic to gradually upgrade servers
Start sending new players to new server versions
Wait for old servers to naturally empty out as players finish their sessions
This approach preserves gameplay sessions on existing servers
Requires more complex implementation but provides the best player experience