我尝试使用此Nehe Loadraw
在opengl中创建带纹理的多边形GLuint LoadTextureRAW( const char * filename, int wrap )
{
GLuint texture;
int width, height;
Byte * data;
FILE * file;
// open texture data
file = fopen( "Data/raw.raw", "rb" );
if ( file == NULL ) return 0;
// allocate buffer
width = 256;
height = 256;
data = malloc( width * height * 3 );
// read texture data
fread( data, width * height * 3, 1, file );
fclose( file );
// allocate a texture name
glGenTextures( 1, &texture );
// select our current texture
glBindTexture( GL_TEXTURE_2D, texture );
// select modulate to mix texture with color for shading
glTexEnvf( GL_TEXTURE_ENV, GL_TEXTURE_ENV_MODE, GL_MODULATE );
// when texture area is small, bilinear filter the closest MIP map
glTexParameterf( GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER,
GL_LINEAR_MIPMAP_NEAREST );
// when texture area is large, bilinear filter the first MIP map
glTexParameterf( GL_TEXTURE_2D, GL_TEXTURE_MAG_FILTER, GL_LINEAR );
// if wrap is true, the texture wraps over at the edges (repeat)
// ... false, the texture ends at the edges (clamp)
glTexParameterf( GL_TEXTURE_2D, GL_TEXTURE_WRAP_S,
wrap ? GL_REPEAT : GL_CLAMP );
glTexParameterf( GL_TEXTURE_2D, GL_TEXTURE_WRAP_T,
wrap ? GL_REPEAT : GL_CLAMP );
// build our texture MIP maps
gluBuild2DMipmaps( GL_TEXTURE_2D, 3, width,
height, GL_RGB, GL_UNSIGNED_BYTE, data );
// free buffer
free( data );
return texture;
}
然后创建多边形 texture = LoadTextureRAW(“texture.raw”,TRUE);
glEnable( GL_TEXTURE_2D );
glBindTexture( GL_TEXTURE_2D, texture );
glTexParameteri( GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER, GL_LINEAR );
glTexParameteri( GL_TEXTURE_2D, GL_TEXTURE_MAG_FILTER, GL_LINEAR );
glBegin( GL_POLYGON );
glVertex3f( -42.0f, -42.0f, 0.0f );
glTexCoord2f( 0.0f, 0.0f );
glVertex3f( 42.0f, -42.0f, 0.0f );
glTexCoord2f( 1.0f, 0.0f );
glVertex3f( 42.0f, 42.0f, 0.0f );
glTexCoord2f( 1.0f, 1.0f );
glVertex3f( -42.0f, 42.0f, 0.0f );
glTexCoord2f( 0.0f, 1.0f );
glEnd();
如何更改它以加载任何尺寸的图像,不仅是2的幂,而是使用纹理的边创建多边形而不是坐标
答案 0 :(得分:2)
你问过几个不同的问题。
RAW实际上不是“图像格式”,而是图像数据的二进制转储。 RAW图像不包含有关它们有多大的信息(或者它们是什么格式)。你应该通过其他方式知道它有多大。
您需要做的是使用适当的image loading library来加载真实的图片格式。其中一些只是通用的图像加载器,但其他的设计用于与OpenGL集成,可以自动为您创建纹理。
正确的图像加载器具有API,可以告诉您图像的大小(以及格式信息)。
请注意,OpenGL 2.0及更高版本支持非二次幂图像。 gluBuild2DMipmaps
没有!至少,不正确。 gluBuild2DMipmaps
将尝试将任何非二次幂图像缩放为二次幂。所以你需要使用实际的OpenGL调用(GLU实际上不是OpenGL的一部分。它位于GL之上),如glTexImage2D
。
This answer提供了此过程所需的所有信息。