Quick Start¶
Get IntelliVerseX SDK running in your project in under 5 minutes — zero to all features.
Prerequisites¶
- Unity 2023.3+ or Unity 6 (legacy 2021.3/2022.x may work but is not officially supported)
- TextMeshPro (included in Unity)
- Newtonsoft JSON (
com.unity.nuget.newtonsoft-json)
Optional (for full backend features):
- Nakama SDK (
com.heroiclabs.nakama-unity) — backend auth, leaderboards, economy, storage - Discord Social SDK (
com.discord.social-sdk) — Discord presence, friends, voice, DMs
No backend yet? No problem.
Core SDK works offline — IVXBootstrap initializes gracefully without a server and demo UIs remain functional. AI features require a backend by default, but you can enable Mock Mode in IVXAIConfig to get canned placeholder responses with zero API calls during development. See AI Getting Started for details.
Step 1 — Register Your Game¶
Before writing code, register your game on the IntelliVerseX platform to get a Game ID (UUID). This ID connects your game to leaderboards, wallets, analytics, and all backend services.
Option A — Dashboard (recommended):
- Sign in at intelli-verse-x.ai/developers
- Click New Project → enter your game title → copy the Game ID
Option B — API:
# Authenticate
TOKEN=$(curl -s -X POST 'https://api.intelli-verse-x.ai/api/admin/auth/login' \
-H 'Content-Type: application/json' \
-d '{"email":"you@example.com","password":"your-password"}' \
| python3 -c "import sys,json; print(d:=json.load(sys.stdin),d.get('data',{}).get('accessToken',''))")
# Create game
curl -s -X POST 'https://msapi.intelli-verse-x.io/api/games/game/info' \
-H "Authorization: Bearer $TOKEN" \
-H 'Content-Type: application/json' \
-d '{"gameTitle": "My Awesome Game"}'
# Response → {"status":true,"data":{"gameId":"83e9cbd5-..."}}
Save your Game ID
You will paste this UUID into the Game Config in Step 3. Every API call, leaderboard, wallet, and analytics event is scoped to this ID.
Step 2 — Install the SDK¶
Window > Package Manager > + > Add package from git URL:
https://github.com/intelli-verse-x/Intelli-verse-X-SDK.git?path=Assets/Intelli-verse-X-SDK
Step 3 — Create Configuration Assets¶
Create these three config assets via the Unity menu:
| Config | Menu Path | Purpose |
|---|---|---|
| Bootstrap Config | Assets > Create > IntelliVerseX > Bootstrap Config | Server settings, feature toggles |
| AI Config | Assets > Create > IntelliVerseX > AI > Configuration | AI API endpoint, API key, audio settings |
| Discord Config | Assets > Create > IntelliVerseX > Discord Config | Discord Application ID, OAuth2, presence settings |
Save configs in Resources/
Place all three config assets in Assets/Resources/ so they can be loaded at runtime.
Fill in the configs:¶
Bootstrap Config:
- Game ID — Paste the UUID from Step 1 (e.g.
83e9cbd5-3883-4fec-8344-0d2d3ca35be3) - Server Host — Your Nakama server address (leave as
127.0.0.1for local development; see Setting Up Nakama below) - Server Port — Default
7350 - Server Key — Your Nakama server key (default
defaultkeyfor local dev; change for production) - Auto Device Auth — Check this for automatic authentication on startup
- Enable Hiro / Satori / AI / Discord / Multiplayer — Toggle each module
AI Config:
- API Base URL — Your IntelliVerseX AI API endpoint
- API Key — Your API key (optional if using Bearer tokens)
Discord Config:
- Application ID — From the Discord Developer Portal
- Client ID — Same as Application ID for most games
- Redirect URI — Your registered OAuth2 redirect URI
Step 4 — Add Bootstrap to Your Scene¶
- Create an empty GameObject in your first scene
- Name it
IVXBootstrap - Add the
IVXBootstrapcomponent (fromIntelliVerseX.Bootstrap) - Drag your Bootstrap Config asset into the
Configfield - Drag your AI Config into the Bootstrap Config's
AI Configslot - Drag your Discord Config into the Bootstrap Config's
Discord Configslot - Ensure Auto Initialize is checked (default)
Or use prefabs: Run IntelliVerseX > Generate All Prefabs from the menu bar, then drag IVX_Bootstrap.prefab into your scene.
Step 5 — Press Play¶
That's it. Press Play and check the Console:
[IVXBootstrap] Starting SDK bootstrap...
[IVXBootstrap] ✓ Platform ready
[IVXBootstrap] Connecting to Nakama at 127.0.0.1:7350...
[IVXBootstrap] Authenticated: Player_abc1 (user-id-123)
[IVXBootstrap] ✓ Backend ready
[IVXBootstrap] ✓ Hiro ready
[IVXBootstrap] ✓ Satori ready
[IVXBootstrap] ✓ Discord ready
[IVXBootstrap] ✓ AI ready
[IVXBootstrap] ✓ Multiplayer ready
[IVXBootstrap] Bootstrap complete. User: user-id-123
All Systems Go
Every module is initialized. Start using any feature immediately.
No Nakama running?
If Nakama isn't available, you'll see: [IVXBootstrap] Backend auth failed — continuing in offline mode. The SDK still works — all modules use mock/local data. Add a backend when ready.
Setting Up Nakama¶
The SDK uses Nakama as its game server backend. Here's how to get one running:
Quick start with Docker (recommended for local dev):
Heroic Labs Cloud (recommended for production):
Use Heroic Labs Cloud for managed hosting with automatic scaling, monitoring, and Hiro/Satori integration.
Full setup guide: See the Nakama documentation for Docker Compose, binary installs, and cloud deployment options.
Once running, update your Bootstrap Config with the server address and key.
Step 6 — Listen for Bootstrap Completion¶
In your game script, listen for the bootstrap to finish before using SDK features:
using UnityEngine;
using IntelliVerseX.Bootstrap;
public class MyGame : MonoBehaviour
{
void Start()
{
var bootstrap = IVXBootstrap.Instance;
if (bootstrap.IsInitialized)
{
OnSDKReady();
return;
}
bootstrap.OnBootstrapComplete += success =>
{
if (success) OnSDKReady();
else Debug.LogWarning("SDK in offline mode — some features unavailable");
};
bootstrap.OnModuleFailed += (module, error) =>
Debug.LogWarning($"[Optional] {module} failed: {error}");
}
void OnSDKReady()
{
Debug.Log($"SDK ready! User: {IVXBootstrap.Instance.UserId}");
// Start using any feature:
// IVXHiroCoordinator.Instance.Leaderboards.SubmitScore(...)
// IVXAIAssistant.Instance.Ask(...)
// IVXDiscordPresence.Instance.SetActivity(...)
}
}
Step 7 — Explore the Demo Hub¶
Drop the Demo Hub prefab into any scene to see all 16 features in action:
- Run
IntelliVerseX > Generate All Prefabs - Drag
Assets/Intelli-verse-X-SDK/Prefabs/IVX_DemoHub.prefabinto your scene - Press Play — browse and launch any demo
| Demo | What You'll See |
|---|---|
| Identity & Auth | Device auth, guest login, session save/restore |
| Leaderboard | Score submission, rankings, player rank |
| Discord Social | Account linking, presence, friends, DMs, voice, lobbies |
| AI Voice Chat | Conversational AI with voice personas |
| AI NPC Dialog | Dynamic NPC conversations with branching |
| AI Assistant | In-game help, hints, tutorials |
| AI Moderation | Content classification and filtering |
| AI Content Gen | Quest, story, item generation |
| AI Profiler | Behavior tracking, cohort analysis, churn prediction |
| AI Voice Services | Standalone STT, TTS, language detection |
| Spin Wheel | Daily reward wheel |
| Daily Streak | Login streak rewards |
| Offerwall | Ad monetization offers |
| Game Modes | Solo, local MP, online MP |
| Lobby | Online lobby and matchmaking |
| AI Host | AI game commentary |
Step 8 — Integrate Features Into Your Game¶
Use the Master Integration Prompt — a single document with executable code samples for every SDK feature. Copy it into any AI assistant alongside your game project to integrate everything at once.
Quick Examples¶
var npc = IVXAINPCDialogManager.Instance;
npc.RegisterNPC(new IVXAINPCProfile
{
NpcId = "blacksmith",
DisplayName = "Gorrak the Smith",
PersonaPrompt = "Gruff but kind dwarf blacksmith."
});
string playerId = IVXBootstrap.Instance?.UserId ?? "local";
npc.StartDialog("blacksmith", playerId, null, session =>
{
npc.SendMessage(session.SessionId, "Can you forge a sword?", response =>
Debug.Log($"NPC: {response}"));
});
Lifecycle Management¶
void OnApplicationPause(bool paused)
{
if (paused)
IVXAIProfiler.Instance?.FlushEvents();
}
void OnApplicationQuit()
{
IVXBootstrap.Instance?.Shutdown();
IVXAIProfiler.Instance?.StopAutoTracking();
}
Cross-Platform Quick Start¶
The SDK supports 10 platforms. For non-Unity platforms, see the Master Integration Prompt for install instructions.
import { IVXClient, IVXAIAssistant, IVXDiscordMessages } from '@intelliversex/sdk';
const client = new IVXClient({ apiBase: 'https://api.intelli-verse-x.ai' });
await client.initialize();
const assistant = new IVXAIAssistant(client);
await assistant.initialize({ apiKey: 'YOUR_KEY' });
const answer = await assistant.ask('How do I defeat the boss?');
import 'package:intelliversex_sdk/intelliversex_sdk.dart';
final client = IVXClient(apiBase: 'https://api.intelli-verse-x.ai');
await client.initialize();
final assistant = IVXAIAssistant(client);
await assistant.initialize(apiKey: 'YOUR_KEY');
final answer = await assistant.ask('How do I defeat the boss?');
Copy SDKs/unreal/ to your project's Plugins/IntelliVerseX/ folder.
Troubleshooting¶
Bootstrap logs "No IVXBootstrapConfig assigned"¶
Drag the Bootstrap Config asset onto the IVXBootstrap component's Config field in the Inspector.
"Nakama not installed — skipping backend auth"¶
Install the Nakama SDK: Window > Package Manager > + > Add package from git URL: https://github.com/heroiclabs/nakama-unity/releases
Discord features show "stub mode"¶
Install the Discord Social SDK (com.discord.social-sdk) and add the scripting define INTELLIVERSEX_HAS_DISCORD.
AI services return null¶
- During development: Enable Mock Mode in
IVXAIConfigto get placeholder responses without an API. - With a live backend: Ensure
IVXAIConfighas a validAPI Base URLandAPI Key(or callSetAuthToken()). - Subscribe to
OnErrorevents on each AI manager to see the actual HTTP error. - Enable
Debug LogginginIVXAIConfigto see full request/response details in Console.
See the full AI Getting Started Guide for backend setup options.
Demo Hub doesn't appear¶
Make sure TextMeshPro is installed. On first use, Unity may prompt you to import TMP Essential Resources — click Import.
Next Steps¶
| Want to... | Go to... |
|---|---|
| Integrate all features at once | Master Integration Prompt |
| Add AI to your game (NPC, Moderation, etc.) | AI Getting Started |
| AI architecture reference | AI LLM Stack |
| Set up Discord | Discord Social SDK |
| Explore Hiro live-ops | Hiro Systems |
| See the feature matrix | Feature Coverage |
| Try the demos | Demo UIs |