Structs are like Classes, but completely different. Sorry 🙂 If you don’t know what a struct is or when you would use it, or if you don’t know the difference between passing by reference and passing by value, this lesson is for you.
Structs in Unity
Since this series is based on learning C# for Unity, let’s start by pointing out some places where you may have already been using Structs:
- Vector2, Vector3 and Vector4
- Rect
- Color and Color32
- Bounds
- Touch
In particular, the various forms of Vector(2-4) are used all over. You will see them used to store everything from the position, rotation, and scale of a transform to the velocity of a Rigidbody, or the location of a touch or mouse click on the screen.
What is a Struct?
A struct is sort of like a compound data type. It looks very similar to a class, because you can define fields and methods in very much the same way. The following example defines a struct and class which are nearly identical:
public struct PointA { public int x; public int y; } public class PointB { public int x; public int y; }
In this example, the only noticeable difference is in the keywords – “struct” instead of “class”. Some other differences between the two include:
- A struct cannot inherit from a base type like a class can
- Structs cannot have parameterless constructors
- All of a structs fields must be assigned before leaving a constructor
- structs are passed by value, whereas an instance of a class is passed by reference
The last point, to me, is the most important. There are many significant differences between “value” types and “reference” types that impact when, and how, you should use them.
Reference Types
When we say that an instance of a class is passed by reference, what is actually happening is that we get a “pointer” to the address in memory of the object and then pass “that” value around. This is important because an instance of a class can actually be very large, containing many fields and even other objects. In that sort of scenario, to copy and pass along the entire thing could negatively affect performance, and is why you only pass the address instead.
Reference types are allocated on the “heap” and are cleaned up by something called “garbage collection”. Garbage collection is a process that happens automatically but is slow and usually accounts for hitches in your game’s frame-rate. For this reason, you don’t want to frequently create objects and allow them to go out of scope. The following example is a big no-no:
// YOU SHOULD NOT DO THIS void Update () { // Create an instanace of a class with local scope in the Update loop (called every frame) List<GameObject> objects = new List<GameObject>(); // Imagine stuff is done with this list of objects (it is populated and iterated over etc) for (int i = 0; i < objects.Count; ++i) { } // When the method ends the objects list goes out of scope and will at some point need // to be garbage collected }
Value Types
When we say that something is passed by value, what is actually happening is that the variable is fully cloned / copied, and the copy is passed along while the original is left intact. Structs are value types and are passed by value. This means that structs are ideally small data structures.
Value types are allocated on the “stack” which means that their memory is easy to reclaim and they do not have an affect on “garbage collection”. Unlike the Update loop example with reference types, it is totally acceptable to create value types and allow them to go out of scope without fear of an impending slow-down or memory problem. For example, the following is totally acceptable:
// This is OK void Update () { // Create a local variable to a value type - struct Vector3 offset = new Vector3 (UnityEngine.Random.Range (-1, 1), 0, 0); // Do stuff with it Vector3 pos = transform.localPosition; pos += offset * Time.deltaTime; transform.localPosition = pos; // Your structs memory will be easily reclaimed as it goes out of scope here }
Gotchas
It is tempting to try to use a struct like an instance of a class, but because it is passed by value, there are several gotchas that are often encountered. Consider the following example:
using UnityEngine; using System.Collections; public class Demo : MonoBehaviour { public Vector3 v1; public Vector3 v2 { get; private set; } void Start () { v1.Set(1,2,3); v1.x = 4; v2.Set(1,2,3); // ** (Note 2) v2.x = 4; // * (Note 1) Debug.Log(v1.ToString()); Debug.Log(v2.ToString()); } }
* (Note 1) This sample won’t compile due to this line. You will get the error, “error CS1612: Cannot modify a value type return value of `Demo.v2′. Consider storing the value in a temporary variable”. The compiler is trying to protect you from a logical error (which I will explain in a minute), and is suggesting that you first get a new struct, modify that new struct, and assign it back.
** (Note 2) This line is far more dangerous because it will compile and run but does not appear to have worked.
If this code were to compile and run, you would see the following output:
(4.0, 2.0, 3.0) (0.0, 0.0, 0.0)
This is NOT what you might have expected. So what’s going on? C# automatically creates a hidden backer property for ‘v2’. When you use the getter (by simply referencing ‘v2’) C# provides a copy of the backer, not the actual backer – remember that this is because structs are passed by value not by reference. In the line marked by Note 2, what is happening is that you get a copy of the backer, modify the copy in place, and then the information is immediately lost because it is not assigned back to anything.
The following example is similar – it illustrates how the concept of a reference type vs a value type is often overlooked and causes problems. Here we hold a reference to a list, which holds references to Vector3’s:
using UnityEngine; using System.Collections; using System.Collections.Generic; public class Demo : MonoBehaviour { void Start () { List<Vector3> coords = new List<Vector3>(); coords.Add( new Vector3(0, 0, 0) ); coords[0].Set(1, 2, 3); coords[0].x = 4; // error CS1612 (see above example and comment out this line to compile) Debug.Log(coords[0].ToString()); // Will be (0.0, 0.0, 0.0) - Not what you expected! } }
In contrast, the following example will work as you expect (or at least as you would have expected before I started scaring / confusing you with the previous examples)
using UnityEngine; using System.Collections; public class Foo { public Vector3 pos; } public class Demo : MonoBehaviour { void Start () { Foo myFoo = new Foo(); myFoo.pos.Set(1, 2, 3); myFoo.pos.x = 4; // no compilation error Debug.Log(myFoo.pos.ToString()); // Will be (4.0, 2.0, 3.0) - As you expect! } }
Why does this example work when the others don’t? The answer is because we have a reference to the ‘myFoo’ object – not a reference to the object’s field. The object holds the struct’s values directly (as a Field) and modifies it directly without a problem.
Had the Foo implemented its Vector3 as a property instead of as a field (even with a specified backing field), it would have been a problem – see the following example:
using UnityEngine; using System.Collections; public class Foo { public Vector3 pos { get { return _pos; } set { _pos = value; } } private Vector3 _pos; } public class Demo : MonoBehaviour { void Start () { Foo myFoo = new Foo(); myFoo.pos.Set(1, 2, 3); myFoo.pos.x = 4; // error CS1612 (see above example and comment out this line to compile) Debug.Log(myFoo.pos.ToString()); // Will be (0.0, 0.0, 0.0) - Not what you expected! } }
Many of these problems are alleviated if you can get into the mindset of treating your structs as “immutable” (this means you never change the values of any fields), or actually make them immutable (if it is your struct).
Summary
In this lesson, we introduced the struct and compared when, where and why you would use one over a class. We showed some of the limitations and gotchas of structs, but also their benefits. Used correctly, structs are a very valuable and efficient tool to add to your programming arsenal.
Hi, sorry to bother you with such an old post, but there’s something I don’t understand. You’re talking about structs but in your examples of “Gotchas”, you don’t use any. Is the Vector3 the struct you are talking about? Thanks in advance 🙂
Yes, Vector3 is a struct not a class. If it were defined as a class then the examples in my “Gotchas” would all have worked without any problem. Note also that the examples in the Gotchas section would apply to the use of any struct.
Does that help?