I have a scene graph where I have:
class Node
{
public:
struct
{
COLLISION_TYPE collisionType;
void* boundingVolume;
}collisionData;
struct
{
XMFLOAT3 position;
XMFLOAT3 rotation;
}leafData;
Node(Model* representModel, Node* parentNode)
{
this->parentNode = parentNode;
this->representModel = representModel;
this->collisionData.collisionType = representModel->collisionDataDefault.collisionType;
this->collisionData.boundingVolume = &representModel->collisionDataDefault.boundingVolumeDefault;
};
~Node()
{
};
std::vector< std::vector<XMFLOAT3*> > GetChildTransformStream()
{
};
void Transform(XMMATRIX *world)
{
};
Model* representModel;
Node* parentNode;
std::vector<Node*> childNodes;
};
So in the method Transform I want to transform the coordinates of the node and those of all it's children,so I have to first get a list of all the children with GetChildTransformStream,but I don't know how to traverse it,since it can have any number of childnodes and they can have any number of childnodes and so on.How do you usually handle this?
One simple way to do a tree traversal is to use a stack. Push all children nodes on the stack, pop each child node, push it's children on the stack, process it, etc.
Edit: note that Chac's answer is just a special case of this. There, the stack that is used to store the traversal state is actually the function call stack.
Edit: source code outlining a typical tree traversal using a stack.