我正在尝试编写一个简单的3D软引擎,但是有一个小问题。

我有一个名为Mesh的类,其中包含顶点和边数据:

struct Vertex { float x, y, z; };
struct Edge { int from, to; };

template <int vs, int es>
class Mesh {
    public:
        Vertex vertices[vs];
        int vSize = vs;
        Edge edges[es];
        int eSize = es;
};


然后是一个名为Cube的派生类,它指定一个多维数据集的顶点和边缘数据(我稍后当然会添加更多形状):

class Cube : public Mesh<8, 12> {
public:
    inline Cube() {
        Vertex v[] = {
            { -1.0f, -1.0f, -1.0f },
            { 1.0f, -1.0f, -1.0f },
            { 1.0f, 1.0f, -1.0f },
            { -1.0f, 1.0f, -1.0f },
            { -1.0f, -1.0f, 1.0f },
            { 1.0f, -1.0f, 1.0f },
            { 1.0f, 1.0f, 1.0f },
            { -1.0f, 1.0f, 1.0f }
        };
        for (int i = 0; i < 8; i++)
            this->vertices[i] = v[i];
        Edge e[] = {
            { 0,1 },{ 1,2 },{ 2,3 },{ 3,0 },
            { 4,5 },{ 5,6 },{ 6,7 },{ 7,4 },
            { 0,4 },{ 1,5 },{ 2,6 },{ 3,7 }
        };
        for (int i = 0; i < 12; i++)
            this->edges[i] = e[i];
    }
};


然后是名为Engine的类,该类具有Mesh父类的数组,该父类应能够容纳Cube和更高版本的Triangle等。

template <int w, int h, int mSize>
class Engine {
    private:
        int width = w;
        int height = h;
        Mesh meshes[mSize]; <-- problem
        int mCount = 0;
        byte fBuffer[w][h];
        byte bBuffer[w][h];
    public:
        inline Engine() {};
        inline void addMesh(Mesh mesh) { this->meshes[this->mCount++] = mesh; }
};


产生此错误:

Engine.h: 19:3: error: invalid use of template-name 'Mesh' without an argument list
    Mesh* meshes = new Mesh[m]

Engine.h: 25:23: error: 'Mesh' is not a type
    inline void addMesh(Mesh mesh) { this->meshes[this->mCount++] = mesh; }


我知道这是因为Mesh meshes[mSize];应该具有Mesh<a, b>值,但是我当然不知道每种可能的Mesh

有什么更好的存储方式?

最佳答案

您无需为此处要实现的目的使用模板。那么,为什么不将您的Mesh.vertices和Mesh.edges声明为std::vectors(例如),并在构造派生对象时将其填充呢?

像这样:

#include <vector>

class Mesh {
public:
    std::vector<Vertex> vertices;
    std::vector<Edge> edges;
};

class Cube : public Mesh {
public:
    Cube() {
        // Following stuff is only allowed since c++11
        // But there's other tricks for vector's initializations before c++11
        this->vertices = {
            { -1.0f, -1.0f, -1.0f },
            { 1.0f, -1.0f, -1.0f },
            { 1.0f, 1.0f, -1.0f },
            { -1.0f, 1.0f, -1.0f },
            { -1.0f, -1.0f, 1.0f },
            { 1.0f, -1.0f, 1.0f },
            { 1.0f, 1.0f, 1.0f },
            { -1.0f, 1.0f, 1.0f }
        };
        this->edges = {
            { 0,1 },{ 1,2 },{ 2,3 },{ 3,0 },
            { 4,5 },{ 5,6 },{ 6,7 },{ 7,4 },
            { 0,4 },{ 1,5 },{ 2,6 },{ 3,7 }
        };
    }
};


请注意,您不需要存储这些向量的大小,因为您可以使用以下方法获得它:std::vector<T>.size()Mesh.edges.size()

创建自己的模板之前,请确保熟悉STL中的模板对象。

(实际上,这里的类应该是结构体...但是我认为这超出了问题的范围...)

10-07 14:42
查看更多