如何在OpenTK(.Glu.Cylinder)中绘制圆柱体?

时间:2010-11-13 02:22:56

标签: opengl opengl-3 opentk

如何在OpenTK中使用OpenGL绘制圆柱?

2 个答案:

答案 0 :(得分:1)

生成圆柱体的几何图形非常简单(让我们考虑一个Z对齐的圆柱体)。让我使用伪代码:

points = list of (x,y,z)
    where x = sin(a)*RADIUS, y = cos(a)*RADIUS, z = b,
    for each a in [0..2*PI) with step StepA,
    for each b in [0..HEIGHT] with step StepB

关于指数:我们假设N等于圆柱体的“水平”或“切片”的数量(取决于HEIGHT和StepB),M等于点的数量在每个“切片”上(取决于StepA)。

圆柱体包含一些四边形,每个四边形跨越2个相邻切片,因此索引看起来像:

indices = list of (a,b,c,d)
    where a = M * slice + point,
          b = M * slice + (point+1) % M,
          c = (M+1) * slice + (point+1) % M,
          d = (M+1) * slice + point
    for each slice in [0..N-2]
    for each point in [0..M-1]

如果你需要圆柱体的法线,它们很容易生成:

normals = (x/RADIUS,y/RADIUS,0)
    for each (x,y,z) in points

对于气缸的圆形部分来说,你可能也想要“帽子”,但我相信它们很容易做到。

我将留下将我的伪代码翻译成您选择的语言的有趣部分。 :)

其余的是创建/绑定VBO,加载几何体,设置指针,使用你选择的着色器并调用glDrawArrays(...) - 任何OpenGL 3教程都应该涵盖这个;你熟悉那部分吗?

答案 1 :(得分:1)

我的旧项目的示例代码。这会创建一个“无上限”的圆柱体(顶部和底部是空的)。

int segments = 10; // Higher numbers improve quality 
int radius = 3;    // The radius (width) of the cylinder
int height = 10;   // The height of the cylinder

var vertices = new List<Vector3>();
for (double y = 0; y < 2; y++)
{
    for (double x = 0; x < segments; x++)  
    {
        double theta = (x / (segments - 1)) * 2 * Math.PI;

        vertices.Add(new Vector3()
        {
            X = (float)(radius * Math.Cos(theta)),
            Y = (float)(height * y),
            Z = (float)(radius * Math.Sin(theta)),
        });
    }
}

var indices = new List<int>();
for (int x = 0; x < segments - 1; x++)
{
    indices.Add(x);
    indices.Add(x + segments);
    indices.Add(X + segments + 1);

    indices.Add(x + segments + 1);
    indices.Add(x + 1);
    indices.Add(x);
}

您现在可以像这样渲染圆柱体:

GL.Begin(BeginMode.Triangles);
foreach (int index in indices)
    GL.Vertex3(vertices[index]);
GL.End();

您还可以将顶点和索引上传到顶点缓冲区对象中以提高性能。