开发者

Is there a way to do this?

开发者 https://www.devze.com 2023-01-06 18:15 出处:网络
Here is my issue. I have a std::vector<POINTFLOAT> Which stores verticies. The issue is that Vertex buffer objects take in a pointer to an array of float. Therein lies my problem. I cannot give

Here is my issue. I have a std::vector<POINTFLOAT> Which stores verticies. The issue is that Vertex buffer objects take in a pointer to an array of float. Therein lies my problem. I cannot give it an array of pointfloat. Is there a way that I could instead push pointers to the individual components of each vertex without pushing in copies?

basically instead of it being:

vec[0].x
vec[0].y
vec[1].x
vec[1].y

It becomes

newvec[0]
newvec[1]
newvec[2]
newvec[3]

I thought of making a std::vector<float*> but I don't think opengl would like this. Is there a way to do this without copying data?

Thanks

Instead of having to copy data 开发者_如何学JAVAfor point.x, point.y, I want OpenGL to get its data from the original vector so basically when openGL would get vec[0] it would actually get pointvec[0].x but it needs to act like when passing by reference, no pointed members

so Opengl cant do *vec[0]


You can write something like this, ie you have a std::vector which you fill with vertices, and then you call a function (eg an openGL function) which takes a float*. Is that what you want?

void some_function(float* data)
{

}

...

std::vector<float> vec;
vec.push_back(1.2); // x1
vec.push_back(3.4); // y1
vec.push_back(5.6); // x2
vec.push_back(7.8); // y2

some_function(&vec[0]);

EDIT: This will also work, because the floats are laid out the same in memory:

struct POINTFLOAT
{
    float x;
    float y;
};

void some_function(float* data)
{

}

...

std::vector<POINTFLOAT> vec;
vec.resize(2);
vec[0].x = 1.2; // x1
vec[0].y = 3.4; // y1
vec[1].x = 5.6; // x2
vec[1].y = 7.8; // y2

some_function((float*)(&vec[0]));


I think you mean std::vector<float>, not std::vector<float*>; a vector of pointers to floats is something different, and while I'm not intimately familiar with OpenGL VBO's, I assume they want an array of floats, not an array of pointers.

The only proper solution is to change your std::vector<POINTFLOAT> into a std::vector<float>. However, that's kind of obvious, so I assume the reason you asked is that you don't want to do that. If you wanted a hacky way around this, you could do:

std::vector<POINTFLOAT> v;
v.push_back(2.3);
v.push_back(3.4);
v.push_back(4.5);
v.push_back(5.6);
float* p = reinterpret_cast<float*>(&v[0]);

But that is a wee bit awful; among other things it relies on the internal layout of your POINTFLOAT class (which I assume is just storing an x and y coordinate?). reinterpret_cast pretty much screams hack, so you really should change the type of the vector if at all possible...

0

精彩评论

暂无评论...
验证码 换一张
取 消