This probably should go in Advanced/ Beginners help.
Don't make your own class to draw a model. Reuse Irrlicht's behaviors. Also put everything into an irrlicht array, don't use C style arrays (unless you really know what you're doing).
The Irrlicht API should be your bible.
if you look at ISceneNode, there are many different scene nodes to model your functionally from.
I've written a class, and an example loop, that contains multiple animated meshes. I think that's something you wanted:
Code: Select all
/*
* mySceneNode.h
* creates a custom scene node
*/
#if defined(__APPLE__) || defined(MACOSX)
#include <Irrlicht/irrlicht.h>
#else
#include "irrlicht.h"
#endif
using namespace irr;
#ifndef _MY_SCENE_NODE_H_
#define _MY_SCENE_NODE_H_
class MySceneNode : public scene::ISceneNode {
//private:
protected:
// list of different meshes
core::array<scene::IAnimatedMeshSceneNode*> meshs;
// collision detection, visibility etc.
core::aabbox3d<irr::f32> boundingBox;
public:
MySceneNode(scene::ISceneNode* parent, scene::ISceneManager* smgr, s32 id) :
scene::ISceneNode(parent, smgr, id)
{
// add first mesh
scene::IAnimatedMesh * meshData = smgr->getMesh("mesh1.b3d");
// parent new mesh to this one
scene::IAnimatedMeshSceneNode* mesh1 = smgr->addAnimatedMeshSceneNode(meshData, this);
mesh1->setIsDebugObject(true);
boundingBox.addInternalBox (mesh1->getBoundingBox());
// add other meshes here
};
// deconstructor
~MySceneNode() {
};
virtual const core::aabbox3d<irr::f32>& getBoundingBox() const
{
return boundingBox;
}
virtual void render () {
}
};
#endif
/* in main.cpp
*
*/
core::array<MySceneNode*> ModelsToDraw;
ModelsToDraw.push_back(new MySceneNode(smgr->getRootSceneNode(), smgr, -1));
ModelsToDraw.push_back(new MySceneNode(smgr->getRootSceneNode(), smgr, -1));
for(u32 i = 0; i < ModelsToDraw.size(); i++)
{
// put your loop stuff in here.
// I'd recommend not doing that, instead put the node specific behavior in a function called onAnimate(),
// this will make it easy to code later on. If your code requires all the custom nodes to interact, create a
// custom map scene node, or world scene node that contains the MySceneNodes as children.
}
I hope this answers your question.