opengl-deferred/types/geometry/geometry.go

79 lines
1.8 KiB
Go
Raw Normal View History

2024-10-11 23:02:12 +00:00
package geometry
import (
"github.com/go-gl/gl/v4.6-core/gl"
2024-10-12 00:22:54 +00:00
"github.com/udhos/gwob"
2024-10-11 23:02:12 +00:00
)
// attributes:
2024-10-12 00:22:54 +00:00
// position 3 * float
// texture 2 * float
// normal 3 * float
2024-10-11 23:02:12 +00:00
type Geometry struct {
vao uint32
vbo uint32
ebo uint32
size int32
}
func (g Geometry) Draw() {
gl.BindVertexArray(g.vao)
gl.BindBuffer(gl.ARRAY_BUFFER, g.vbo)
gl.DrawElementsWithOffset(gl.TRIANGLES, g.size, gl.UNSIGNED_INT, 0)
}
func (g Geometry) Delete() {
gl.DeleteVertexArrays(1, &g.vao)
gl.DeleteBuffers(1, &g.ebo)
gl.DeleteBuffers(1, &g.vbo)
}
2024-10-12 00:22:54 +00:00
func new(coords []float32, indicies []int) (Geometry, error) {
var geometry Geometry
2024-10-11 23:02:12 +00:00
2024-10-12 00:22:54 +00:00
unsignedIndicies := make([]uint32, len(indicies))
for i, v := range indicies {
unsignedIndicies[i] = uint32(v)
2024-10-11 23:02:12 +00:00
}
// vao
gl.GenVertexArrays(1, &geometry.vao)
gl.BindVertexArray(geometry.vao)
// vbo
gl.GenBuffers(1, &geometry.vbo)
gl.BindBuffer(gl.ARRAY_BUFFER, geometry.vbo)
2024-10-12 00:22:54 +00:00
gl.BufferData(gl.ARRAY_BUFFER, len(coords)*4, gl.Ptr(coords), gl.STATIC_DRAW)
2024-10-11 23:02:12 +00:00
// attributes
2024-10-12 00:22:54 +00:00
// position
2024-10-11 23:02:12 +00:00
gl.VertexAttribPointerWithOffset(0, 3, gl.FLOAT, false, 8*4, 0)
gl.EnableVertexAttribArray(0)
2024-10-12 00:22:54 +00:00
// texture
gl.VertexAttribPointerWithOffset(1, 2, gl.FLOAT, false, 8*4, 3*4)
2024-10-11 23:02:12 +00:00
gl.EnableVertexAttribArray(1)
2024-10-12 00:22:54 +00:00
// normal
gl.VertexAttribPointerWithOffset(2, 3, gl.FLOAT, false, 8*4, 5*4)
2024-10-11 23:02:12 +00:00
gl.EnableVertexAttribArray(2)
// ebo
gl.GenBuffers(1, &geometry.ebo)
gl.BindBuffer(gl.ELEMENT_ARRAY_BUFFER, geometry.ebo)
2024-10-12 00:22:54 +00:00
gl.BufferData(gl.ELEMENT_ARRAY_BUFFER, len(unsignedIndicies)*4, gl.Ptr(unsignedIndicies), gl.STATIC_DRAW)
2024-10-11 23:02:12 +00:00
geometry.size = int32(len(indicies))
return geometry, nil
}
2024-10-12 00:22:54 +00:00
func LoadOBJ(path string) (geometries Geometry, err error) {
o, err := gwob.NewObjFromFile(path, &gwob.ObjParserOptions{})
2024-10-11 23:02:12 +00:00
if err != nil {
2024-10-12 00:22:54 +00:00
return geometries, err
2024-10-11 23:02:12 +00:00
}
2024-10-12 00:22:54 +00:00
return new(o.Coord, o.Indices)
2024-10-11 23:02:12 +00:00
}