Skip to main content

React in Panorama

React is a JavaScript library for building user interfaces. It allows you to break down UI into small reusable building blocks (components) and simplifies state management.

Usually React is used for building websites and web applications, but react-panorama allows you to use the power of React in Dota 2.

Installation

To avoid wasting time on configuration, it's recommended to start with the JavaScript or TypeScript templates, even if you're integrating it into an existing project.

Alternatively, if you want to configure build tools yourself, or you want to use it without any build steps (UMD), you can check out react-panorama installation guide.

JSX

Here's a basic hello-world application built with React:

import React from 'react';
import { render } from 'react-panorama';

render(<Label text="Hello, world!" />, $.GetContextPanel());

The first parameter that gets passed to the render function is a tree of components constructed using JSX - an extension to the JavaScript syntax.

JSX tree is a regular JavaScript expression, just like a string, or object literal. That means you can manipulate it like any regular JS value - store it in variables, use it in conditions, or return it from functions.

For more information about JSX you can check out official React documentation.

Components

Instead of having all your UI in a monolithic XML file, React encourages you to split functionality into small building blocks - components.

In React, components are simple functions that return JSX:

import React from 'react';
import { render } from 'react-panorama';

function App() {
return <Label text="Hello, world!" />;
}

render(<App />, $.GetContextPanel());

Components can accept parameters as a function argument:

import React from 'react';
import { render } from 'react-panorama';

function HeroRow({ heroName }: { heroName: string }) {
return (
<Panel style={{ flowChildren: 'right' }}>
<DOTAHeroImage heroimagestyle="icon" heroname={heroName} />
<Label style={{ marginLeft: '5px' }} localizedText={heroName} />
</Panel>
);
}

function HeroList() {
return (
<Panel style={{ flowChildren: 'down' }}>
<HeroRow heroName="npc_dota_hero_abaddon" />
<HeroRow heroName="npc_dota_hero_abyssal_underlord" />
<HeroRow heroName="npc_dota_hero_alchemist" />
</Panel>
);
}

render(<HeroList />, $.GetContextPanel());

State

In modern React applications, state is usually managed using hooks. One of the basic hooks, useState, allows you to declare a component-scoped variable, which re-renders the component every time its value gets changed. Here's a basic counter example:

import React, { useState } from 'react';
import { render } from 'react-panorama';

function Counter() {
const [count, setCount] = useState(0);
const increment = () => setCount(count + 1);

return (
<Panel style={{ flowChildren: 'down' }}>
<Label text={`Count: ${count}`} />
<TextButton className="ButtonBevel" text="Increment" onactivate={increment} />
</Panel>
);
}

render(<Counter />, $.GetContextPanel());

Similarly, you can use useState to bind state to input elements:

import React, { useState } from 'react';
import { render } from 'react-panorama';

function ConditionalRendering() {
const [showDetails, setShowDetails] = useState(false);

return (
<Panel style={{ flowChildren: 'down' }}>
<ToggleButton
text="Show details"
selected={showDetails}
onactivate={() => setShowDetails(!showDetails)}
/>

{showDetails && <Label text="Details!" />}
</Panel>
);
}

render(<ConditionalRendering />, $.GetContextPanel());

Listening to events

In React, the only things that should affect what component shows are its props and state. So, in order to make component update data when a certain game event happens, you need to make event listener update component's state.

Since we can update component state only within the component itself, we also have to put our GameEvents.Subscribe call inside the component. However you can't register it in the render function itself, because it gets executed more often than we need to, since we need to register our listener only when the component gets mounted for the first time. That's when we have to use another builtin hook - useEffect.

useEffect hook is a function that usually gets called with 2 parameters. First one is the callback we want to execute, which would register our listener. The second is the list of state variable that our . Since we don't use any state for our listener, we can just use an empty array ([]). Also, optionally our callback can return a cleanup function, which is called either when one of dependencies changes, or when component gets unmounted.

import React, { useEffect, useState } from 'react';
import { render } from 'react-panorama';

function KDA() {
const [kills, setKills] = useState(() => Game.GetLocalPlayerInfo().player_kills);
const [deaths, setDeaths] = useState(() => Game.GetLocalPlayerInfo().player_deaths);
const [assists, setAssists] = useState(() => Game.GetLocalPlayerInfo().player_assists);

useEffect(() => {
const handle = GameEvents.Subscribe('dota_player_kill', () => {
const playerInfo = Game.GetLocalPlayerInfo();
setKills(playerInfo.player_kills);
setDeaths(playerInfo.player_deaths);
setAssists(playerInfo.player_assists);
});

return () => GameEvents.Unsubscribe(handle);
}, []);

return <Label style={{ color: 'white' }} text={`KDA: ${kills}/${deaths}/${assists}`} />;
}

render(<KDA />, $.GetContextPanel());

react-panorama provides a custom hook that makes listening to game events a little easier:

import React, { useState } from 'react';
import { render, useGameEvent } from 'react-panorama';

function KDA() {
const [kills, setKills] = useState(() => Game.GetLocalPlayerInfo().player_kills);
const [deaths, setDeaths] = useState(() => Game.GetLocalPlayerInfo().player_deaths);
const [assists, setAssists] = useState(() => Game.GetLocalPlayerInfo().player_assists);
useGameEvent('dota_player_kill', () => {
const playerInfo = Game.GetLocalPlayerInfo();
setKills(playerInfo.player_kills);
setDeaths(playerInfo.player_deaths);
setAssists(playerInfo.player_assists);
}, []);

return <Label style={{ color: 'white' }} text={`KDA: ${kills}/${deaths}/${assists}`} />;
}

render(<KDA />, $.GetContextPanel());

Just like that, you can listen to UI events, custom net table updates, or just time passing. react-panorama provides a few more custom hooks for common use cases.

Custom hooks

One of things that React Hooks make easier is code reuse. For example, we can extract logic used to listen to KDA changes into a custom useKDA hook.

import React, { useState } from 'react';
import { render, useGameEvent } from 'react-panorama';

function useKDA() {
// Since both initializing and updating state is the same process,
// we can extract it into a regular function
function getKDA() {
const playerInfo = Game.GetLocalPlayerInfo();
return {
kills: playerInfo.player_kills,
deaths: playerInfo.player_deaths,
assists: playerInfo.player_assists,
};
}

const [kda, setKDA] = useState(getKDA);

useGameEvent('dota_player_kill', () => setKDA(getKDA()), []);

return kda;
}

function KDA() {
const { kills, deaths, assists } = useKDA();

return <Label style={{ color: 'white' }} text={`KDA: ${kills}/${deaths}/${assists}`} />;
}

function KDARatio() {
const { kills, deaths, assists } = useKDA();
const ratio = (kills + assists) / (deaths || 1);

return <Label style={{ color: 'white' }} text={`KDA Ratio: ${ratio}`} />;
}

function App() {
return (
<Panel style={{ flowChildren: 'down' }}>
<KDA />
<KDARatio />
</Panel>
);
}

render(<App />, $.GetContextPanel());

Next Steps

This tutorial have covered only basics of React. React has a large ecosystem of libraries, patterns and articles, lots of which would apply to Panorama. As a starting point you can check out the official React website (although some parts of it are a little outdated).