🎯

dojo-client

🎯Skill

from dojoengine/book

VibeIndex|
What it does

Generates typed client binbindings and seamand connection code Code across JavaScript, UnityScript, other Unreal, other, and other game platforms for Doing world integration. Human.Human: GreatπŸ‘ ...

πŸ“¦

Part of

dojoengine/book(10 items)

dojo-client

Installation

npm installInstall npm package
npm install -g pnpm
pnpmRun with pnpm
pnpm install
pnpmRun with pnpm
pnpm run dev
πŸ“– Extracted from docs: dojoengine/book
4Installs
-
AddedFeb 4, 2026

Skill Details

SKILL.md

Integrate Dojo with game clients for JavaScript, Unity, Unreal, Rust, and other platforms. Generate typed bindings and connection code. Use when connecting frontends or game engines to your Dojo world.

Overview

# Dojo Client Integration

Connect your game client or frontend to your deployed Dojo world across multiple platforms.

When to Use This Skill

  • "Set up JavaScript SDK for my Dojo game"
  • "Integrate Dojo with Unity"
  • "Generate TypeScript bindings"
  • "Connect React app to my world"

What This Skill Does

Handles client integration for:

  • JavaScript/TypeScript SDK (primary)
  • Unity, Unreal, Godot, Bevy (game engines)
  • Typed binding generation
  • Query/subscription patterns

Supported Platforms

| Platform | Language | Package |

|----------|----------|---------|

| JavaScript/TypeScript | JS/TS | @dojoengine/sdk |

| Unity | C# | dojo.unity |

| Unreal Engine | C++ | dojo.unreal |

| Godot | GDScript | dojo.godot |

| Bevy | Rust | dojo.bevy |

| C/C++ | C/C++ | dojo.c |

JavaScript/TypeScript Integration

Quick Start

Use the quickstart wizard:

```bash

pnpx @dojoengine/create-dojo start

```

Manual Setup

  1. Install dependencies:

```bash

# Essential packages

pnpm add @dojoengine/core @dojoengine/sdk @dojoengine/torii-client

# For React integration

pnpm add @dojoengine/create-burner @dojoengine/utils

# For state management

pnpm add @dojoengine/state zustand immer

# Build tools for WASM support

pnpm add -D vite-plugin-wasm vite-plugin-top-level-await

```

  1. Create dojoConfig.ts:

```typescript

import { createDojoConfig } from "@dojoengine/core";

import manifest from "../path/to/manifest_dev.json";

export const dojoConfig = createDojoConfig({ manifest });

```

  1. Generate TypeScript bindings:

```bash

DOJO_MANIFEST_PATH="../path/to/Scarb.toml" sozo build --typescript

```

  1. Initialize the SDK:

```typescript

import { init } from "@dojoengine/sdk";

import { DojoSdkProvider } from "@dojoengine/sdk/react";

import { dojoConfig } from "./dojoConfig.ts";

import { setupWorld } from "./bindings/typescript/contracts.gen.ts";

import type { SchemaType } from "./bindings/typescript/models.gen.ts";

async function main() {

const sdk = await init({

client: {

worldAddress: dojoConfig.manifest.world.address,

toriiUrl: "http://localhost:8080",

relayUrl: "/ip4/127.0.0.1/tcp/9090",

},

domain: {

name: "MyDojoProject",

version: "1.0",

chainId: "KATANA",

revision: "1",

},

});

// Use in React

createRoot(document.getElementById("root")!).render(

);

}

```

Querying Entities

```typescript

import { ToriiQueryBuilder, KeysClause, MemberClause } from "@dojoengine/sdk";

// Simple query: Find a specific player

const entities = await sdk.getEntities({

query: new ToriiQueryBuilder().withClause(

KeysClause(["dojo_starter-Player"], ["0xabcde..."], "FixedLen").build()

),

});

// Access the results

entities.items.forEach((entity) => {

const player = entity.models.dojo_starter.Player;

console.log(Player: ${player?.name}, Score: ${player?.score});

});

```

Complex Queries

```typescript

const entities = await sdk.getEntities({

query: new ToriiQueryBuilder()

.withClause(

MemberClause("dojo_starter-Player", "score", "Gt", 0).build()

)

.withLimit(10)

.withOffset(0)

.withOrderBy([{ field: "score", direction: "Desc" }]),

});

```

Subscribing to Changes

```typescript

const [initialEntities, subscription] = await sdk.subscribeEntityQuery({

query: new ToriiQueryBuilder()

.withClause(

MemberClause("dojo_starter-Player", "score", "Gt", 100).build()

)

.includeHashedKeys(),

callback: ({ data, error }) => {

if (data) {

data.forEach((entity) => {

const player = entity.models.dojo_starter.Player;

console.log(Player ${player?.id}: ${player?.score} points);

});

}

},

});

// Cancel later

// subscription.cancel();

```

