|
| БЕСПЛАТНАЯ ежедневная online лотерея! Выигрывай каждый день БЕСПЛАТНО! |
|
|
glTexParameterf, glTexParameteri, glTexParameterfv, glTexParameteriv
These functions set texture parameters.
void glTexParameterf( GLenum target, GLenum pname, GLfloat param ); void glTexParameteri( GLenum target, GLenum pname, GLint param );
Parameters
target
Specifies the target texture, which must be either GL_TEXTURE_1D or GL_TEXTURE_2D.
pname
Specifies the symbolic name of a single-valued texture parameter. pname can be one of the following: GL_TEXTURE_MIN_FILTER, GL_TEXTURE_MAG_FILTER, GL_TEXTURE_WRAP_S, or GL_TEXTURE_WRAP_T.
param
Specifies the value of pname.
void glTexParameterfv( GLenum target, GLenum pname, const GLfloat *params ); void glTexParameteriv( GLenum target, GLenum pname, const GLint *params );
Parameters
target
Specifies the target texture, which must be either GL_TEXTURE_1D or GL_TEXTURE_2D.
pname
Specifies the symbolic name of a texture parameter.The pname parameter can be one of the following: GL_TEXTURE_MIN_FILTER, GL_TEXTURE_MAG_FILTER, GL_TEXTURE_WRAP_S, GL_TEXTURE_WRAP_T, or GL_TEXTURE_BORDER_COLOR.
params
Specifies a pointer to an array where the value or values of pname are stored.
Remarks
Texture mapping is a technique that applies an image onto an object's surface as if the image were a decal or cellophane shrink-wrap. The image is created in texture space, with an (s, t) coordinate system. A texture is a one- or two-dimensional image and a set of parameters that determine how samples are derived from the image. The glTexParameter function assigns the value or values in params to the texture parameter specified as pname. target defines the target texture, either GL_TEXTURE_1D or GL_TEXTURE_2D. The following symbols are accepted in pname:
GL_TEXTURE_MIN_FILTER
The texture minifying function is used whenever the pixel being textured maps to an area greater than one texture element. There are six defined minifying functions. Two of them use the nearest one or nearest four texture elements to compute the texture value. The other four use mipmaps. A mipmap is an ordered set of arrays representing the same image at progressively lower resolutions. If the texture has dimensions 2^nx2^m there are max(n, m) + 1 mipmaps. The first mipmap is the original texture, with dimensions 2^nx2^m. Each subsequent mipmap has dimensions 2^k (-1) x2^l (-1) where 2^kx2^l are the dimensions of the previous mipmap, until either k = 0 or l = 0. At that point, subsequent mipmaps have dimension 1x2^l-1 or 2^k-1x1 until the final mipmap, which has dimension 1x1. Mipmaps are defined using glTexImage1D or glTexImage2D with the level-of-detail argument indicating the order of the mipmaps. Level 0 is the original texture; level bold max(n, m) is the final 1x1 mipmap.
The params parameter supplies a function for minifying the texture as one of the following:
GL_NEAREST
Returns the value of the texture element that is nearest (in Manhattan distance) to the center of the pixel being textured.
GL_LINEAR
Returns the weighted average of the four texture elements that are closest to the center of the pixel being textured. These can include border texture elements, depending on the values of GL_TEXTURE_WRAP_S and GL_TEXTURE_WRAP_T, and on the exact mapping.
GL_NEAREST_MIPMAP_NEAREST
Chooses the mipmap that most closely matches the size of the pixel being textured and uses the GL_NEAREST criterion (the texture element nearest to the center of the pixel) to produce a texture value.
GL_LINEAR_MIPMAP_NEAREST
Chooses the mipmap that most closely matches the size of the pixel being textured and uses the GL_LINEAR criterion (a weighted average of the four texture elements that are closest to the center of the pixel) to produce a texture value.
GL_NEAREST_MIPMAP_LINEAR
Chooses the two mipmaps that most closely match the size of the pixel being textured and uses the GL_NEAREST criterion (the texture element nearest to the center of the pixel) to produce a texture value from each mipmap. The final texture value is a weighted average of those two values.
GL_LINEAR_MIPMAP_LINEAR
Chooses the two mipmaps that most closely match the size of the pixel being textured and uses the GL_LINEAR criterion (a weighted average of the four texture elements that are closest to the center of the pixel) to produce a texture value from each mipmap. The final texture value is a weighted average of those two values.
As more texture elements are sampled in the minification process, fewer aliasing artifacts will be apparent. While the GL_NEAREST and GL_LINEAR minification functions can be faster than the other four, they sample only one or four texture elements to determine the texture value of the pixel being rendered and can produce moire patterns or ragged transitions. The default value of GL_TEXTURE_MIN_FILTER is GL_NEAREST_MIPMAP_LINEAR.
GL_TEXTURE_MAG_FILTER
The texture magnification function is used when the pixel being textured maps to an area less than or equal to one texture element. It sets the texture magnification function to either of the following:
GL_NEAREST
Returns the value of the texture element that is nearest (in Manhattan distance) to the center of the pixel being textured.
GL_LINEAR
Returns the weighted average of the four texture elements that are closest to the center of the pixel being textured. These can include border texture elements, depending on the values of GL_TEXTURE_WRAP_S and GL_TEXTURE_WRAP_T, and on the exact mapping. GL_NEAREST is generally faster than GL_LINEAR, but it can produce textured images with sharper edges because the transition between texture elements is not as smooth. The default value of GL_TEXTURE_MAG_FILTER is GL_LINEAR.
GL_TEXTURE_WRAP_S
Sets the wrap parameter for texture coordinate s to either GL_CLAMP or GL_REPEAT. GL_CLAMP causes s coordinates to be clamped to the range [0,1] and is useful for preventing wrapping artifacts when mapping a single image onto an object. GL_REPEAT causes the integer part of the s coordinate to be ignored; the GL uses only the fractional part, thereby creating a repeating pattern. Border texture elements are accessed only if wrapping is set to GL_CLAMP. Initially, GL_TEXTURE_WRAP_S is set to GL_REPEAT.
GL_TEXTURE_WRAP_T
Sets the wrap parameter for texture coordinate t to either GL_CLAMP or GL_REPEAT. See the discussion under GL_TEXTURE_WRAP_S. Initially, GL_TEXTURE_WRAP_T is set to GL_REPEAT.
GL_TEXTURE_BORDER_COLOR
Sets a border color. The params parameter contains four values that comprise the RGBA color of the texture border. Integer color components are interpreted linearly such that the most positive integer maps to 1.0, and the most negative integer maps to -1.0. The values are clamped to the range [0,1] when they are specified. Initially, the border color is (0, 0, 0, 0).
Suppose texturing is enabled (by calling glEnable with argument GL_TEXTURE_1D or GL_TEXTURE_2D) and GL_TEXTURE_MIN_FILTER is set to one of the functions that requires a mipmap. If either the dimensions of the texture images currently defined (with previous calls to glTexImage1D or glTexImage2D) do not follow the proper sequence for mipmaps, or there are fewer texture images defined than are needed, or the set of texture images have differing numbers of texture components, then it is as if texture mapping were disabled.
Linear filtering accesses the four nearest texture elements only in 2-D textures. In 1-D textures, linear filtering accesses the two nearest texture elements. The following functions retrieve information related to the glTexParameterf, glTexParameteri, glTexParameterfv, and glTexParameteriv functions: glGetTexParameter glGetTexLevelParameter
Errors
GL_INVALID_ENUM is generated when target or pname is not one of the accepted defined values, or when params should have a defined constant value (based on the value of pname) and does not. GL_INVALID_OPERATION is generated if glTexParameter is called between a call to glBegin and the corresponding call to glEnd.
See Also
glTexEnv, glTexImage1D, glTexImage2D, glTexGen
| Пригласи друзей и счет твоего мобильника всегда будет положительным! |
| Пригласи друзей и счет твоего мобильника всегда будет положительным! |
glTexParameterf, glTexParameteri, glTexParameterfv, glTexParameteriv
Эти функции были установлены параметры текстуры.
пустота glTexParameterf( цель GLenum, GLenum pname, GLfloat param ); пустота glTexParameteri( цель GLenum, GLenum pname, БЛЕСК param );
Параметры
цель
Определяет целевую текстуру, которая должна быть или GL_TEXTURE_1D или GL_TEXTURE_2D.
pname
Определяет, что символическое имя однозначной текстуры parameter. pname может быть одним из следующего: GL_TEXTURE_MIN_FILTER, GL_TEXTURE_MAG_FILTER, GL_TEXTURE_WRAP_S, или GL_TEXTURE_WRAP_T.
param
Определяет величину pname.
пустота glTexParameterfv( цель GLenum, GLenum pname, const GLfloat *params ); пустота glTexParameteriv( цель GLenum, GLenum pname, const БЛЕСК *params );
Параметры
цель
Определяет целевую текстуру, которая должна быть или GL_TEXTURE_1D или GL_TEXTURE_2D.
pname
Определяет символическое имя параметра текстуры.Параметр pname может быть одним из следующего: GL_TEXTURE_MIN_FILTER, GL_TEXTURE_MAG_FILTER, GL_TEXTURE_WRAP_S, GL_TEXTURE_WRAP_T, или GL_TEXTURE_BORDER_COLOR.
params
Определяет указатель в массив где величина или величины pname сохранены.
Замечания
Распределение Текстуры является техникой, которая прилагает образ на объектной поверхности как будто образ были переводной картинкой или целлофановое уменьшение-завертывается. Образ создан в пространстве текстуры, с системой координат (s, t). Текстура - один- или двумерный образ и набор параметров, которые определяют как образцы производные от образа. Функция glTexParameter назначает величину или оценивается в params в параметр текстуры определенный как pname. цель определяет целевую текстуру, или GL_TEXTURE_1D или GL_TEXTURE_2D. следующие символы приняты в pname:
GL_TEXTURE_MIN_FILTER
Текстура minifying функция использована всякий раз, когда пиксель textured карты в область больше, чем один элемент текстуры. Есть шесть определенное minifying функции. Два их использовать ближайший или ближайшие четыре элемент текстуры, чтобы вычислять величину текстуры. Другие четыре используют mipmaps. mipmap - заказанный набор подготавливает представлять того же образа в прогрессивно более низких решении. Если текстура имеет измерения 2^nx2^m есть max(n, m) + 1 mipmaps. Первый mipmap - оригинальная текстура, с измерениями 2^nx2^m. Каждый последующий mipmap имеет измерения 2^k (-1) x2^l (-1) где 2^kx2^l - измерения предшествующего mipmap, до или k = 0 или l = 0. В этой точке, последующие mipmaps иметь измерение 1x2^l-1 или 2^k-1x1 до конечного mipmap, которая имеет измерение 1x1. Mipmaps Определены используя glTexImage1D или glTexImage2D с уровнем--подробного аргумента, указывающего порядок mipmaps. Выровняйте 0 - оригинальная текстура; жирный шрифт уровня max(n, m), - финал 1x1 mipmap.
params Параметр поставляет функцию чтобы minifying текстуру как одно из следующего:
GL_NEAREST
Возвращает величину элемента текстуры, которая ближайшая (в Манхэттене расстояния) в центр пикселя textured.
GL_LINEAR
Возвращает среднее взвешенное четырех элементов текстуры, которая ближайшая в центре пикселя textured. Эти могут включить граничные элементы текстуры, в зависимости от величин GL_TEXTURE_WRAP_S и GL_TEXTURE_WRAP_T, и в точном распределении.
GL_NEAREST_MIPMAP_NEAREST
Выбирает mipmap, что большинство тесно спичек размер пикселя textured и использует критерий GL_NEAREST ( элемент текстуры ближайший в центр пикселя), чтобы производить величину текстуры.
GL_LINEAR_MIPMAP_NEAREST
Выбирает mipmap, что большинство тесно спичек размер пикселя textured и использует критерий GL_LINEAR ( среднее взвешенное четырех элементов текстуры, которая ближайшая в центре пикселя), чтобы производить величину текстуры.
GL_NEAREST_MIPMAP_LINEAR
Выбирает два mipmaps, что наиболее тесно спичка размер пикселя textured и использует критерий GL_NEAREST ( элемент текстуры ближайший в центр пикселя), чтобы производить величину текстуры из каждого mipmap. Конечная величина текстуры является средним взвешенным тех двух величин.
GL_LINEAR_MIPMAP_LINEAR
Выбирает два mipmaps, что наиболее тесно спичка размер пикселя textured и использует критерий GL_LINEAR ( среднее взвешенное четырех элементов текстуры, которая ближайшая в центре пикселя), чтобы производить величину текстуры из каждого mipmap. Конечная величина текстуры является средним взвешенным тех двух величин.
Так как более элементы текстуры - sampled в процессе миниатюризации, меньший эффект наложения артефактов будет явным. Пока GL_NEAREST и функции миниатюризации GL_LINEAR могут быть быстрее чем другие четыре, они образец только один или четыре элемента текстуры, чтобы определять величину текстуры пикселя, предоставлявшего и может произвести муаровые образцы или неровные переходы. Значение по умолчанию GL_TEXTURE_MIN_FILTER - GL_NEAREST_MIPMAP_LINEAR.
GL_TEXTURE_MAG_FILTER
Функция увеличения текстуры использована когда пиксель textured карты в область менее чем или равный одному элементу текстуры. Это устанавливает функцию увеличения текстуры в любое из следующего:
GL_NEAREST
Возвращает величину элемента текстуры, которая ближайшая (в Манхэттене расстояния) в центр пикселя textured.
GL_LINEAR
Возвращает среднее взвешенное четырех элементов текстуры, которая ближайшая в центре пикселя textured. Эти могут включить граничные элементы текстуры, в зависимости от величин GL_TEXTURE_WRAP_S и GL_TEXTURE_WRAP_T, и в точном распределении. GL_NEAREST - обычно быстрее чем GL_LINEAR, но это может произвести textured образы с острыми краями поскольку переход между элементами текстуры - не как плавный. Значение по умолчанию GL_TEXTURE_MAG_FILTER - GL_LINEAR.
GL_TEXTURE_WRAP_S
Устанавливает завертывать параметр для координаты текстуры s на или GL_CLAMP или GL_REPEAT. GL_CLAMP заставляет s, чтобы быть скрепленн в дипазон [0,1] и полезное для предотвращения, завертывающего артефактов при распределении единственного образа на объект. GL_REPEAT вызывает часть целого s координаты, которая нужно игнорироваться; GL использует только дробную часть, этим самым создавая повторяющийся образец. Граничные элементы текстуры доступны только если обертка установлена на GL_CLAMP. Первоначально, GL_TEXTURE_WRAP_S установлен на GL_REPEAT.
GL_TEXTURE_WRAP_T
Устанавливает завертывать параметр для координаты текстуры t на или GL_CLAMP или GL_REPEAT. Смотри дискуссию под GL_TEXTURE_WRAP_S. Первоначально, GL_TEXTURE_WRAP_T установлен на GL_REPEAT.
GL_TEXTURE_BORDER_COLOR
Устанавливает граничный цвет. params Параметр содержит четыре величины, которые включают цвет RGBA границы текстуры. Цветные компоненты Целого интерпретируются линейно так что наиболее положительное целое отображается на 1.0, и отрицательные карты целого, чтобы -1.0. Величины скреплены в дипазон [0,1] когда они определены. Первоначально, граничный цвет - (0, 0, 0, 0).
Полагайте что texturing приспособлен (вызывая glEnable с аргументом GL_TEXTURE_1D или GL_TEXTURE_2D) и GL_TEXTURE_MIN_FILTER установлен в одну из функций, которые требуют mipmap. Если или измерения образов текстуры к настоящему времени определенной (с предшествующими вызовами на glTexImage1D или glTexImage2D), не следуют за соответствующей последовательностью для mipmaps, или есть меньшие образы текстуры определенные чем - нужно, или набор образов текстуры имеет отличаясь номера компонентов текстуры, тогда он - как будто распределение текстуры было выведено из строя.
Линейная фильтрация имеет доступ к четырем ближайшим элементам текстуры только в 2-текстурах D. В 1-текстурах D, линейная фильтрация имеет доступ к двум ближайшим элементам текстуры. Следующее функций извлекает информацию имело отношение к glTexParameterf, glTexParameteri, glTexParameterfv, и функциям glTexParameteriv: glGetTexParameter glGetTexLevelParameter
Ошибки
GL_INVALID_ENUM сгенерирован когда цель или pname - не одна из допустимых определенных величин, или когда params должно иметь определенную постоянную величину (основанное в величине pname) и нет. GL_INVALID_OPERATION сгенерирован если glTexParameter назван между вызовом на glBegin и соответствующий вызов на glEnd.
Смотри Также
glTexEnv, glTexImage1D, glTexImage2D, glTexGen
| |
|
|
| |