Version: 5.3 (switch to 5.4b)
Built-in shader variables
GLSL программы шейдеров

Создание программ с несколькими вариантами шейдеров

Довольно часто бывает удобно закрепить большую часть кода шейдера, но также допустить и несколько другие “варианты” шейдера. Это обычно называется “мега шейдеры” или “убер шейдеры”, и достигается путём компилирования кода шейдера несколько раз с разными директивами препроцессора для каждого случая.

In Unity this can be achieved by adding a #pragma multi_compile or #pragma shader_feature directive to a shader snippet. This works in surface shaders too.

В Unity этого можно достигнуть добавлением директивы #pragma multi_compile к сниппету шейдера. На запуске, подходящий шейдер будет выбран из ключевых слов материала (Material.EnableKeyword и DisableKeyword) или из глобальных ключевых слов шейдера (Shader.EnableKeyword и DisableKeyword).

Как работает multi_compile

Директива вроде:

#pragma multi_compile FANCY_STUFF_OFF FANCY_STUFF_ON

Будет производить 2 варианта шейдера: один с назначенной FANCY_STUFF_OFF и другой с FANCY_STUFF_ON. Один из них будет активирован на основе Material или глобальных ключевых слов шейдера. Если ни одно из двух ключевых слов не включено, тогда будет использовано первое (“off”).

В строке multi_compile может быть больше двух ключевых слов. Например, вот этот вариант будет производить 4 варианта шейдера:

#pragma multi_compile SIMPLE_SHADING BETTER_SHADING GOOD_SHADING BEST_SHADING

When any of the names are all underscores, then a shader variant will be produced, with no preprocessor macro defined. This is commonly used for shaders features, to avoid using up two keywords (see notes on keywork limit below). For example, the directive below will produce two shader variants; first one with nothing defined, and second one with FOO_ON defined:

#pragma multi_compile __ FOO_ON

Difference between shader_feature and multi_compile

#pragma shader_feature is very similar to #pragma multi_compile, the only difference is that unused variants of shader_feature shaders will not be included into game build. So shader_feature makes most sense for keywords that will be set on the materials, while multi_compile for keywords that will be set from code globally.

Additionally, it has a shorthand notation with just one keyword:

#pragma shader_feature FANCY_STUFF

Which is just a shortcut for #pragma shader_feature _ FANCY_STUFF, i.e. it expands into two shader variants (first one without the define; second one with it).

Комбинирование нескольких multi_compile строк

Можно использовать несколько multi_compile строк и итоговый шейдер будет скомпилирован для всех возможных комбинаций строк:

#pragma multi_compile A B C
#pragma multi_compile D E

Это будет производить 3 варианта для первой строки и 2 для второй или, в общем, шесть вариантов шейдеров (A+D, B+D, C+D, A+E, B+E, C+E).

Проще считать каждую multi_compile строку предназначенной для единственной “функции” шейдера. Помните, что в таком случае общее число вариантов шейдеров будет расти очень быстро. Например, десять multi_compile функций с двумя опциями на каждую будут производить в сумме 1024 вариантов шейдера!

Ограничение количества ключевых слов

Когда используете вариативность шейдера, то никогда не забывайте, что в Unity есть ограничение до 64-х ключевых слов, и некоторые из них используются внутренне и автоматически вычитаются из максимального числа. Также, ключевые слова глобально включаются целиком на отдельный проект Unity, так что постарайтесь не превысить лимит, когда несколько ключевых слов используются в нескольких разных шейдерах.

Как работает multi_compile

There are several “shortcut” notations for compiling multiple shader variants; they are mostly to deal with different light, shadow and lightmap types in Unity. See rendering pipeline for details.

  • multi_compile_fwdbase compiles all variants needed by ForwardBase (forward rendering base) pass type. The variants deal with different lightmap types and main directional light having shadows on or off.
  • multi_compile_fwdadd compiles variants for ForwardAdd (forward rendering additive) pass type. This compiles variants to handle directional, spot or point light types, and their variants with cookie textures.
  • multi_compile_fwdadd_fullshadows - same as above, but also includes ability for the lights to have realtime shadows.
  • multi_compile_fog expands to several variants to handle different fog types (off/linear/exp/exp2).

Most of the built-in shortcuts result in quite many shader variants. It is possible to skip compiling some of them if you know they are not neeeded, by using #pragma skip_variants. For example:

#pragma multi_compile_fwdadd
// will make all variants containing
// "POINT" or "POINT_COOKIE" be skipped
#pragma skip_variants POINT POINT_COOKIE

Shader Hardware Variants

One common reason to need shader variants is to create fallbacks or simplified shaders to be able to efficiently run on both high and low end hardware within a single target platform - such as OpenGL ES. To provide a specially optimised set of variants for different levels of hardware capability, you can use shader hardware variants.

To enable the generation of shader hardware variants, add #pragma hardware_tier_variants renderer, where renderer is one of the available renderering platforms for shader program pragmas. With this #pragma 3 shader variants will be generated for each shader, regardless of any other keywords. Each variant will have one of the following defined:

UNITY_HARDWARE_TIER1
UNITY_HARDWARE_TIER2
UNITY_HARDWARE_TIER3

You can use these to write conditional fallbacks or extra features for lower or higher end. In the editor you can test any of the tiers by using the Graphics Emulation menu, which allows you to change between each of the tiers.

To help keep the impact of these variants as small as possible, only one set of shaders is ever loaded in the player. In addition, any shaders which end up identical - for example if you only write a specialised version for TIER1 and all others are the same - then these shaders will not take up any extra space on disk.

At load time Unity will examine the GPU that it is using and auto-detect a tier value, with a default fallback to the highest tier if the GPU is not auto-detected. You can override this tier value by setting Shader.globalShaderHardwareTier, however this must be done before any shaders you want to vary are loaded - once the shaders are loaded they will have selected their set of variants and this value will have no effect. A good place to set this would be in a pre-load scene before you load your main scene.

Note that these shader hardware tiers are not related to the quality settings of the player, they are purely detected from the relative capability of the GPU the player is running on.

Смотрите так же

Built-in shader variables
GLSL программы шейдеров