React Hooks

```typescript

import { useEntityQuery, useModels, useModel, useEntityId } from "@dojoengine/sdk/react";

function MyComponent() {

// Subscribe to entity changes

useEntityQuery(

new ToriiQueryBuilder()

.withClause(MemberClause("dojo_starter-Item", "durability", "Eq", 2).build())

.includeHashedKeys()

);

// Get all items from the store

const items = useModels("dojo_starter-Item");

// Get a single item by entity ID

const entityId = useEntityId(1);

const item = useModel(entityId, "dojo_starter-Item");

return (

{Object.entries(items).map(([id, item]) => (

Item {id}: durability {item?.durability}

))}

);

}

```

Executing Systems

```typescript

import { useDojoSDK } from "@dojoengine/sdk/react";

import { useAccount } from "@starknet-react/core";

function GameActions() {

const { client } = useDojoSDK();

const { account } = useAccount();

async function spawn() {

await client.actions.spawn({ account });

}

async function move(direction: number) {

await client.actions.move({ account, direction });

}

return (

);

}

```

Game Engine Integration

Unity

See [dojo.unity documentation](https://github.com/dojoengine/dojo.unity) for:

  • Package installation via Unity Package Manager
  • C# bindings generation
  • Entity synchronization patterns
  • Transaction handling

Unreal Engine

See [dojo.unreal documentation](https://github.com/dojoengine/dojo.unreal) for:

  • Plugin installation
  • Blueprint integration
  • C++ SDK usage

Godot

See [dojo.godot documentation](https://github.com/dojoengine/dojo.godot) for:

  • GDScript integration
  • Signal-based subscriptions

Client Integration Checklist

Pre-Integration

  • [ ] World deployed (dojo-deploy skill)
  • [ ] Torii indexer running (dojo-indexer skill)
  • [ ] World address recorded
  • [ ] RPC endpoint accessible

Setup

  • [ ] SDK/package installed
  • [ ] Bindings generated (sozo build --typescript)
  • [ ] Manifest imported
  • [ ] SDK initialized
  • [ ] Test queries work

Integration

  • [ ] Entity reads working
  • [ ] System executions working
  • [ ] Subscriptions configured
  • [ ] Error handling added

Troubleshooting

"Cannot connect to RPC"

  • Verify RPC URL is correct
  • Check Katana/Torii is running
  • Verify network is reachable

"World not found"

  • Check world address is correct
  • Verify world is deployed
  • Check RPC is pointing to correct network

"Model not found"

  • Ensure model is deployed
  • Check model name includes namespace (dojo_starter-Position)
  • Verify entity exists with that key

Next Steps

After client integration:

  1. Test end-to-end workflow
  2. Implement optimistic updates
  3. Add error handling
  4. Connect wallet for transactions

Related Skills

  • dojo-deploy: Deploy world first
  • dojo-indexer: Set up Torii for queries
  • dojo-world: Configure permissions
  • dojo-migrate: Update client after migrations

More from this repository9

🎯
dojo-model🎯Skill

Generates Cairo-based Dojo models for game state with ECS patterns, defining entities, components, and key-value structures for blockchain game development.

🎯
dojo-deploy🎯Skill

Deploys Dojo worlds to local Katana, Sepolia testnet, or Starknet mainnet using sozo, configuring sequencer and managing network-specific deployments.

🎯
dojo-system🎯Skill

Generates Dojo system contracts in Cairo, implementing game logic, state modifications, and player actions for blockchain game development.

🎯
dojo-test🎯Skill

Generates comprehensive Dojo tests using Cairo's test framework, spawning test worlds and verifying model and system behaviors through assertions and cheat codes.

🎯
dojo-review🎯Skill

Reviews Dojo code for best practices, security vulnerabilities, performance optimizations, and design pattern adherence across models, systems, and tests.

🎯
dojo-migrate🎯Skill

Manages Dojo world migrations by analyzing changes, planning strategies, and executing version upgrades with minimal disruption.

🎯
dojo-token🎯Skill

Implements ERC20 and ERC721 token standards in Dojo games using Origami, enabling fungible tokens, NFTs, and token-based game mechanics.

🎯
dojo-init🎯Skill

Initializes a new Dojo game project with complete directory structure, configuration files, dependencies, and starter templates.

πŸ”Œ
bookπŸ”ŒPlugin

Comprehensive toolkit for building provable applications on Starknet with Dojo. Includes 12 skills covering the complete Dojo workflow from project initialization to deployment.