I'm building a small game with SDL. I've a class GameObject
which is the main class for representing objects in my game. The different behaviors are solved my components you can inject from the outside:
#include "Input.h"
class GameObject
{
public:
void setInput(Input* input)
{
input->setGameObject(this);
this->input = input;
}
}
class GameObject; // cannot #include "GameObject.h"
class Input
{
private:
GameObject* object;
public:
void update(float elapsedTime)
{
// do fancy stuff on the GameObject object
}
void setGameObject(GameObject* object)
{
this->object = object;
}
}
The Input
class has to work on the GameObject
instance. I have a cyclic reference now which is not a good idea I guess?
Edit: I adjusted my example to make it clearer. I have some of these components like the Input
class and I've to use this class GameObject;
statement since I cannot include the header file.
So if I understood it correctly I've a cyclic reference!? To solve that I would have to use an interface and add this to setGameObject(InputInterface* object)
. But I cannot predict what functions/member are needed for access of the GameObject
because there are different components used (e.g. PlayerInput
, DemoInput
, AiInput
, ...).
It seems you're using raw pointers (personally I think this is a bad idea), so I see no problem in having this cyclic reference, just remember to check for null.
If you were using smarter pointer types, in this case you would use a strong reference in one direction (the one that "contains" the other) and a weak reference in the other (the one that only needs a way to communicate).
For example, your game object probably owns the input mechanism; but the input mechanism just needs a way to communicate the input to the game object.
See: http://en.cppreference.com/w/cpp/memory/weak_ptr
Also, check if your input really needs a hold on the whole game object, or just some object that has certain interface. In that case, event mechanisms or the delegate pattern could help you remove some hard dependencies.