basic instantiation example - BeardedManStudios/ForgeNetworkingRemastered GitHub Wiki
Note: We assume that you have gone through the Basic Moving Cube Example and the Basic RPC Example before going through this example.
This example is not a continuation of other examples and should be treated as if it were done in a new project.
In this example we are going to create a simple cube to act as the player object. The "player" should be able to move their individual cube using the horizontal and vertical axis input. For this we will create a scene without any cubes in it, then when a connection is made or the server is created, we will spawn a cube "player" for the newly connected client or created server.
So one of the first things we want to think about is our Network Contract. This is basically a fancy word for how we design/setup network communication. It is helpful to imagine our final result to our application so that we can properly design for it. In this application when a client connects it will create a player cube for itself, it will also see all of the other connected cubes and their movements:
- Player creates a cube for itself when connected
- Synchronize the position and rotation of the player cube to all the clients and server
- The transformations should be smooth so we need to interpolate them
Now that we know that we need to sync the position and rotation of a cube, we can design our network contract for that object. We will first open the Network Contract Wizard which is a UI provided by the Bearded Man Studios team to make it easy to design your network contracts in an easy way. To open this menu, go into Unity and select "Window->Forge Networking->Network Contract Wizard".

Once you have opened this editor you will be presented with a list of all the Network Objects currently available, to learn more about this please see the document on the Network Contract Wizard as we will just be going over how to create a network object through the contract wizard. To start, click on the "Create" button near the top and you will be presented with the create UI. In here, we have 3 major fields of interest, the Name fields, the Fields field, and the Remote Procedure Calls field.
- The Name field is where we create the name for our Network Object and behavior, this is a friendly name that should be written in "Pascal case" to follow the C# convention since it is going to be a part of the class names that are generated.
- The Fields section shows all of the various fields that our network should be aware of. In this case we are going to want to make a position and rotation field which are Vector3 and Quaternion respectively. Note, you can name these fields whatever you like, these are just friendly variable names for you (and your team) to know what they are for when used
- The Remote Procedure Calls field is where you will design any Remote Procedure Call (RPC) function signatures. We are not going to go over this field in this tutorial as we do not need it for the goal we are attempting to accomplish.
Lets begin by naming our Network Object:
- Lets set the name for our Network object to "PlayerCube" (without quotes)
- Click the Add Field button
- Name the new field position
- Set the type to Vector3
- Click the Interpolate button
- Set the interpolate time (the text field that pops up after clicking the Interpolate button) as 0.15
- Click the Add Field button
- Name the new field rotation
- Set the type to Quaternion
- Click the Interpolate button
- Set the interpolate time (the text field that pops up after clicking the Interpolate button) as 0.15
- Click the Save & Compile button

