Skip to main content

Turn-Based Games: Making your gameplay Server Authoritative

Changing logic to be Server Authoritative

Now that the RPC is working, we should add some logic in order to make the game more server authoritative.

For this game, it is quite simple as we only need to change the score & the timer to be server authoritative, as the Spawner logic is already server authoritative due to the request - response RPCs created previously.

The easiest way to do this requires a few steps.

  1. You need to create an ElympicsVar with your desired type. In this case, an ElympicsInt.
private ElympicsInt _score = new ElympicsInt();
  1. Make a public method to increase this value, but only allow it to be called in the Server
public void IncreaseScore(int valueToAdd)
{
//We check if the current instance calling this code is not the server, if it's not, we do not add value to this ElympcisInt
if (!Elympics.IsServer) return;

_score.Value += valueToAdd;
}
  1. Subscribe the ElympicsVar.ValueChanged so the Client only displays the Value
private void Start()
{
_score.ValueChanged += ScoreChangedHandler;
}

private void ScoreChangedHandler(int oldValue, int newValue)
{
//Only display the value on the Client
if(Elympics.IsServer) return;

//Display score in a text somewhere in your game scene
_scoreText.text = newValue;
}

Now your score is only changed in the server, and the client reacts to the score being changed instantly and displays it accurately.

You should also implement this for any important logic in your game, it should be always handled by the Server as main authority!