When we use the Network Contract Wizard (NCW) we are actually generating a lot of network code based on what has been input into the editor fields, this actually cuts out a lot of work that you would have to do by hand. There is one class in particular that we want to extend from, this class name will be "PlayerCubeBehavior". The naming convention for this generated class is _____Behavior where "_____" is the name we typed into the NCW. Lets now create a C# file in Unity and write our basic game logic, we will name this file " PlayerCube".
- Open the newly created C# file
- Add using BeardedManStudios.Forge.Networking.Generated; to the using statements
- Derive the class from PlayerCubeBehavior
- Write the rest of the logic for the cube as seen below
using UnityEngine;
using BeardedManStudios.Forge.Networking.Generated;
public class PlayerCube : PlayerCubeBehavior
{
	/// <summary>
	/// The speed that this cube should move by when there are axis inputs
	/// </summary>
	public float speed = 5.0f;
	private void Update()
	{
		// If this is not owned by the current network client then it needs to
		// assign it to the position and rotation specified
		if (!networkObject.IsOwner)
		{
			// Assign the position of this cube to the position sent on the network
			transform.position = networkObject.position;
			// Assign the rotation of this cube to the rotation sent on the network
			transform.rotation = networkObject.rotation;
			// Stop the function here and don't run any more code in this function
			return;
		}
		// Get the movement based on the axis input values
		Vector3 translation = new Vector3(Input.GetAxis("Horizontal"), 0, Input.GetAxis("Vertical")).normalized;
		// Scale the speed to normalize for processors
		translation *= speed * Time.deltaTime;
		// Move the object by the given translation
		transform.position += translation;
		// Just a random rotation on all axis
		transform.Rotate(new Vector3(speed, speed, speed) * 0.25f);
		// Since we are the owner, tell the network the updated position
		networkObject.position = transform.position;
		// Since we are the owner, tell the network the updated rotation
		networkObject.rotation = transform.rotation;
		// Note: Forge Networking takes care of only sending the delta, so there
		// is no need for you to do that manually
    }
}Since we are going to instantiate this object when a player connects, we will need a prefab that identifies this object. To quickly create a prefab that has a cube we will use the standard Unity process.
- Right click on the Hierarchy
- Hover our mouse over 3D Object
- Click on Cube in the following context menu
Now that we have created a cube we need to set it up with the class PlayerCube class we just created
- Select the cube
- Click on the Add Component button in the Inspector
- Type in PlayerCube into the search
- Click the PlayerCube script to attach it
Now that we have setup our player object it is time for us to create the prefab that will be instantiated when clients connect.
- Select the cube in the Hierarchy
- Drag the cube into the Project area to create the prefab
- Rename this prefab PlayerCube , this step is not required, just helps the example stay cohesive
With this we are prepared to setup our NetworkManager to support the new instantiation of the object.
If you search the project directory you will find a prefab named NetworkManager. This is a default prefab we have created for you to get started. You can make your own prefab or alter this one if you wish to extend behavior. Now we will go through the process of attaching our created PlayerCube prefab to this NetworkManager
- Select the NetworkManager prefab in the project
- Locate the field named Player Cube Network Object
- You will notice that this is an array, set the Size to 1
- Click the radial (circle) on the right of the Element 0 input field
- Locate and select the PlayerCube prefab
Now that we have setup our NetworkManager we are ready to make our instantiate code. To do this we will create a script that will instantiate our player
- Open up a new scene
- Create a new C# script named GameLogic
- Open the newly created C# file
- Add using BeardedManStudios.Forge.Networking.Unity; to the using statements
- Write the rest of the logic for instantiating the cube (seen below)
- Attach the newly created script to the Main Camera object in the scene (this is just to have the script in the scene, no other particular reason)
- Save the scene as GameScene
- Add the default Forge MultiplayerMenu scene as the first scene
- Add your GameScene scene as the second scene
using UnityEngine;
using BeardedManStudios.Forge.Networking.Unity;
public class GameLogic : MonoBehaviour
{
	private void Start()
	{
		NetworkManager.Instance.InstantiatePlayerCube();
	}
}Now that we have setup our scene and everything else, it is time to test the game.
- Open the Build Settings
- Click on Player Settings...
- Open the Resolution and Presentation section
- Turn on Run In Background*
- Go back to Build Settings
- Click on Build And Run
- Once the game is open, return to the Unity Editor
- Open the MultiplayerMenu scene
- Click the play button
- Click the Host (127.0.0.1:15937) button on the bottom of the game view
- Go back to the built game
- Make sure the host ip address is set to 127.0.0.1
- Make sure the host port is set to 15937
- Click the Connect button
- Select the server game instance (Unity Editor)
Now if you move around the cube in the editor, you will see the movements replicated to the client(s). If you move the cube around in the client(s) you will see the cube moving on the server. Our code has the cube constantly rotating so you will see them doing that as well.
Getting a null reference exception?
The most common user errors with this part of the documentation are:
- Forgot to turn on Run in Background*
- Tried pressing the play button in the scene and not loading the MultiplayerMenu scene first
- Not setting up the MultiplayerMenu scene as index 0 and the demo scene as index 1
- Copied NetworkManager prefab into scene instead of altering it in project