diff --git a/README.md b/README.md index a6200dd97..fb49528dc 100644 --- a/README.md +++ b/README.md @@ -94,4 +94,4 @@ git config --global core.symlinks true -*Auto-generated on Wed Oct 15 14:06:35 UTC 2025* +*Auto-generated on Wed Oct 22 05:43:29 UTC 2025* diff --git a/com.unity.toon-graphics-test/Editor/README_UnityToonShaderGenerator.md b/com.unity.toon-graphics-test/Editor/README_UnityToonShaderGenerator.md new file mode 100644 index 000000000..8826a89f0 --- /dev/null +++ b/com.unity.toon-graphics-test/Editor/README_UnityToonShaderGenerator.md @@ -0,0 +1,83 @@ +# Unity Toon Shader Generator + +This tool helps maintain consistency between `UnityToon.shader` and `UnityToonTessellation.shader` by using a single source of truth for shared properties. + +## Files + +- **CommonProperties.shaderblock**: Plain text list of shared property definitions (no Shader wrapper) with original comments preserved (`Packages/com.unity.toonshader/Runtime/Shaders/Common/Parts/`) +- **TessellationProperties.shaderblock**: Plain text list of tessellation-only property definitions (no Shader wrapper) (`Packages/com.unity.toonshader/Runtime/Shaders/Common/Parts/`) +- **ShaderGenerator.cs**: Unity Editor script (now located in the graphics test package) that generates the shader files from the property assets + +## How to Use + +1. **Edit Properties**: + - Modify the plain-text part files under `Packages/com.unity.toonshader/Runtime/Shaders/Common/Parts/` + - The files contain only property declarations, so standard ShaderLab property syntax applies + +2. **Generate Shader Files**: + - In Unity, choose `Toon Shader > Generate Shader Files` + - The tool will automatically: + - Replace the Properties blocks in both shader files + - Preserve all other shader content (HLSLINCLUDE, SubShaders, etc.) + +## Property File Format + +Each property file is plain text containing only property declarations, e.g. + +``` +// Comments are preserved +[HideInInspector] _simpleUI ("SimpleUI", Int ) = 0 +[Enum(OFF, 0, ON, 1)] _isUnityToonshader("Material is touched by Unity Toon Shader", Int) = 1 +_BaseColor ("BaseColor", Color) = (1,1,1,1) +``` + +You can use the usual ShaderLab property syntax, including comments and blank lines. The generator indents/layers them into the target shaders automatically. + +## Benefits + +- **Single Source of Truth**: All shared properties are defined in one place +- **Consistency**: Ensures both shader files have identical shared properties +- **Maintainability**: Easy to add, remove, or modify properties across both shaders +- **Preservation**: All non-Properties content and comments are preserved during generation +- **Comment Preservation**: All original comments from the Properties blocks are maintained +- **Traceability**: Each generated shader receives an `//Auto-generated on ...` timestamp banner at the top + +## Manual Generation (Alternative) + +If you prefer to generate shaders manually, you can run the Python helper from the repository root: + +```bash +cd /workspace +python3 generate_UnityToon.py +``` + +Convenience launchers are provided as `generate_UnityToon.sh` and `generate_UnityToon.bat`. + +## Troubleshooting + +- **Properties block not found**: Ensure the shader files have a valid `Properties { }` block +- **File not found errors**: Check that the property files exist in the correct paths +- **Generation fails**: Check the Unity Console for detailed error messages + +## File Structure + +``` +com.unity.toon-graphics-test/ +└── Editor/ + ├── UnityToonShaderGenerator.cs # Unity Editor script + ├── UnityToonShaderGeneratorTest.cs # Editor test harness + └── README_UnityToonShaderGenerator.md # This file + +com.unity.toonshader/Runtime/Shaders/Common/Parts/ +├── CommonProperties.shaderblock # Shared properties (plain text) +└── TessellationProperties.shaderblock # Tessellation-specific properties (plain text) + +com.unity.toonshader/Runtime/Integrated/Shaders/ +├── UnityToon.shader # Generated shader (regular) +└── UnityToonTessellation.shader # Generated shader (tessellation) + +generate_UnityToon.py # Python generator (root) +test_generate_UnityToon.py # Python smoke test (root) +test_shader_generation.cs # .NET console smoke test (root) +generate_UnityToon.sh / .bat # Platform launchers for the Python generator +``` \ No newline at end of file diff --git a/com.unity.toon-graphics-test/Editor/README_UnityToonShaderGenerator.md.meta b/com.unity.toon-graphics-test/Editor/README_UnityToonShaderGenerator.md.meta new file mode 100644 index 000000000..26f96f5e8 --- /dev/null +++ b/com.unity.toon-graphics-test/Editor/README_UnityToonShaderGenerator.md.meta @@ -0,0 +1,7 @@ +fileFormatVersion: 2 +guid: e9a589e209c6b3f4d9e837a2a38b0c6a +TextScriptImporter: + externalObjects: {} + userData: + assetBundleName: + assetBundleVariant: diff --git a/com.unity.toon-graphics-test/Editor/UnityToonShaderGenerator.cs b/com.unity.toon-graphics-test/Editor/UnityToonShaderGenerator.cs new file mode 100644 index 000000000..5bca3e105 --- /dev/null +++ b/com.unity.toon-graphics-test/Editor/UnityToonShaderGenerator.cs @@ -0,0 +1,492 @@ +using System; +using System.Collections.Generic; +using System.Globalization; +using System.IO; +using System.Text; +using System.Text.RegularExpressions; +using UnityEngine; + +namespace UnityEditor.Rendering.Toon +{ + /// + /// Shader generator for Unity Toon Shader that creates shader files from common properties. + /// This helps maintain consistency between UnityToon.shader and UnityToonTessellation.shader + /// by using a single source of truth for shared properties. + /// + public static class UnityToonShaderGenerator + { + private static readonly Regex PropertyNameRegex = new Regex(@"(?:\]\s*|^)([A-Za-z_][A-Za-z0-9_]*)\s*\(", RegexOptions.Compiled); + private const string COMMON_PROPERTIES_PATH = "Packages/com.unity.toonshader/Runtime/Shaders/Common/Parts/CommonProperties.shaderblock"; + private const string TESSELATION_PROPERTIES_PATH = "Packages/com.unity.toonshader/Runtime/Shaders/Common/Parts/TessellationProperties.shaderblock"; + private const string UNITY_TOON_SHADER_PATH = "Packages/com.unity.toonshader/Runtime/Integrated/Shaders/UnityToon.shader"; + private const string UNITY_TOON_SHADER_TEMPLATE_PATH = "Packages/com.unity.toonshader/Runtime/Shaders/Common/Parts/UnityToon.shadertemplate"; + private const string UNITY_TOON_TESSELATION_SHADER_PATH = "Packages/com.unity.toonshader/Runtime/Integrated/Shaders/UnityToonTessellation.shader"; + private const string UNITY_TOON_TESSELATION_SHADER_TEMPLATE_PATH = "Packages/com.unity.toonshader/Runtime/Shaders/Common/Parts/UnityToonTessellation.shadertemplate"; + + [MenuItem("Toon Shader/Generate Shader Files")] + public static void GenerateShaderFilesMenu() + { + GenerateShaderFiles(); + } + + private static void GenerateShaderFiles() + { + GenerateShaderFilesInternal(); + } + + private static void GenerateShaderFilesInternal() + { + try + { + // Read common properties + string commonPropertiesShader = ReadFile(COMMON_PROPERTIES_PATH); + if (string.IsNullOrEmpty(commonPropertiesShader)) + { + Debug.LogError($"Failed to read common properties from {COMMON_PROPERTIES_PATH}"); + return; + } + string commonProperties = ExtractPropertiesBlockContent(commonPropertiesShader); + if (string.IsNullOrEmpty(commonProperties)) + { + Debug.LogError($"Failed to extract common properties block from {COMMON_PROPERTIES_PATH}"); + return; + } + Debug.Log($"Extracted common properties block. Length: {commonProperties.Length} characters"); + + // Read tessellation properties + string tessellationPropertiesShader = ReadFile(TESSELATION_PROPERTIES_PATH); + if (string.IsNullOrEmpty(tessellationPropertiesShader)) + { + Debug.LogError($"Failed to read tessellation properties from {TESSELATION_PROPERTIES_PATH}"); + return; + } + string tessellationProperties = ExtractPropertiesBlockContent(tessellationPropertiesShader); + if (string.IsNullOrEmpty(tessellationProperties)) + { + Debug.LogError($"Failed to extract tessellation properties block from {TESSELATION_PROPERTIES_PATH}"); + return; + } + Debug.Log($"Extracted tessellation properties block. Length: {tessellationProperties.Length} characters"); + + string timestamp = DateTime.UtcNow.ToString("ddd MMM dd HH:mm:ss 'UTC' yyyy", CultureInfo.InvariantCulture); + string autoCommentLine = $"//Auto-generated on {timestamp}"; + + // Generate UnityToon.shader + GenerateUnityToonShader(commonProperties, autoCommentLine); + + // Generate UnityToonTessellation.shader + GenerateUnityToonTessellationShader(commonProperties, tessellationProperties, autoCommentLine); + + AssetDatabase.Refresh(); + Debug.Log("Shader files generated successfully!"); + } + catch (Exception e) + { + Debug.LogError($"Error generating shader files: {e.Message}"); + } + } + + private static void GenerateUnityToonShader(string commonProperties, string autoCommentLine) + { + GenerateShaderFromTemplate(UNITY_TOON_SHADER_TEMPLATE_PATH, UNITY_TOON_SHADER_PATH, commonProperties, string.Empty, autoCommentLine); + } + + private static void GenerateUnityToonTessellationShader(string commonProperties, string tessellationProperties, string autoCommentLine) + { + GenerateShaderFromTemplate(UNITY_TOON_TESSELATION_SHADER_TEMPLATE_PATH, UNITY_TOON_TESSELATION_SHADER_PATH, commonProperties, tessellationProperties, autoCommentLine); + } + + private static void GenerateShaderFromTemplate(string templatePath, string outputPath, string commonProperties, string tessellationProperties, string autoCommentLine) + { + string templateContent = ReadFile(templatePath); + if (string.IsNullOrEmpty(templateContent)) + { + templateContent = ReadFile(outputPath); + if (string.IsNullOrEmpty(templateContent)) + { + Debug.LogError($"Failed to read template or existing shader for {outputPath}"); + return; + } + } + + templateContent = templateContent.TrimStart('\uFEFF'); + + PropertySections sections = BuildPropertySections(commonProperties, tessellationProperties, " "); + bool hasTessProperties = !string.IsNullOrEmpty(tessellationProperties); + string commonReplacement = hasTessProperties && !string.IsNullOrEmpty(sections.CommonForTess) + ? sections.CommonForTess + : sections.Common; + + templateContent = ReplacePlaceholder(templateContent, " [COMMON_PROPERTIES]", commonReplacement); + templateContent = ReplacePlaceholder(templateContent, "[COMMON_PROPERTIES]", commonReplacement); + + templateContent = ReplacePlaceholder(templateContent, " [TESSELLATION_PROPERTIES]", sections.Tess); + templateContent = ReplacePlaceholder(templateContent, "[TESSELLATION_PROPERTIES]", sections.Tess); + + Debug.Log($"Generated properties with {sections.Count} entries for {outputPath}"); + + templateContent = ApplyAutoGeneratedComment(templateContent, autoCommentLine); + WriteFile(outputPath, templateContent); + } + + private static string ExtractPropertiesBlockContent(string shaderContent) + { + if (string.IsNullOrEmpty(shaderContent)) + { + return null; + } + + string propertiesPattern = @"Properties\s*\{"; + Match startMatch = Regex.Match(shaderContent, propertiesPattern); + if (!startMatch.Success) + { + return shaderContent.Trim(); + } + + int openBraceIndex = shaderContent.IndexOf('{', startMatch.Index); + if (openBraceIndex == -1) + { + return shaderContent.Trim(); + } + + int braceCount = 1; + int closeBraceIndex = -1; + + for (int i = openBraceIndex + 1; i < shaderContent.Length; i++) + { + char c = shaderContent[i]; + if (c == '{') + { + braceCount++; + } + else if (c == '}') + { + braceCount--; + if (braceCount == 0) + { + closeBraceIndex = i; + break; + } + } + } + + if (closeBraceIndex == -1) + { + return shaderContent.Trim(); + } + + string block = shaderContent.Substring(openBraceIndex + 1, closeBraceIndex - openBraceIndex - 1); + string[] rawLines = block.Split(new[] { "\r\n", "\n", "\r" }, StringSplitOptions.None); + + for (int i = 0; i < rawLines.Length; i++) + { + rawLines[i] = rawLines[i].Trim(); + } + + int start = 0; + int end = rawLines.Length - 1; + + while (start <= end && string.IsNullOrEmpty(rawLines[start])) + { + start++; + } + + while (end >= start && string.IsNullOrEmpty(rawLines[end])) + { + end--; + } + + if (start > end) + { + return string.Empty; + } + + StringBuilder result = new StringBuilder(); + for (int i = start; i <= end; i++) + { + result.Append(rawLines[i]); + if (i < end) + { + result.Append('\n'); + } + } + + return result.ToString(); + } + + private static string GetPropertyName(string line) + { + line = line.Trim(); + if (string.IsNullOrEmpty(line) || line.StartsWith("//", StringComparison.Ordinal)) + { + return null; + } + + MatchCollection matches = PropertyNameRegex.Matches(line); + if (matches.Count == 0) + { + return null; + } + + string candidate = matches[matches.Count - 1].Groups[1].Value; + if (string.IsNullOrEmpty(candidate) || candidate.StartsWith("[", StringComparison.Ordinal)) + { + return null; + } + + return candidate; + } + + private static string ReadFile(string path) + { + if (File.Exists(path)) + { + return File.ReadAllText(path).TrimStart('\uFEFF'); + } + return null; + } + + private static void WriteFile(string path, string content) + { + // Ensure directory exists + string directory = Path.GetDirectoryName(path); + if (!Directory.Exists(directory)) + { + Directory.CreateDirectory(directory); + } + + content = content.TrimStart('\uFEFF'); + content = content.Replace("\r\n", "\n").Replace("\r", "\n"); + if (!content.EndsWith("\n", StringComparison.Ordinal)) + { + content += "\n"; + } + + File.WriteAllText(path, content); + } + + private static string ApplyAutoGeneratedComment(string content, string commentLine) + { + const string autoPrefix = "//Auto-generated on "; + string[] lines = content.Split(new[] { "\n" }, StringSplitOptions.None); + + if (lines.Length > 0 && lines[0].StartsWith(autoPrefix, StringComparison.Ordinal)) + { + lines[0] = commentLine; + } + else + { + var updatedLines = new string[lines.Length + 1]; + updatedLines[0] = commentLine; + Array.Copy(lines, 0, updatedLines, 1, lines.Length); + lines = updatedLines; + } + + string result = string.Join("\n", lines); + if (!result.EndsWith("\n", StringComparison.Ordinal)) + { + result += "\n"; + } + + return result; + } + + private static string ReplacePlaceholder(string content, string placeholder, string replacement) + { + if (content.Contains(placeholder)) + { + return content.Replace(placeholder, replacement ?? string.Empty); + } + + return content; + } + + private static PropertySections BuildPropertySections(string commonProperties, string tessellationProperties, string indent) + { + var entries = new List(); + var nameToIndex = new Dictionary>(StringComparer.Ordinal); + + Dictionary GetSourceMap(string source) + { + if (!nameToIndex.TryGetValue(source, out var map)) + { + map = new Dictionary(StringComparer.Ordinal); + nameToIndex[source] = map; + } + + return map; + } + + void AddLines(string rawText, string source) + { + if (string.IsNullOrEmpty(rawText)) + { + return; + } + + var lines = rawText.Split(new[] { "\r\n", "\n", "\r" }, StringSplitOptions.None); + foreach (var rawLine in lines) + { + var trimmed = rawLine.Trim(); + var entry = new PropertyEntry + { + Line = trimmed, + Source = source, + Name = GetPropertyName(trimmed), + IsHidden = trimmed.IndexOf("[HideInInspector]", StringComparison.Ordinal) >= 0 + }; + + if (trimmed.Length == 0) + { + entries.Add(entry); + continue; + } + + if (!string.IsNullOrEmpty(entry.Name)) + { + var sourceMap = GetSourceMap(source); + if (sourceMap.TryGetValue(entry.Name, out int existingIndex)) + { + var existingEntry = entries[existingIndex]; + bool ShouldReplace(PropertyEntry existing, PropertyEntry candidate) + { + if (existing.IsHidden && !candidate.IsHidden) + { + return true; + } + + if (!existing.IsHidden && candidate.IsHidden) + { + return false; + } + + return true; + } + + if (ShouldReplace(existingEntry, entry)) + { + entries[existingIndex] = entry; + } + } + else + { + entries.Add(entry); + sourceMap[entry.Name] = entries.Count - 1; + } + } + else + { + entries.Add(entry); + } + } + } + + AddLines(commonProperties, "common"); + AddLines(tessellationProperties, "tess"); + + int propertyCount = 0; + var seenPairs = new HashSet(StringComparer.Ordinal); + var commonLines = new List(); + var commonLinesForTess = new List(); + var tessLines = new List(); + + var tessOverrides = new HashSet(StringComparer.Ordinal); + if (nameToIndex.TryGetValue("tess", out var tessMap)) + { + foreach (var key in tessMap.Keys) + { + tessOverrides.Add(key); + } + } + + foreach (var entry in entries) + { + if (!string.IsNullOrEmpty(entry.Name)) + { + string key = entry.Source + "\u0001" + entry.Name; + if (seenPairs.Add(key)) + { + propertyCount++; + } + } + + entry.SkipForTess = entry.Source == "common" && !string.IsNullOrEmpty(entry.Name) && tessOverrides.Contains(entry.Name); + + var target = entry.Source == "tess" ? tessLines : commonLines; + if (string.IsNullOrEmpty(entry.Line)) + { + target.Add(string.Empty); + if (entry.Source == "common" && !entry.SkipForTess) + { + commonLinesForTess.Add(string.Empty); + } + } + else + { + var formattedLine = indent + entry.Line; + target.Add(formattedLine); + if (entry.Source == "common" && !entry.SkipForTess) + { + commonLinesForTess.Add(formattedLine); + } + } + } + + commonLines = CleanupLines(commonLines); + commonLinesForTess = CleanupLines(commonLinesForTess); + tessLines = CleanupLines(tessLines); + + return new PropertySections + { + Common = string.Join("\n", commonLines), + CommonForTess = string.Join("\n", commonLinesForTess), + Tess = string.Join("\n", tessLines), + Count = propertyCount + }; + } + + private static List CleanupLines(List lines) + { + var result = new List(lines); + + while (result.Count > 0 && result[0].Length == 0) + { + result.RemoveAt(0); + } + + while (result.Count > 0 && result[result.Count - 1].Length == 0) + { + result.RemoveAt(result.Count - 1); + } + + var cleaned = new List(); + foreach (var line in result) + { + if (line.Length == 0 && cleaned.Count > 0 && cleaned[cleaned.Count - 1].Length == 0) + { + continue; + } + cleaned.Add(line); + } + + return cleaned; + } + + private struct PropertySections + { + public string Common; + public string CommonForTess; + public string Tess; + public int Count; + } + + private class PropertyEntry + { + public string Line; + public string Source; + public string Name; + public bool IsHidden; + public bool SkipForTess; + } + } +} \ No newline at end of file diff --git a/com.unity.toon-graphics-test/Editor/UnityToonShaderGenerator.cs.meta b/com.unity.toon-graphics-test/Editor/UnityToonShaderGenerator.cs.meta new file mode 100644 index 000000000..331ebe009 --- /dev/null +++ b/com.unity.toon-graphics-test/Editor/UnityToonShaderGenerator.cs.meta @@ -0,0 +1,2 @@ +fileFormatVersion: 2 +guid: cd98d1725cf937143949511b4f2af756 \ No newline at end of file diff --git a/com.unity.toon-graphics-test/Editor/UnityToonShaderGeneratorTest.cs b/com.unity.toon-graphics-test/Editor/UnityToonShaderGeneratorTest.cs new file mode 100644 index 000000000..e83f08126 --- /dev/null +++ b/com.unity.toon-graphics-test/Editor/UnityToonShaderGeneratorTest.cs @@ -0,0 +1,212 @@ +using System; +using System.IO; +using System.Text; +using System.Text.RegularExpressions; +using UnityEditor; +using UnityEngine; + +namespace UnityEditor.Rendering.Toon +{ + /// + /// Test script to verify the shader generator works correctly + /// + public class UnityToonShaderGeneratorTest + { + [MenuItem("Toon Shader/Test Shader Generation")] + public static void TestShaderGeneration() + { + try + { + // Test reading the common properties file + string commonPropertiesPath = "Packages/com.unity.toonshader/Runtime/Shaders/Common/Parts/CommonProperties.shaderblock"; + string commonPropertiesShader = File.ReadAllText(commonPropertiesPath); + + if (string.IsNullOrEmpty(commonPropertiesShader)) + { + Debug.LogError("Common properties file is empty or could not be read"); + return; + } + string commonProperties = ExtractProperties(commonPropertiesShader); + if (string.IsNullOrEmpty(commonProperties)) + { + Debug.LogError("Failed to extract properties from CommonProperties.shaderblock"); + return; + } + + Debug.Log($"Successfully extracted common properties. Length: {commonProperties.Length} characters"); + + // Test reading the tessellation properties file + string tessellationPropertiesPath = "Packages/com.unity.toonshader/Runtime/Shaders/Common/Parts/TessellationProperties.shaderblock"; + string tessellationPropertiesShader = File.ReadAllText(tessellationPropertiesPath); + + if (string.IsNullOrEmpty(tessellationPropertiesShader)) + { + Debug.LogError("Tessellation properties file is empty or could not be read"); + return; + } + string tessellationProperties = ExtractProperties(tessellationPropertiesShader); + if (string.IsNullOrEmpty(tessellationProperties)) + { + Debug.LogError("Failed to extract properties from TessellationProperties.shaderblock"); + return; + } + + Debug.Log($"Successfully extracted tessellation properties. Length: {tessellationProperties.Length} characters"); + + // Test reading the original shader files + string unityToonPath = "Packages/com.unity.toonshader/Runtime/Integrated/Shaders/UnityToon.shader"; + string unityToonContent = File.ReadAllText(unityToonPath); + + if (string.IsNullOrEmpty(unityToonContent)) + { + Debug.LogError("UnityToon.shader file is empty or could not be read"); + return; + } + + Debug.Log($"Successfully read UnityToon.shader. Length: {unityToonContent.Length} characters"); + + // Test the Properties block replacement + string propertiesPattern = @"Properties\s*\{[^}]*\}"; + Match match = Regex.Match(unityToonContent, propertiesPattern, RegexOptions.Singleline); + + if (match.Success) + { + Debug.Log($"Found Properties block at position {match.Index}, length {match.Length}"); + + // Test building new Properties block + StringBuilder newProperties = new StringBuilder(); + newProperties.AppendLine(" Properties {"); + + // Add common properties + string[] commonLines = commonProperties.Split('\n'); + int propertyCount = 0; + foreach (string line in commonLines) + { + if (!string.IsNullOrWhiteSpace(line) && !line.TrimStart().StartsWith("//")) + { + newProperties.AppendLine($" {line.Trim()}"); + propertyCount++; + } + } + + newProperties.AppendLine(" }"); + + Debug.Log($"Generated new Properties block with {propertyCount} properties. Length: {newProperties.Length} characters"); + + // Test the replacement + string newContent = unityToonContent.Substring(0, match.Index) + newProperties.ToString() + unityToonContent.Substring(match.Index + match.Length); + + Debug.Log($"Generated new shader content. Original length: {unityToonContent.Length}, New length: {newContent.Length}"); + + // Write test file + string testPath = "Packages/com.unity.toonshader/Runtime/Integrated/Shaders/UnityToon_Generated_Test.shader"; + File.WriteAllText(testPath, newContent); + AssetDatabase.Refresh(); + + Debug.Log($"Test shader written to {testPath}"); + + if (File.Exists(testPath)) + { + File.Delete(testPath); + AssetDatabase.Refresh(); + } + } + else + { + Debug.LogError("Could not find Properties block in UnityToon.shader"); + } + + Debug.Log("Shader generation test completed successfully!"); + } + catch (Exception e) + { + Debug.LogError($"Error during shader generation test: {e.Message}\n{e.StackTrace}"); + } + } + + private static string ExtractProperties(string shaderContent) + { + if (string.IsNullOrEmpty(shaderContent)) + { + return null; + } + + string propertiesPattern = @"Properties\s*\{"; + Match startMatch = Regex.Match(shaderContent, propertiesPattern); + if (!startMatch.Success) + { + return null; + } + + int openBraceIndex = shaderContent.IndexOf('{', startMatch.Index); + if (openBraceIndex == -1) + { + return null; + } + + int braceCount = 1; + int closeBraceIndex = -1; + + for (int i = openBraceIndex + 1; i < shaderContent.Length; i++) + { + char c = shaderContent[i]; + if (c == '{') + { + braceCount++; + } + else if (c == '}') + { + braceCount--; + if (braceCount == 0) + { + closeBraceIndex = i; + break; + } + } + } + + if (closeBraceIndex == -1) + { + return null; + } + + string block = shaderContent.Substring(openBraceIndex + 1, closeBraceIndex - openBraceIndex - 1); + string[] rawLines = block.Split(new[] { "\r\n", "\n", "\r" }, StringSplitOptions.None); + + for (int i = 0; i < rawLines.Length; i++) + { + rawLines[i] = rawLines[i].Trim(); + } + + int start = 0; + int end = rawLines.Length - 1; + + while (start <= end && string.IsNullOrEmpty(rawLines[start])) + { + start++; + } + + while (end >= start && string.IsNullOrEmpty(rawLines[end])) + { + end--; + } + + if (start > end) + { + return string.Empty; + } + + StringBuilder result = new StringBuilder(); + for (int i = start; i <= end; i++) + { + result.Append(rawLines[i]); + if (i < end) + { + result.Append('\n'); + } + } + + return result.ToString(); + } + } +} \ No newline at end of file diff --git a/com.unity.toon-graphics-test/Editor/UnityToonShaderGeneratorTest.cs.meta b/com.unity.toon-graphics-test/Editor/UnityToonShaderGeneratorTest.cs.meta new file mode 100644 index 000000000..2ce8846aa --- /dev/null +++ b/com.unity.toon-graphics-test/Editor/UnityToonShaderGeneratorTest.cs.meta @@ -0,0 +1,2 @@ +fileFormatVersion: 2 +guid: 34d0cce0c2f0b0c4586d9765acd22e6d \ No newline at end of file diff --git a/com.unity.toonshader/Runtime/Integrated/Shaders/UnityToon.shader b/com.unity.toonshader/Runtime/Integrated/Shaders/UnityToon.shader index 4541f19ac..0a5bf5679 100644 --- a/com.unity.toonshader/Runtime/Integrated/Shaders/UnityToon.shader +++ b/com.unity.toonshader/Runtime/Integrated/Shaders/UnityToon.shader @@ -1,7 +1,12 @@ -//Unity Toon Shader - +//Auto-generated on Fri Nov 07 05:27:25 UTC 2025 Shader "Toon" { - Properties { + Properties + { + // Common Properties for Unity Toon Shader + // This file contains all shared properties between UnityToon.shader and UnityToonTessellation.shader + // with comments preserved from the original files + + // Basic UI and Version Properties [HideInInspector] _simpleUI ("SimpleUI", Int ) = 0 [HideInInspector][Enum(OFF, 0, ON, 1)] _isUnityToonshader("Material is touched by Unity Toon Shader", Int) = 1 [HideInInspector] _utsVersionX("VersionX", Float) = 0 @@ -10,6 +15,7 @@ Shader "Toon" { [HideInInspector] _utsTechnique ("Technique", int ) = 0 //DWF _AutoRenderQueue("Automatic Render Queue ", int) = 1 + // Stencil Properties [Enum(OFF, 0, StencilOut, 1, StencilMask, 2)] _StencilMode("StencilMode", int) = 0 // these are set in UniversalToonGUI.cs in accordance with _StencilMode _StencilComp("Stencil Comparison", Float) = 8 @@ -18,21 +24,23 @@ Shader "Toon" { _StencilOpFail("Stencil Operation", Float) = 0 [Enum(OFF, 0, ON, 1,] _TransparentEnabled("Transparent Mode", int) = 0 + // Clipping Properties // DoubleShadeWithFeather // 0:_IS_CLIPPING_OFF 1:_IS_CLIPPING_MODE 2:_IS_CLIPPING_TRANSMODE // ShadingGradeMap // 0:_IS_TRANSCLIPPING_OFF 1:_IS_TRANSCLIPPING_ON [Enum(OFF, 0, ON, 1, TRANSMODE, 2)] _ClippingMode("CliippingMode", int) = 0 - + // Cull and ZWrite Properties [Enum(OFF, 0, FRONT, 1, BACK, 2)] _CullMode("Cull Mode", int) = 2 //OFF/FRONT/BACK [Enum(OFF, 0, ONT, 1)] _ZWriteMode("ZWrite Mode", int) = 1 //OFF/ON [Enum(OFF, 0, ONT, 1)] _ZOverDrawMode("ZOver Draw Mode", Float) = 0 //OFF/ON _SPRDefaultUnlitColorMask("SPRDefaultUnlit Path Color Mask", int) = 15 [Enum(OFF, 0, FRONT, 1, BACK, 2)] _SRPDefaultUnlitColMode("SPRDefaultUnlit Cull Mode", int) = 1 //OFF/FRONT/BACK + + // ClippingMask parameters // ClippingMask paramaters from Here. _ClippingMask("ClippingMask", 2D) = "white" {} - _IsBaseMapAlphaAsClippingMask("IsBaseMapAlphaAsClippingMask", Float) = 0 // [Toggle(_)] _Inverse_Clipping("Inverse_Clipping", Float) = 0 @@ -40,30 +48,39 @@ Shader "Toon" { _Tweak_transparency("Tweak_transparency", Range(-1, 1)) = 0 // ClippingMask paramaters to Here. + // Base Color Properties _MainTex ("BaseMap", 2D) = "white" {} _BaseMap ("BaseMap", 2D) = "white" {} _BaseColor ("BaseColor", Color) = (1,1,1,1) //v.2.0.5 : Clipping/TransClipping for SSAO Problems in PostProcessing Stack. //If you want to go back the former SSAO results, comment out the below line. - _Color ("Color", Color) = (1,1,1,1) + _Color("Color", Color) = (1,1,1,1) // [Toggle(_)] _Is_LightColor_Base ("Is_LightColor_Base", Float ) = 1 + + // 1st Shade Properties _1st_ShadeMap ("1st_ShadeMap", 2D) = "white" {} //v.2.0.5 [Toggle(_)] _Use_BaseAs1st ("Use BaseMap as 1st_ShadeMap", Float ) = 0 _1st_ShadeColor ("1st_ShadeColor", Color) = (1,1,1,1) [Toggle(_)] _Is_LightColor_1st_Shade ("Is_LightColor_1st_Shade", Float ) = 1 + + // 2nd Shade Properties _2nd_ShadeMap ("2nd_ShadeMap", 2D) = "white" {} //v.2.0.5 [Toggle(_)] _Use_1stAs2nd ("Use 1st_ShadeMap as 2nd_ShadeMap", Float ) = 0 _2nd_ShadeColor ("2nd_ShadeColor", Color) = (1,1,1,1) [Toggle(_)] _Is_LightColor_2nd_Shade ("Is_LightColor_2nd_Shade", Float ) = 1 + + // Normal Map Properties _NormalMap ("NormalMap", 2D) = "bump" {} _BumpScale ("Normal Scale", Range(0, 1)) = 1 [Toggle(_)] _Is_NormalMapToBase ("Is_NormalMapToBase", Float ) = 0 //v.2.0.4.4 [Toggle(_)] _Set_SystemShadowsToBase ("Set_SystemShadowsToBase", Float ) = 1 _Tweak_SystemShadowsLevel ("Tweak_SystemShadowsLevel", Range(-0.5, 0.5)) = 0 + + // Shading Properties //v.2.0.6 _BaseColor_Step ("BaseColor_Step", Range(0, 1)) = 0.5 _BaseShade_Feather ("Base/Shade_Feather", Range(0.0001, 1)) = 0.0001 @@ -76,16 +93,18 @@ Shader "Toon" { //v.2.0.5 _StepOffset ("Step_Offset (ForwardAdd Only)", Range(-0.5, 0.5)) = 0 [Toggle(_)] _Is_Filter_HiCutPointLightColor ("PointLights HiCut_Filter (ForwardAdd Only)", Float ) = 1 - // + + // Shading Grade Map Properties _Set_1st_ShadePosition ("Set_1st_ShadePosition", 2D) = "white" {} _Set_2nd_ShadePosition ("Set_2nd_ShadePosition", 2D) = "white" {} _ShadingGradeMap("ShadingGradeMap", 2D) = "white" {} //v.2.0.6 _Tweak_ShadingGradeMapLevel("Tweak_ShadingGradeMapLevel", Range(-0.5, 0.5)) = 0 _BlurLevelSGM("Blur Level of ShadingGradeMap", Range(0, 10)) = 0 - // + + // High Color Properties _HighColor ("HighColor", Color) = (0,0,0,1) -//v.2.0.4 HighColor_Tex + //v.2.0.4 HighColor_Tex _HighColor_Tex ("HighColor_Tex", 2D) = "white" {} [Toggle(_)] _Is_LightColor_HighColor ("Is_LightColor_HighColor", Float ) = 1 [Toggle(_)] _Is_NormalMapToHighColor ("Is_NormalMapToHighColor", Float ) = 0 @@ -94,9 +113,11 @@ Shader "Toon" { [Toggle(_)] _Is_BlendAddToHiColor ("Is_BlendAddToHiColor", Float ) = 0 [Toggle(_)] _Is_UseTweakHighColorOnShadow ("Is_UseTweakHighColorOnShadow", Float ) = 0 _TweakHighColorOnShadow ("TweakHighColorOnShadow", Range(0, 1)) = 0 -//HiColorMask + //HiColorMask _Set_HighColorMask ("Set_HighColorMask", 2D) = "white" {} _Tweak_HighColorMaskLevel ("Tweak_HighColorMaskLevel", Range(-1, 1)) = 0 + + // Rim Light Properties [Toggle(_)] _RimLight ("RimLight", Float ) = 0 _RimLightColor ("RimLightColor", Color) = (1,1,1,1) [Toggle(_)] _Is_LightColor_RimLight ("Is_LightColor_RimLight", Float ) = 1 @@ -104,7 +125,7 @@ Shader "Toon" { _RimLight_Power ("RimLight_Power", Range(0, 1)) = 0.1 _RimLight_InsideMask ("RimLight_InsideMask", Range(0.0001, 1)) = 0.0001 [Toggle(_)] _RimLight_FeatherOff ("RimLight_FeatherOff", Float ) = 0 -//RimLight + //RimLight [Toggle(_)] _LightDirection_MaskOn ("LightDirection_MaskOn", Float ) = 0 _Tweak_LightDirection_MaskLevel ("Tweak_LightDirection_MaskLevel", Range(0, 0.5)) = 0 [Toggle(_)] _Add_Antipodean_RimLight ("Add_Antipodean_RimLight", Float ) = 0 @@ -112,10 +133,11 @@ Shader "Toon" { [Toggle(_)] _Is_LightColor_Ap_RimLight ("Is_LightColor_Ap_RimLight", Float ) = 1 _Ap_RimLight_Power ("Ap_RimLight_Power", Range(0, 1)) = 0.1 [Toggle(_)] _Ap_RimLight_FeatherOff ("Ap_RimLight_FeatherOff", Float ) = 0 -//RimLightMask + //RimLightMask _Set_RimLightMask ("Set_RimLightMask", 2D) = "white" {} _Tweak_RimLightMaskLevel ("Tweak_RimLightMaskLevel", Range(-1, 1)) = 0 -// + + // MatCap Properties [Toggle(_)] _MatCap ("MatCap", Float ) = 0 _MatCap_Sampler ("MatCap_Sampler", 2D) = "black" {} //v.2.0.6 @@ -133,12 +155,14 @@ Shader "Toon" { _Rotate_NormalMapForMatCapUV ("Rotate_NormalMapForMatCapUV", Range(-1, 1)) = 0 [Toggle(_)] _Is_UseTweakMatCapOnShadow ("Is_UseTweakMatCapOnShadow", Float ) = 0 _TweakMatCapOnShadow ("TweakMatCapOnShadow", Range(0, 1)) = 0 -//MatcapMask + //MatcapMask _Set_MatcapMask ("Set_MatcapMask", 2D) = "white" {} _Tweak_MatcapMaskLevel ("Tweak_MatcapMaskLevel", Range(-1, 1)) = 0 [Toggle(_)] _Inverse_MatcapMask ("Inverse_MatcapMask", Float ) = 0 //v.2.0.5 [Toggle(_)] _Is_Ortho ("Orthographic Projection for MatCap", Float ) = 0 + + // Angel Rings Properties //// Angel Rings [Toggle(_)] _AngelRing("AngelRing", Float) = 0 _AngelRing_Sampler("AngelRing_Sampler", 2D) = "black" {} @@ -147,7 +171,8 @@ Shader "Toon" { _AR_OffsetU("AR_OffsetU", Range(0, 0.5)) = 0 _AR_OffsetV("AR_OffsetV", Range(0, 1)) = 0.3 [Toggle(_)] _ARSampler_AlphaOn("ARSampler_AlphaOn", Float) = 0 - // + + // Emissive Properties //v.2.0.7 Emissive [KeywordEnum(SIMPLE,ANIMATION)] _EMISSIVE("EMISSIVE MODE", Float) = 0 _Emissive_Tex ("Emissive_Tex", 2D) = "white" {} @@ -163,8 +188,9 @@ Shader "Toon" { [Toggle(_)] _Is_ViewShift ("Activate ViewShift", Float ) = 0 [HDR]_ViewShift ("ViewSift", Color) = (0,0,0,1) [Toggle(_)] _Is_ViewCoord_Scroll ("Is_ViewCoord_Scroll", Float ) = 0 - // -//Outline + + // Outline Properties + //Outline [KeywordEnum(NML,POS)] _OUTLINE("OUTLINE MODE", Float) = 0 _Outline_Width ("Outline_Width", Float ) = 0 _Farthest_Distance ("Farthest_Distance", Float ) = 100 @@ -185,7 +211,7 @@ Shader "Toon" { _GI_Intensity ("GI_Intensity", Range(0, 1)) = 0 //For VR Chat under No effective light objects _Unlit_Intensity ("Unlit_Intensity", Range(0, 4)) = 0 - //v.2.0.5 + //v.2.0.5 [Toggle(_)] _Is_Filter_LightColor ("VRChat : SceneLights HiCut_Filter", Float ) = 1 //Built-in Light Direction [Toggle(_)] _Is_BLD ("Advanced : Activate Built-in Light Direction", Float ) = 0 @@ -193,9 +219,10 @@ Shader "Toon" { _Offset_Y_Axis_BLD (" Offset Y-Axis (Built-in Light Direction)", Range(-1, 1)) = 0.09 [Toggle(_)] _Inverse_Z_Axis_BLD (" Inverse Z-Axis (Built-in Light Direction)", Float ) = 1 - ////////////////////////////////////////////////////////////////////////////// - ////////////////// Beginning of HDRP Matte. ////////////////////////////////// - ////////////////////////////////////////////////////////////////////////////// + // HDRP Matte Properties + ////////////////////////////////////////////////////////////////////////////// + ////////////////// Beginning of HDRP Matte. ////////////////////////////////// + ////////////////////////////////////////////////////////////////////////////// [Toggle(_)] _BaseColorVisible("Channel mask", Float) = 1 [Toggle(_)] _BaseColorOverridden("Channel mask", Float) = 0 _BaseColorMaskColor("chennel mask color", Color) = (1, 1, 1, 1) @@ -227,20 +254,20 @@ Shader "Toon" { [Toggle(_)] _ComposerMaskMode("", Float) = 0 [Enum(None, 0, BaseColor, 1, FirstShade, 2, SecondShade,3, Highlight, 4, AngelRing, 5, RimLight, 6)] _ClippingMatteMode("Clipping Matte Mode", int) = 0 + ////////////////////////////////////////////////////////////////////////////// + ////////////////// End of HDRP Matte. ////////////////////////////////// + ////////////////////////////////////////////////////////////////////////////// - ////////////////////////////////////////////////////////////////////////////// - ////////////////// End of HDRP Matte. ////////////////////////////////// - ////////////////////////////////////////////////////////////////////////////// - - ////////////////// Avoid HDRP srp batcher error /////////////////////////////// + // Avoid HDRP srp batcher error + ////////////////// Avoid HDRP srp batcher error /////////////////////////////// [HideInInspector] emissive("to avoid srp batcher error", Color)= (0, 0, 0, 1) // - ////////////////// Avoid HDRP srp batcher error /////////////////////////////// - + ////////////////// Avoid HDRP srp batcher error /////////////////////////////// - ////////////////////////////////////////////////////////////////////////////// - ////////////////// Beginning of HDRP material default values. //////////////// - ////////////////////////////////////////////////////////////////////////////// - _BaseColorMap("BaseColorMap", 2D) = "white" {} + // HDRP material default values + ////////////////////////////////////////////////////////////////////////////// + ////////////////// Beginning of HDRP material default values. //////////////// + ////////////////////////////////////////////////////////////////////////////// + _BaseColorMap("BaseColorMap", 2D) = "white" {} [HideInInspector] _BaseColorMap_MipInfo("_BaseColorMap_MipInfo", Vector) = (0, 0, 0, 0) _Metallic("_Metallic", Range(0.0, 1.0)) = 0 @@ -253,13 +280,15 @@ Shader "Toon" { _AORemapMin("AORemapMin", Float) = 0.0 _AORemapMax("AORemapMax", Float) = 1.0 - //////////////// _NormalMap("NormalMap", 2D) = "bump" {} // Tangent space normal map + // Normal Maps + ////////////// _NormalMap("NormalMap", 2D) = "bump" {} // Tangent space normal map _NormalMapOS("NormalMapOS", 2D) = "white" {} // Object space normal map - no good default value _NormalScale("_NormalScale", Range(0.0, 8.0)) = 1 _BentNormalMap("_BentNormalMap", 2D) = "bump" {} _BentNormalMapOS("_BentNormalMapOS", 2D) = "white" {} + // Height Maps _HeightMap("HeightMap", 2D) = "black" {} // Caution: Default value of _HeightAmplitude must be (_HeightMax - _HeightMin) * 0.01 // Those two properties are computed from the ones exposed in the UI and depends on the displaement mode so they are separate because we don't want to lose information upon displacement mode change. @@ -279,16 +308,19 @@ Shader "Toon" { // These parameters are for pixel displacement _HeightPoMAmplitude("Height Amplitude", Float) = 2.0 // In centimeters + // Detail Maps _DetailMap("DetailMap", 2D) = "linearGrey" {} _DetailAlbedoScale("_DetailAlbedoScale", Range(0.0, 2.0)) = 1 _DetailNormalScale("_DetailNormalScale", Range(0.0, 2.0)) = 1 _DetailSmoothnessScale("_DetailSmoothnessScale", Range(0.0, 2.0)) = 1 + // Tangent Maps _TangentMap("TangentMap", 2D) = "bump" {} _TangentMapOS("TangentMapOS", 2D) = "white" {} _Anisotropy("Anisotropy", Range(-1.0, 1.0)) = 0 _AnisotropyMap("AnisotropyMap", 2D) = "white" {} + // Diffusion Profile [HideInInspector] _DiffusionProfile("Obsolete, kept for migration purpose", Int) = 0 [HideInInspector] _DiffusionProfileAsset("Diffusion Profile Asset", Vector) = (0, 0, 0, 0) [HideInInspector] _DiffusionProfileHash("Diffusion Profile Hash", Float) = 0 @@ -299,15 +331,18 @@ Shader "Toon" { _ThicknessMap("Thickness Map", 2D) = "white" {} _ThicknessRemap("Thickness Remap", Vector) = (0, 1, 0, 0) + // Iridescence _IridescenceThickness("Iridescence Thickness", Range(0.0, 1.0)) = 1.0 _IridescenceThicknessMap("Iridescence Thickness Map", 2D) = "white" {} _IridescenceThicknessRemap("Iridescence Thickness Remap", Vector) = (0, 1, 0, 0) _IridescenceMask("Iridescence Mask", Range(0.0, 1.0)) = 1.0 _IridescenceMaskMap("Iridescence Mask Map", 2D) = "white" {} + // Coat _CoatMask("Coat Mask", Range(0.0, 1.0)) = 0.0 _CoatMaskMap("CoatMaskMap", 2D) = "white" {} + // Specular [ToggleUI] _EnergyConservingSpecularColor("_EnergyConservingSpecularColor", Float) = 1.0 _SpecularColor("SpecularColor", Color) = (1, 1, 1, 1) _SpecularColorMap("SpecularColorMap", 2D) = "white" {} @@ -316,6 +351,7 @@ Shader "Toon" { // These option below will cause different compilation flag. [Enum(Off, 0, From Ambient Occlusion, 1, From Bent Normals, 2)] _SpecularOcclusionMode("Specular Occlusion Mode", Int) = 1 + // Emissive [HDR] _EmissiveColor("EmissiveColor", Color) = (0, 0, 0) // Used only to serialize the LDR and HDR emissive color in the material UI, // in the shader only the _EmissiveColor should be used @@ -327,6 +363,7 @@ Shader "Toon" { _EmissiveIntensity("Emissive Intensity", Float) = 1 _EmissiveExposureWeight("Emissive Pre Exposure", Range(0.0, 1.0)) = 1.0 + // Distortion _DistortionVectorMap("DistortionVectorMap", 2D) = "black" {} [ToggleUI] _DistortionEnable("Enable Distortion", Float) = 0.0 [ToggleUI] _DistortionDepthTest("Distortion Depth Test Enable", Float) = 1.0 @@ -343,6 +380,7 @@ Shader "Toon" { _DistortionBlurRemapMin("DistortionBlurRemapMin", Float) = 0.0 _DistortionBlurRemapMax("DistortionBlurRemapMax", Float) = 1.0 + // Alpha and Transparency [ToggleUI] _UseShadowThreshold("_UseShadowThreshold", Float) = 0.0 [ToggleUI] _AlphaCutoffEnable("Alpha Cutoff Enable", Float) = 0.0 _AlphaCutoff("Alpha Cutoff", Range(0.0, 1.0)) = 0.5 @@ -365,7 +403,6 @@ Shader "Toon" { [ToggleUI] _TransparentWritingMotionVec("_TransparentWritingMotionVec", Float) = 0.0 // Stencil state - // Forward [HideInInspector] _StencilRef("_StencilRef", Int) = 2 // StencilLightingUsage.RegularLighting [HideInInspector] _StencilWriteMask("_StencilWriteMask", Int) = 3 // StencilMask.Lighting @@ -444,16 +481,17 @@ Shader "Toon" { _EmissionColor("Color", Color) = (1, 1, 1) // HACK: GI Baking system relies on some properties existing in the shader ("_MainTex", "_Cutoff" and "_Color") for opacity handling, so we need to store our version of those parameters in the hard-coded name the GI baking system recognizes. - //////////// _MainTex("BaseMap", 2D) = "white" {} + ////////// _MainTex("BaseMap", 2D) = "white" {} _Cutoff("Alpha Cutoff", Range(0.0, 1.0)) = 0.5 [ToggleUI] _SupportDecals("Support Decals", Float) = 1.0 [ToggleUI] _ReceivesSSR("Receives SSR", Float) = 1.0 [ToggleUI] _AddPrecomputedVelocity("AddPrecomputedVelocity", Float) = 0.0 - ////////////////////////////////////////////////////////////////////////////// - //////////////////// End of HDRP material default values. //////////////////// - ////////////////////////////////////////////////////////////////////////////// - } + ////////////////////////////////////////////////////////////////////////////// + //////////////////// End of HDRP material default values. //////////////////// + ////////////////////////////////////////////////////////////////////////////// + } + HLSLINCLUDE diff --git a/com.unity.toonshader/Runtime/Integrated/Shaders/UnityToonTessellation.shader b/com.unity.toonshader/Runtime/Integrated/Shaders/UnityToonTessellation.shader index ebae002fc..10a46ef03 100644 --- a/com.unity.toonshader/Runtime/Integrated/Shaders/UnityToonTessellation.shader +++ b/com.unity.toonshader/Runtime/Integrated/Shaders/UnityToonTessellation.shader @@ -1,7 +1,12 @@ -//Unity Toon Shader - +//Auto-generated on Fri Nov 07 05:27:25 UTC 2025 Shader "Toon(Tessellation)" { - Properties { + Properties + { + // Common Properties for Unity Toon Shader + // This file contains all shared properties between UnityToon.shader and UnityToonTessellation.shader + // with comments preserved from the original files + + // Basic UI and Version Properties [HideInInspector] _simpleUI ("SimpleUI", Int ) = 0 [HideInInspector][Enum(OFF, 0, ON, 1)] _isUnityToonshader("Material is touched by Unity Toon Shader", Int) = 1 [HideInInspector] _utsVersionX("VersionX", Float) = 0 @@ -10,6 +15,7 @@ Shader "Toon(Tessellation)" { [HideInInspector] _utsTechnique ("Technique", int ) = 0 //DWF _AutoRenderQueue("Automatic Render Queue ", int) = 1 + // Stencil Properties [Enum(OFF, 0, StencilOut, 1, StencilMask, 2)] _StencilMode("StencilMode", int) = 0 // these are set in UniversalToonGUI.cs in accordance with _StencilMode _StencilComp("Stencil Comparison", Float) = 8 @@ -18,21 +24,23 @@ Shader "Toon(Tessellation)" { _StencilOpFail("Stencil Operation", Float) = 0 [Enum(OFF, 0, ON, 1,] _TransparentEnabled("Transparent Mode", int) = 0 + // Clipping Properties // DoubleShadeWithFeather // 0:_IS_CLIPPING_OFF 1:_IS_CLIPPING_MODE 2:_IS_CLIPPING_TRANSMODE // ShadingGradeMap // 0:_IS_TRANSCLIPPING_OFF 1:_IS_TRANSCLIPPING_ON [Enum(OFF, 0, ON, 1, TRANSMODE, 2)] _ClippingMode("CliippingMode", int) = 0 - + // Cull and ZWrite Properties [Enum(OFF, 0, FRONT, 1, BACK, 2)] _CullMode("Cull Mode", int) = 2 //OFF/FRONT/BACK [Enum(OFF, 0, ONT, 1)] _ZWriteMode("ZWrite Mode", int) = 1 //OFF/ON [Enum(OFF, 0, ONT, 1)] _ZOverDrawMode("ZOver Draw Mode", Float) = 0 //OFF/ON _SPRDefaultUnlitColorMask("SPRDefaultUnlit Path Color Mask", int) = 15 [Enum(OFF, 0, FRONT, 1, BACK, 2)] _SRPDefaultUnlitColMode("SPRDefaultUnlit Cull Mode", int) = 1 //OFF/FRONT/BACK + + // ClippingMask parameters // ClippingMask paramaters from Here. _ClippingMask("ClippingMask", 2D) = "white" {} - _IsBaseMapAlphaAsClippingMask("IsBaseMapAlphaAsClippingMask", Float) = 0 // [Toggle(_)] _Inverse_Clipping("Inverse_Clipping", Float) = 0 @@ -40,30 +48,39 @@ Shader "Toon(Tessellation)" { _Tweak_transparency("Tweak_transparency", Range(-1, 1)) = 0 // ClippingMask paramaters to Here. + // Base Color Properties _MainTex ("BaseMap", 2D) = "white" {} _BaseMap ("BaseMap", 2D) = "white" {} _BaseColor ("BaseColor", Color) = (1,1,1,1) //v.2.0.5 : Clipping/TransClipping for SSAO Problems in PostProcessing Stack. //If you want to go back the former SSAO results, comment out the below line. - _Color ("Color", Color) = (1,1,1,1) + _Color("Color", Color) = (1,1,1,1) // [Toggle(_)] _Is_LightColor_Base ("Is_LightColor_Base", Float ) = 1 + + // 1st Shade Properties _1st_ShadeMap ("1st_ShadeMap", 2D) = "white" {} //v.2.0.5 [Toggle(_)] _Use_BaseAs1st ("Use BaseMap as 1st_ShadeMap", Float ) = 0 _1st_ShadeColor ("1st_ShadeColor", Color) = (1,1,1,1) [Toggle(_)] _Is_LightColor_1st_Shade ("Is_LightColor_1st_Shade", Float ) = 1 + + // 2nd Shade Properties _2nd_ShadeMap ("2nd_ShadeMap", 2D) = "white" {} //v.2.0.5 [Toggle(_)] _Use_1stAs2nd ("Use 1st_ShadeMap as 2nd_ShadeMap", Float ) = 0 _2nd_ShadeColor ("2nd_ShadeColor", Color) = (1,1,1,1) [Toggle(_)] _Is_LightColor_2nd_Shade ("Is_LightColor_2nd_Shade", Float ) = 1 + + // Normal Map Properties _NormalMap ("NormalMap", 2D) = "bump" {} _BumpScale ("Normal Scale", Range(0, 1)) = 1 [Toggle(_)] _Is_NormalMapToBase ("Is_NormalMapToBase", Float ) = 0 //v.2.0.4.4 [Toggle(_)] _Set_SystemShadowsToBase ("Set_SystemShadowsToBase", Float ) = 1 _Tweak_SystemShadowsLevel ("Tweak_SystemShadowsLevel", Range(-0.5, 0.5)) = 0 + + // Shading Properties //v.2.0.6 _BaseColor_Step ("BaseColor_Step", Range(0, 1)) = 0.5 _BaseShade_Feather ("Base/Shade_Feather", Range(0.0001, 1)) = 0.0001 @@ -76,16 +93,18 @@ Shader "Toon(Tessellation)" { //v.2.0.5 _StepOffset ("Step_Offset (ForwardAdd Only)", Range(-0.5, 0.5)) = 0 [Toggle(_)] _Is_Filter_HiCutPointLightColor ("PointLights HiCut_Filter (ForwardAdd Only)", Float ) = 1 - // + + // Shading Grade Map Properties _Set_1st_ShadePosition ("Set_1st_ShadePosition", 2D) = "white" {} _Set_2nd_ShadePosition ("Set_2nd_ShadePosition", 2D) = "white" {} _ShadingGradeMap("ShadingGradeMap", 2D) = "white" {} //v.2.0.6 _Tweak_ShadingGradeMapLevel("Tweak_ShadingGradeMapLevel", Range(-0.5, 0.5)) = 0 _BlurLevelSGM("Blur Level of ShadingGradeMap", Range(0, 10)) = 0 - // + + // High Color Properties _HighColor ("HighColor", Color) = (0,0,0,1) -//v.2.0.4 HighColor_Tex + //v.2.0.4 HighColor_Tex _HighColor_Tex ("HighColor_Tex", 2D) = "white" {} [Toggle(_)] _Is_LightColor_HighColor ("Is_LightColor_HighColor", Float ) = 1 [Toggle(_)] _Is_NormalMapToHighColor ("Is_NormalMapToHighColor", Float ) = 0 @@ -94,9 +113,11 @@ Shader "Toon(Tessellation)" { [Toggle(_)] _Is_BlendAddToHiColor ("Is_BlendAddToHiColor", Float ) = 0 [Toggle(_)] _Is_UseTweakHighColorOnShadow ("Is_UseTweakHighColorOnShadow", Float ) = 0 _TweakHighColorOnShadow ("TweakHighColorOnShadow", Range(0, 1)) = 0 -//HiColorMask + //HiColorMask _Set_HighColorMask ("Set_HighColorMask", 2D) = "white" {} _Tweak_HighColorMaskLevel ("Tweak_HighColorMaskLevel", Range(-1, 1)) = 0 + + // Rim Light Properties [Toggle(_)] _RimLight ("RimLight", Float ) = 0 _RimLightColor ("RimLightColor", Color) = (1,1,1,1) [Toggle(_)] _Is_LightColor_RimLight ("Is_LightColor_RimLight", Float ) = 1 @@ -104,7 +125,7 @@ Shader "Toon(Tessellation)" { _RimLight_Power ("RimLight_Power", Range(0, 1)) = 0.1 _RimLight_InsideMask ("RimLight_InsideMask", Range(0.0001, 1)) = 0.0001 [Toggle(_)] _RimLight_FeatherOff ("RimLight_FeatherOff", Float ) = 0 -//RimLight + //RimLight [Toggle(_)] _LightDirection_MaskOn ("LightDirection_MaskOn", Float ) = 0 _Tweak_LightDirection_MaskLevel ("Tweak_LightDirection_MaskLevel", Range(0, 0.5)) = 0 [Toggle(_)] _Add_Antipodean_RimLight ("Add_Antipodean_RimLight", Float ) = 0 @@ -112,10 +133,11 @@ Shader "Toon(Tessellation)" { [Toggle(_)] _Is_LightColor_Ap_RimLight ("Is_LightColor_Ap_RimLight", Float ) = 1 _Ap_RimLight_Power ("Ap_RimLight_Power", Range(0, 1)) = 0.1 [Toggle(_)] _Ap_RimLight_FeatherOff ("Ap_RimLight_FeatherOff", Float ) = 0 -//RimLightMask + //RimLightMask _Set_RimLightMask ("Set_RimLightMask", 2D) = "white" {} _Tweak_RimLightMaskLevel ("Tweak_RimLightMaskLevel", Range(-1, 1)) = 0 -// + + // MatCap Properties [Toggle(_)] _MatCap ("MatCap", Float ) = 0 _MatCap_Sampler ("MatCap_Sampler", 2D) = "black" {} //v.2.0.6 @@ -133,12 +155,14 @@ Shader "Toon(Tessellation)" { _Rotate_NormalMapForMatCapUV ("Rotate_NormalMapForMatCapUV", Range(-1, 1)) = 0 [Toggle(_)] _Is_UseTweakMatCapOnShadow ("Is_UseTweakMatCapOnShadow", Float ) = 0 _TweakMatCapOnShadow ("TweakMatCapOnShadow", Range(0, 1)) = 0 -//MatcapMask + //MatcapMask _Set_MatcapMask ("Set_MatcapMask", 2D) = "white" {} _Tweak_MatcapMaskLevel ("Tweak_MatcapMaskLevel", Range(-1, 1)) = 0 [Toggle(_)] _Inverse_MatcapMask ("Inverse_MatcapMask", Float ) = 0 //v.2.0.5 [Toggle(_)] _Is_Ortho ("Orthographic Projection for MatCap", Float ) = 0 + + // Angel Rings Properties //// Angel Rings [Toggle(_)] _AngelRing("AngelRing", Float) = 0 _AngelRing_Sampler("AngelRing_Sampler", 2D) = "black" {} @@ -147,7 +171,8 @@ Shader "Toon(Tessellation)" { _AR_OffsetU("AR_OffsetU", Range(0, 0.5)) = 0 _AR_OffsetV("AR_OffsetV", Range(0, 1)) = 0.3 [Toggle(_)] _ARSampler_AlphaOn("ARSampler_AlphaOn", Float) = 0 - // + + // Emissive Properties //v.2.0.7 Emissive [KeywordEnum(SIMPLE,ANIMATION)] _EMISSIVE("EMISSIVE MODE", Float) = 0 _Emissive_Tex ("Emissive_Tex", 2D) = "white" {} @@ -163,8 +188,9 @@ Shader "Toon(Tessellation)" { [Toggle(_)] _Is_ViewShift ("Activate ViewShift", Float ) = 0 [HDR]_ViewShift ("ViewSift", Color) = (0,0,0,1) [Toggle(_)] _Is_ViewCoord_Scroll ("Is_ViewCoord_Scroll", Float ) = 0 - // -//Outline + + // Outline Properties + //Outline [KeywordEnum(NML,POS)] _OUTLINE("OUTLINE MODE", Float) = 0 _Outline_Width ("Outline_Width", Float ) = 0 _Farthest_Distance ("Farthest_Distance", Float ) = 100 @@ -185,7 +211,7 @@ Shader "Toon(Tessellation)" { _GI_Intensity ("GI_Intensity", Range(0, 1)) = 0 //For VR Chat under No effective light objects _Unlit_Intensity ("Unlit_Intensity", Range(0, 4)) = 0 - //v.2.0.5 + //v.2.0.5 [Toggle(_)] _Is_Filter_LightColor ("VRChat : SceneLights HiCut_Filter", Float ) = 1 //Built-in Light Direction [Toggle(_)] _Is_BLD ("Advanced : Activate Built-in Light Direction", Float ) = 0 @@ -193,10 +219,10 @@ Shader "Toon(Tessellation)" { _Offset_Y_Axis_BLD (" Offset Y-Axis (Built-in Light Direction)", Range(-1, 1)) = 0.09 [Toggle(_)] _Inverse_Z_Axis_BLD (" Inverse Z-Axis (Built-in Light Direction)", Float ) = 1 - - ////////////////////////////////////////////////////////////////////////////// - ////////////////// Beginning of HDRP Matte. ////////////////////////////////// - ////////////////////////////////////////////////////////////////////////////// + // HDRP Matte Properties + ////////////////////////////////////////////////////////////////////////////// + ////////////////// Beginning of HDRP Matte. ////////////////////////////////// + ////////////////////////////////////////////////////////////////////////////// [Toggle(_)] _BaseColorVisible("Channel mask", Float) = 1 [Toggle(_)] _BaseColorOverridden("Channel mask", Float) = 0 _BaseColorMaskColor("chennel mask color", Color) = (1, 1, 1, 1) @@ -228,20 +254,20 @@ Shader "Toon(Tessellation)" { [Toggle(_)] _ComposerMaskMode("", Float) = 0 [Enum(None, 0, BaseColor, 1, FirstShade, 2, SecondShade,3, Highlight, 4, AngelRing, 5, RimLight, 6)] _ClippingMatteMode("Clipping Matte Mode", int) = 0 + ////////////////////////////////////////////////////////////////////////////// + ////////////////// End of HDRP Matte. ////////////////////////////////// + ////////////////////////////////////////////////////////////////////////////// - ////////////////////////////////////////////////////////////////////////////// - ////////////////// End of HDRP Matte. ////////////////////////////////// - ////////////////////////////////////////////////////////////////////////////// - - ////////////////// Avoid HDRP srp batcher error /////////////////////////////// + // Avoid HDRP srp batcher error + ////////////////// Avoid HDRP srp batcher error /////////////////////////////// [HideInInspector] emissive("to avoid srp batcher error", Color)= (0, 0, 0, 1) // - ////////////////// Avoid HDRP srp batcher error /////////////////////////////// - + ////////////////// Avoid HDRP srp batcher error /////////////////////////////// - ////////////////////////////////////////////////////////////////////////////// - ////////////////// Beginning of HDRP material default values. //////////////// - ////////////////////////////////////////////////////////////////////////////// - _BaseColorMap("BaseColorMap", 2D) = "white" {} + // HDRP material default values + ////////////////////////////////////////////////////////////////////////////// + ////////////////// Beginning of HDRP material default values. //////////////// + ////////////////////////////////////////////////////////////////////////////// + _BaseColorMap("BaseColorMap", 2D) = "white" {} [HideInInspector] _BaseColorMap_MipInfo("_BaseColorMap_MipInfo", Vector) = (0, 0, 0, 0) _Metallic("_Metallic", Range(0.0, 1.0)) = 0 @@ -254,13 +280,15 @@ Shader "Toon(Tessellation)" { _AORemapMin("AORemapMin", Float) = 0.0 _AORemapMax("AORemapMax", Float) = 1.0 - //////////////// _NormalMap("NormalMap", 2D) = "bump" {} // Tangent space normal map + // Normal Maps + ////////////// _NormalMap("NormalMap", 2D) = "bump" {} // Tangent space normal map _NormalMapOS("NormalMapOS", 2D) = "white" {} // Object space normal map - no good default value _NormalScale("_NormalScale", Range(0.0, 8.0)) = 1 _BentNormalMap("_BentNormalMap", 2D) = "bump" {} _BentNormalMapOS("_BentNormalMapOS", 2D) = "white" {} + // Height Maps _HeightMap("HeightMap", 2D) = "black" {} // Caution: Default value of _HeightAmplitude must be (_HeightMax - _HeightMin) * 0.01 // Those two properties are computed from the ones exposed in the UI and depends on the displaement mode so they are separate because we don't want to lose information upon displacement mode change. @@ -280,16 +308,19 @@ Shader "Toon(Tessellation)" { // These parameters are for pixel displacement _HeightPoMAmplitude("Height Amplitude", Float) = 2.0 // In centimeters + // Detail Maps _DetailMap("DetailMap", 2D) = "linearGrey" {} _DetailAlbedoScale("_DetailAlbedoScale", Range(0.0, 2.0)) = 1 _DetailNormalScale("_DetailNormalScale", Range(0.0, 2.0)) = 1 _DetailSmoothnessScale("_DetailSmoothnessScale", Range(0.0, 2.0)) = 1 + // Tangent Maps _TangentMap("TangentMap", 2D) = "bump" {} _TangentMapOS("TangentMapOS", 2D) = "white" {} _Anisotropy("Anisotropy", Range(-1.0, 1.0)) = 0 _AnisotropyMap("AnisotropyMap", 2D) = "white" {} + // Diffusion Profile [HideInInspector] _DiffusionProfile("Obsolete, kept for migration purpose", Int) = 0 [HideInInspector] _DiffusionProfileAsset("Diffusion Profile Asset", Vector) = (0, 0, 0, 0) [HideInInspector] _DiffusionProfileHash("Diffusion Profile Hash", Float) = 0 @@ -300,15 +331,18 @@ Shader "Toon(Tessellation)" { _ThicknessMap("Thickness Map", 2D) = "white" {} _ThicknessRemap("Thickness Remap", Vector) = (0, 1, 0, 0) + // Iridescence _IridescenceThickness("Iridescence Thickness", Range(0.0, 1.0)) = 1.0 _IridescenceThicknessMap("Iridescence Thickness Map", 2D) = "white" {} _IridescenceThicknessRemap("Iridescence Thickness Remap", Vector) = (0, 1, 0, 0) _IridescenceMask("Iridescence Mask", Range(0.0, 1.0)) = 1.0 _IridescenceMaskMap("Iridescence Mask Map", 2D) = "white" {} + // Coat _CoatMask("Coat Mask", Range(0.0, 1.0)) = 0.0 _CoatMaskMap("CoatMaskMap", 2D) = "white" {} + // Specular [ToggleUI] _EnergyConservingSpecularColor("_EnergyConservingSpecularColor", Float) = 1.0 _SpecularColor("SpecularColor", Color) = (1, 1, 1, 1) _SpecularColorMap("SpecularColorMap", 2D) = "white" {} @@ -317,6 +351,7 @@ Shader "Toon(Tessellation)" { // These option below will cause different compilation flag. [Enum(Off, 0, From Ambient Occlusion, 1, From Bent Normals, 2)] _SpecularOcclusionMode("Specular Occlusion Mode", Int) = 1 + // Emissive [HDR] _EmissiveColor("EmissiveColor", Color) = (0, 0, 0) // Used only to serialize the LDR and HDR emissive color in the material UI, // in the shader only the _EmissiveColor should be used @@ -328,6 +363,7 @@ Shader "Toon(Tessellation)" { _EmissiveIntensity("Emissive Intensity", Float) = 1 _EmissiveExposureWeight("Emissive Pre Exposure", Range(0.0, 1.0)) = 1.0 + // Distortion _DistortionVectorMap("DistortionVectorMap", 2D) = "black" {} [ToggleUI] _DistortionEnable("Enable Distortion", Float) = 0.0 [ToggleUI] _DistortionDepthTest("Distortion Depth Test Enable", Float) = 1.0 @@ -344,6 +380,7 @@ Shader "Toon(Tessellation)" { _DistortionBlurRemapMin("DistortionBlurRemapMin", Float) = 0.0 _DistortionBlurRemapMax("DistortionBlurRemapMax", Float) = 1.0 + // Alpha and Transparency [ToggleUI] _UseShadowThreshold("_UseShadowThreshold", Float) = 0.0 [ToggleUI] _AlphaCutoffEnable("Alpha Cutoff Enable", Float) = 0.0 _AlphaCutoff("Alpha Cutoff", Range(0.0, 1.0)) = 0.5 @@ -366,7 +403,6 @@ Shader "Toon(Tessellation)" { [ToggleUI] _TransparentWritingMotionVec("_TransparentWritingMotionVec", Float) = 0.0 // Stencil state - // Forward [HideInInspector] _StencilRef("_StencilRef", Int) = 2 // StencilLightingUsage.RegularLighting [HideInInspector] _StencilWriteMask("_StencilWriteMask", Int) = 3 // StencilMask.Lighting @@ -444,6 +480,21 @@ Shader "Toon(Tessellation)" { // TODO: Fix the code in legacy unity so we can customize the beahvior for GI _EmissionColor("Color", Color) = (1, 1, 1) + // HACK: GI Baking system relies on some properties existing in the shader ("_MainTex", "_Cutoff" and "_Color") for opacity handling, so we need to store our version of those parameters in the hard-coded name the GI baking system recognizes. + ////////// _MainTex("BaseMap", 2D) = "white" {} + _Cutoff("Alpha Cutoff", Range(0.0, 1.0)) = 0.5 + + [ToggleUI] _SupportDecals("Support Decals", Float) = 1.0 + [ToggleUI] _ReceivesSSR("Receives SSR", Float) = 1.0 + [ToggleUI] _AddPrecomputedVelocity("AddPrecomputedVelocity", Float) = 0.0 + ////////////////////////////////////////////////////////////////////////////// + //////////////////// End of HDRP material default values. //////////////////// + ////////////////////////////////////////////////////////////////////////////// + + // Tessellation-specific properties + // Tessellation-specific Properties for Unity Toon Shader Tessellation + // These properties are only present in the tessellation shader + // Tessellation specific [Enum(None, 0, Phong, 1)] _TessellationMode("Tessellation mode", Float) = 0 _TessellationFactor("Tessellation Factor", Range(0.0, 64.0)) = 4.0 @@ -452,31 +503,14 @@ Shader "Toon(Tessellation)" { _TessellationFactorTriangleSize("Tessellation triangle size", Float) = 100.0 _TessellationShapeFactor("Tessellation shape factor", Range(0.0, 1.0)) = 0.75 // Only use with Phong _TessellationBackFaceCullEpsilon("Tessellation back face epsilon", Range(-1.0, 0.0)) = -0.25 - // TODO: Handle culling mode for backface culling - // HACK: GI Baking system relies on some properties existing in the shader ("_MainTex", "_Cutoff" and "_Color") for opacity handling, so we need to store our version of those parameters in the hard-coded name the GI baking system recognizes. - //////////// _MainTex("BaseMap", 2D) = "white" {} - _Cutoff("Alpha Cutoff", Range(0.0, 1.0)) = 0.5 - - [ToggleUI] _SupportDecals("Support Decals", Float) = 1.0 - [ToggleUI] _ReceivesSSR("Receives SSR", Float) = 1.0 - [ToggleUI] _AddPrecomputedVelocity("AddPrecomputedVelocity", Float) = 0.0 - ////////////////////////////////////////////////////////////////////////////// - //////////////////// End of HDRP material default values. //////////////////// - ////////////////////////////////////////////////////////////////////////////// - - ////////////////////////////////////////////////////////////////////////////// - //////////////////// Start of Legacy material tessellation values. /////////// - ////////////////////////////////////////////////////////////////////////////// + // Legacy material tessellation values //Tessellation _TessEdgeLength("DX11 Tess : Edge length", Range(2, 50)) = 5 _TessPhongStrength("DX11 Tess : Phong Strength", Range(0, 1)) = 0.5 _TessExtrusionAmount("DX11 Tess : Extrusion Amount", Range(-0.005, 0.005)) = 0.0 - ////////////////////////////////////////////////////////////////////////////// - //////////////////// End of Legacy material tessellation values. /////////// - ////////////////////////////////////////////////////////////////////////////// - - } + } + HLSLINCLUDE #pragma only_renderers d3d11 playstation xboxone xboxseries vulkan metal switch diff --git a/com.unity.toonshader/Runtime/Shaders.meta b/com.unity.toonshader/Runtime/Shaders.meta new file mode 100644 index 000000000..f232e43b2 --- /dev/null +++ b/com.unity.toonshader/Runtime/Shaders.meta @@ -0,0 +1,8 @@ +fileFormatVersion: 2 +guid: ac15e4c7900bb024b867ecb47e72df54 +folderAsset: yes +DefaultImporter: + externalObjects: {} + userData: + assetBundleName: + assetBundleVariant: diff --git a/com.unity.toonshader/Runtime/Shaders/Common.meta b/com.unity.toonshader/Runtime/Shaders/Common.meta new file mode 100644 index 000000000..26ec813ce --- /dev/null +++ b/com.unity.toonshader/Runtime/Shaders/Common.meta @@ -0,0 +1,8 @@ +fileFormatVersion: 2 +guid: 11c7ba989f6d79c4b856b7e953b921b4 +folderAsset: yes +DefaultImporter: + externalObjects: {} + userData: + assetBundleName: + assetBundleVariant: diff --git a/com.unity.toonshader/Runtime/Shaders/Common/Parts.meta b/com.unity.toonshader/Runtime/Shaders/Common/Parts.meta new file mode 100644 index 000000000..30ae644df --- /dev/null +++ b/com.unity.toonshader/Runtime/Shaders/Common/Parts.meta @@ -0,0 +1,8 @@ +fileFormatVersion: 2 +guid: 97613359723ff8742b9c17fdf6cebbff +folderAsset: yes +DefaultImporter: + externalObjects: {} + userData: + assetBundleName: + assetBundleVariant: diff --git a/com.unity.toonshader/Runtime/Shaders/Common/Parts/CommonProperties.shaderblock b/com.unity.toonshader/Runtime/Shaders/Common/Parts/CommonProperties.shaderblock new file mode 100644 index 000000000..3a8cd40e9 --- /dev/null +++ b/com.unity.toonshader/Runtime/Shaders/Common/Parts/CommonProperties.shaderblock @@ -0,0 +1,490 @@ +// Common Properties for Unity Toon Shader +// This file contains all shared properties between UnityToon.shader and UnityToonTessellation.shader +// with comments preserved from the original files + +// Basic UI and Version Properties +[HideInInspector] _simpleUI ("SimpleUI", Int ) = 0 +[HideInInspector][Enum(OFF, 0, ON, 1)] _isUnityToonshader("Material is touched by Unity Toon Shader", Int) = 1 +[HideInInspector] _utsVersionX("VersionX", Float) = 0 +[HideInInspector] _utsVersionY("VersionY", Float) = 11 +[HideInInspector] _utsVersionZ("VersionZ", Float) = 0 +[HideInInspector] _utsTechnique ("Technique", int ) = 0 //DWF +_AutoRenderQueue("Automatic Render Queue ", int) = 1 + +// Stencil Properties +[Enum(OFF, 0, StencilOut, 1, StencilMask, 2)] _StencilMode("StencilMode", int) = 0 +// these are set in UniversalToonGUI.cs in accordance with _StencilMode +_StencilComp("Stencil Comparison", Float) = 8 +_StencilNo("Stencil No", Float) = 1 +_StencilOpPass("Stencil Operation", Float) = 0 +_StencilOpFail("Stencil Operation", Float) = 0 +[Enum(OFF, 0, ON, 1,] _TransparentEnabled("Transparent Mode", int) = 0 + +// Clipping Properties +// DoubleShadeWithFeather +// 0:_IS_CLIPPING_OFF 1:_IS_CLIPPING_MODE 2:_IS_CLIPPING_TRANSMODE +// ShadingGradeMap +// 0:_IS_TRANSCLIPPING_OFF 1:_IS_TRANSCLIPPING_ON +[Enum(OFF, 0, ON, 1, TRANSMODE, 2)] _ClippingMode("CliippingMode", int) = 0 + +// Cull and ZWrite Properties +[Enum(OFF, 0, FRONT, 1, BACK, 2)] _CullMode("Cull Mode", int) = 2 //OFF/FRONT/BACK +[Enum(OFF, 0, ONT, 1)] _ZWriteMode("ZWrite Mode", int) = 1 //OFF/ON +[Enum(OFF, 0, ONT, 1)] _ZOverDrawMode("ZOver Draw Mode", Float) = 0 //OFF/ON +_SPRDefaultUnlitColorMask("SPRDefaultUnlit Path Color Mask", int) = 15 +[Enum(OFF, 0, FRONT, 1, BACK, 2)] _SRPDefaultUnlitColMode("SPRDefaultUnlit Cull Mode", int) = 1 //OFF/FRONT/BACK + +// ClippingMask parameters +// ClippingMask paramaters from Here. +_ClippingMask("ClippingMask", 2D) = "white" {} +_IsBaseMapAlphaAsClippingMask("IsBaseMapAlphaAsClippingMask", Float) = 0 +// +[Toggle(_)] _Inverse_Clipping("Inverse_Clipping", Float) = 0 +_Clipping_Level("Clipping_Level", Range(0, 1)) = 0 +_Tweak_transparency("Tweak_transparency", Range(-1, 1)) = 0 +// ClippingMask paramaters to Here. + +// Base Color Properties +_MainTex ("BaseMap", 2D) = "white" {} +_BaseMap ("BaseMap", 2D) = "white" {} +_BaseColor ("BaseColor", Color) = (1,1,1,1) +//v.2.0.5 : Clipping/TransClipping for SSAO Problems in PostProcessing Stack. +//If you want to go back the former SSAO results, comment out the below line. +_Color ("Color", Color) = (1,1,1,1) +// +[Toggle(_)] _Is_LightColor_Base ("Is_LightColor_Base", Float ) = 1 + +// 1st Shade Properties +_1st_ShadeMap ("1st_ShadeMap", 2D) = "white" {} +//v.2.0.5 +[Toggle(_)] _Use_BaseAs1st ("Use BaseMap as 1st_ShadeMap", Float ) = 0 +_1st_ShadeColor ("1st_ShadeColor", Color) = (1,1,1,1) +[Toggle(_)] _Is_LightColor_1st_Shade ("Is_LightColor_1st_Shade", Float ) = 1 + +// 2nd Shade Properties +_2nd_ShadeMap ("2nd_ShadeMap", 2D) = "white" {} +//v.2.0.5 +[Toggle(_)] _Use_1stAs2nd ("Use 1st_ShadeMap as 2nd_ShadeMap", Float ) = 0 +_2nd_ShadeColor ("2nd_ShadeColor", Color) = (1,1,1,1) +[Toggle(_)] _Is_LightColor_2nd_Shade ("Is_LightColor_2nd_Shade", Float ) = 1 + +// Normal Map Properties +_NormalMap ("NormalMap", 2D) = "bump" {} +_BumpScale ("Normal Scale", Range(0, 1)) = 1 +[Toggle(_)] _Is_NormalMapToBase ("Is_NormalMapToBase", Float ) = 0 +//v.2.0.4.4 +[Toggle(_)] _Set_SystemShadowsToBase ("Set_SystemShadowsToBase", Float ) = 1 +_Tweak_SystemShadowsLevel ("Tweak_SystemShadowsLevel", Range(-0.5, 0.5)) = 0 + +// Shading Properties +//v.2.0.6 +_BaseColor_Step ("BaseColor_Step", Range(0, 1)) = 0.5 +_BaseShade_Feather ("Base/Shade_Feather", Range(0.0001, 1)) = 0.0001 +_ShadeColor_Step ("ShadeColor_Step", Range(0, 1)) = 0 +_1st2nd_Shades_Feather ("1st/2nd_Shades_Feather", Range(0.0001, 1)) = 0.0001 +_1st_ShadeColor_Step ("1st_ShadeColor_Step", Range(0, 1)) = 0.5 +_1st_ShadeColor_Feather ("1st_ShadeColor_Feather", Range(0.0001, 1)) = 0.0001 +_2nd_ShadeColor_Step ("2nd_ShadeColor_Step", Range(0, 1)) = 0 +_2nd_ShadeColor_Feather ("2nd_ShadeColor_Feather", Range(0.0001, 1)) = 0.0001 +//v.2.0.5 +_StepOffset ("Step_Offset (ForwardAdd Only)", Range(-0.5, 0.5)) = 0 +[Toggle(_)] _Is_Filter_HiCutPointLightColor ("PointLights HiCut_Filter (ForwardAdd Only)", Float ) = 1 + +// Shading Grade Map Properties +_Set_1st_ShadePosition ("Set_1st_ShadePosition", 2D) = "white" {} +_Set_2nd_ShadePosition ("Set_2nd_ShadePosition", 2D) = "white" {} +_ShadingGradeMap("ShadingGradeMap", 2D) = "white" {} +//v.2.0.6 +_Tweak_ShadingGradeMapLevel("Tweak_ShadingGradeMapLevel", Range(-0.5, 0.5)) = 0 +_BlurLevelSGM("Blur Level of ShadingGradeMap", Range(0, 10)) = 0 + +// High Color Properties +_HighColor ("HighColor", Color) = (0,0,0,1) +//v.2.0.4 HighColor_Tex +_HighColor_Tex ("HighColor_Tex", 2D) = "white" {} +[Toggle(_)] _Is_LightColor_HighColor ("Is_LightColor_HighColor", Float ) = 1 +[Toggle(_)] _Is_NormalMapToHighColor ("Is_NormalMapToHighColor", Float ) = 0 +_HighColor_Power ("HighColor_Power", Range(0, 1)) = 0 +[Toggle(_)] _Is_SpecularToHighColor ("Is_SpecularToHighColor", Float ) = 0 +[Toggle(_)] _Is_BlendAddToHiColor ("Is_BlendAddToHiColor", Float ) = 0 +[Toggle(_)] _Is_UseTweakHighColorOnShadow ("Is_UseTweakHighColorOnShadow", Float ) = 0 +_TweakHighColorOnShadow ("TweakHighColorOnShadow", Range(0, 1)) = 0 +//HiColorMask +_Set_HighColorMask ("Set_HighColorMask", 2D) = "white" {} +_Tweak_HighColorMaskLevel ("Tweak_HighColorMaskLevel", Range(-1, 1)) = 0 + +// Rim Light Properties +[Toggle(_)] _RimLight ("RimLight", Float ) = 0 +_RimLightColor ("RimLightColor", Color) = (1,1,1,1) +[Toggle(_)] _Is_LightColor_RimLight ("Is_LightColor_RimLight", Float ) = 1 +[Toggle(_)] _Is_NormalMapToRimLight ("Is_NormalMapToRimLight", Float ) = 0 +_RimLight_Power ("RimLight_Power", Range(0, 1)) = 0.1 +_RimLight_InsideMask ("RimLight_InsideMask", Range(0.0001, 1)) = 0.0001 +[Toggle(_)] _RimLight_FeatherOff ("RimLight_FeatherOff", Float ) = 0 +//RimLight +[Toggle(_)] _LightDirection_MaskOn ("LightDirection_MaskOn", Float ) = 0 +_Tweak_LightDirection_MaskLevel ("Tweak_LightDirection_MaskLevel", Range(0, 0.5)) = 0 +[Toggle(_)] _Add_Antipodean_RimLight ("Add_Antipodean_RimLight", Float ) = 0 +_Ap_RimLightColor ("Ap_RimLightColor", Color) = (1,1,1,1) +[Toggle(_)] _Is_LightColor_Ap_RimLight ("Is_LightColor_Ap_RimLight", Float ) = 1 +_Ap_RimLight_Power ("Ap_RimLight_Power", Range(0, 1)) = 0.1 +[Toggle(_)] _Ap_RimLight_FeatherOff ("Ap_RimLight_FeatherOff", Float ) = 0 +//RimLightMask +_Set_RimLightMask ("Set_RimLightMask", 2D) = "white" {} +_Tweak_RimLightMaskLevel ("Tweak_RimLightMaskLevel", Range(-1, 1)) = 0 + +// MatCap Properties +[Toggle(_)] _MatCap ("MatCap", Float ) = 0 +_MatCap_Sampler ("MatCap_Sampler", 2D) = "black" {} +//v.2.0.6 +_BlurLevelMatcap ("Blur Level of MatCap_Sampler", Range(0, 10)) = 0 +_MatCapColor ("MatCapColor", Color) = (1,1,1,1) +[Toggle(_)] _Is_LightColor_MatCap ("Is_LightColor_MatCap", Float ) = 1 +[Toggle(_)] _Is_BlendAddToMatCap ("Is_BlendAddToMatCap", Float ) = 1 +_Tweak_MatCapUV ("Tweak_MatCapUV", Range(-0.5, 0.5)) = 0 +_Rotate_MatCapUV ("Rotate_MatCapUV", Range(-1, 1)) = 0 +//v.2.0.6 +[Toggle(_)] _CameraRolling_Stabilizer ("Activate CameraRolling_Stabilizer", Float ) = 0 +[Toggle(_)] _Is_NormalMapForMatCap ("Is_NormalMapForMatCap", Float ) = 0 +_NormalMapForMatCap ("NormalMapForMatCap", 2D) = "bump" {} +_BumpScaleMatcap ("Scale for NormalMapforMatCap", Range(0, 1)) = 1 +_Rotate_NormalMapForMatCapUV ("Rotate_NormalMapForMatCapUV", Range(-1, 1)) = 0 +[Toggle(_)] _Is_UseTweakMatCapOnShadow ("Is_UseTweakMatCapOnShadow", Float ) = 0 +_TweakMatCapOnShadow ("TweakMatCapOnShadow", Range(0, 1)) = 0 +//MatcapMask +_Set_MatcapMask ("Set_MatcapMask", 2D) = "white" {} +_Tweak_MatcapMaskLevel ("Tweak_MatcapMaskLevel", Range(-1, 1)) = 0 +[Toggle(_)] _Inverse_MatcapMask ("Inverse_MatcapMask", Float ) = 0 +//v.2.0.5 +[Toggle(_)] _Is_Ortho ("Orthographic Projection for MatCap", Float ) = 0 + +// Angel Rings Properties +//// Angel Rings +[Toggle(_)] _AngelRing("AngelRing", Float) = 0 +_AngelRing_Sampler("AngelRing_Sampler", 2D) = "black" {} +_AngelRing_Color("AngelRing_Color", Color) = (1, 1, 1, 1) +[Toggle(_)] _Is_LightColor_AR("Is_LightColor_AR", Float) = 1 +_AR_OffsetU("AR_OffsetU", Range(0, 0.5)) = 0 +_AR_OffsetV("AR_OffsetV", Range(0, 1)) = 0.3 +[Toggle(_)] _ARSampler_AlphaOn("ARSampler_AlphaOn", Float) = 0 + +// Emissive Properties +//v.2.0.7 Emissive +[KeywordEnum(SIMPLE,ANIMATION)] _EMISSIVE("EMISSIVE MODE", Float) = 0 +_Emissive_Tex ("Emissive_Tex", 2D) = "white" {} +[HDR]_Emissive_Color ("Emissive_Color", Color) = (0,0,0,1) +_Base_Speed ("Base_Speed", Float ) = 0 +_Scroll_EmissiveU ("Scroll_EmissiveU", Range(-1, 1)) = 0 +_Scroll_EmissiveV ("Scroll_EmissiveV", Range(-1, 1)) = 0 +_Rotate_EmissiveUV ("Rotate_EmissiveUV", Float ) = 0 +[Toggle(_)] _Is_PingPong_Base ("Is_PingPong_Base", Float ) = 0 +[Toggle(_)] _Is_ColorShift ("Activate ColorShift", Float ) = 0 +[HDR]_ColorShift ("ColorSift", Color) = (0,0,0,1) +_ColorShift_Speed ("ColorShift_Speed", Float ) = 0 +[Toggle(_)] _Is_ViewShift ("Activate ViewShift", Float ) = 0 +[HDR]_ViewShift ("ViewSift", Color) = (0,0,0,1) +[Toggle(_)] _Is_ViewCoord_Scroll ("Is_ViewCoord_Scroll", Float ) = 0 + +// Outline Properties +//Outline +[KeywordEnum(NML,POS)] _OUTLINE("OUTLINE MODE", Float) = 0 +_Outline_Width ("Outline_Width", Float ) = 0 +_Farthest_Distance ("Farthest_Distance", Float ) = 100 +_Nearest_Distance ("Nearest_Distance", Float ) = 0.5 +_Outline_Sampler ("Outline_Sampler", 2D) = "white" {} +_Outline_Color ("Outline_Color", Color) = (0.5,0.5,0.5,1) +[Toggle(_)] _Is_BlendBaseColor ("Is_BlendBaseColor", Float ) = 0 +[Toggle(_)] _Is_LightColor_Outline ("Is_LightColor_Outline", Float ) = 1 +//v.2.0.4 +[Toggle(_)] _Is_OutlineTex ("Is_OutlineTex", Float ) = 0 +_OutlineTex ("OutlineTex", 2D) = "white" {} +//Offset parameter +_Offset_Z ("Offset_Camera_Z", Float) = 0 +//v.2.0.4.3 Baked Normal Texture for Outline +[Toggle(_)] _Is_BakedNormal ("Is_BakedNormal", Float ) = 0 +_BakedNormal ("Baked Normal for Outline", 2D) = "white" {} +//GI Intensity +_GI_Intensity ("GI_Intensity", Range(0, 1)) = 0 +//For VR Chat under No effective light objects +_Unlit_Intensity ("Unlit_Intensity", Range(0, 4)) = 0 +//v.2.0.5 +[Toggle(_)] _Is_Filter_LightColor ("VRChat : SceneLights HiCut_Filter", Float ) = 1 +//Built-in Light Direction +[Toggle(_)] _Is_BLD ("Advanced : Activate Built-in Light Direction", Float ) = 0 +_Offset_X_Axis_BLD (" Offset X-Axis (Built-in Light Direction)", Range(-1, 1)) = -0.05 +_Offset_Y_Axis_BLD (" Offset Y-Axis (Built-in Light Direction)", Range(-1, 1)) = 0.09 +[Toggle(_)] _Inverse_Z_Axis_BLD (" Inverse Z-Axis (Built-in Light Direction)", Float ) = 1 + +// HDRP Matte Properties +////////////////////////////////////////////////////////////////////////////// +////////////////// Beginning of HDRP Matte. ////////////////////////////////// +////////////////////////////////////////////////////////////////////////////// +[Toggle(_)] _BaseColorVisible("Channel mask", Float) = 1 +[Toggle(_)] _BaseColorOverridden("Channel mask", Float) = 0 +_BaseColorMaskColor("chennel mask color", Color) = (1, 1, 1, 1) + +[Toggle(_)] _FirstShadeVisible("Channel mask", Float) = 1 +[Toggle(_)] _FirstShadeOverridden("Channel mask", Float) = 0 +_FirstShadeMaskColor("chennel mask color", Color) = (0, 1, 1, 1) + +[Toggle(_)] _SecondShadeVisible("Channel mask", Float) = 1 +[Toggle(_)] _SecondShadeOverridden("Channel mask", Float) = 0 +_SecondShadeMaskColor("chennel mask color", Color) = (0, 0, 1, 1) + +[Toggle(_)] _HighlightVisible("Channel mask", Float) = 1 +[Toggle(_)] _HighlightOverridden("Channel mask", Float) = 0 +_HighlightMaskColor("Channel mask color", Color) = (1, 1, 0, 1) + +[Toggle(_)] _AngelRingVisible("Channel mask", Float) = 1 +[Toggle(_)] _AngelRingOverridden("Channel mask", Float) = 0 +_AngelRingMaskColor("Channel mask color", Color) = (0, 1, 0, 1) + +[Toggle(_)] _RimLightVisible("Channel mask", Float) = 1 +[Toggle(_)] _RimLightOverridden("Channel mask", Float) = 0 +_RimLightMaskColor("Channel mask color", Color) = (1, 0, 1, 1) + +[Toggle(_)] _OutlineVisible("Channel mask", Float) = 1 +[Toggle(_)] _OutlineOverridden("Channel mask", Float) = 0 +_OutlineMaskColor("Channel mask color", Color) = (0, 0, 0, 1) + +[Toggle(_)] _ComposerMaskMode("", Float) = 0 +[Enum(None, 0, BaseColor, 1, FirstShade, 2, SecondShade,3, Highlight, 4, AngelRing, 5, RimLight, 6)] _ClippingMatteMode("Clipping Matte Mode", int) = 0 + +////////////////////////////////////////////////////////////////////////////// +////////////////// End of HDRP Matte. ////////////////////////////////// +////////////////////////////////////////////////////////////////////////////// + +// Avoid HDRP srp batcher error +////////////////// Avoid HDRP srp batcher error /////////////////////////////// +[HideInInspector] emissive("to avoid srp batcher error", Color)= (0, 0, 0, 1) // +////////////////// Avoid HDRP srp batcher error /////////////////////////////// + +// HDRP material default values +////////////////////////////////////////////////////////////////////////////// +////////////////// Beginning of HDRP material default values. //////////////// +////////////////////////////////////////////////////////////////////////////// +_BaseColorMap("BaseColorMap", 2D) = "white" {} +[HideInInspector] _BaseColorMap_MipInfo("_BaseColorMap_MipInfo", Vector) = (0, 0, 0, 0) + +_Metallic("_Metallic", Range(0.0, 1.0)) = 0 +_Smoothness("Smoothness", Range(0.0, 1.0)) = 0.5 +_MaskMap("MaskMap", 2D) = "white" {} +_SmoothnessRemapMin("SmoothnessRemapMin", Float) = 0.0 +_SmoothnessRemapMax("SmoothnessRemapMax", Float) = 1.0 +_AlphaRemapMin("AlphaRemapMin", Float) = 0.0 // HDRP 14 +_AlphaRemapMax("AlphaRemapMax", Float) = 1.0 // HDRP 14 +_AORemapMin("AORemapMin", Float) = 0.0 +_AORemapMax("AORemapMax", Float) = 1.0 + +// Normal Maps +////////////// _NormalMap("NormalMap", 2D) = "bump" {} // Tangent space normal map +_NormalMapOS("NormalMapOS", 2D) = "white" {} // Object space normal map - no good default value +_NormalScale("_NormalScale", Range(0.0, 8.0)) = 1 + +_BentNormalMap("_BentNormalMap", 2D) = "bump" {} +_BentNormalMapOS("_BentNormalMapOS", 2D) = "white" {} + +// Height Maps +_HeightMap("HeightMap", 2D) = "black" {} +// Caution: Default value of _HeightAmplitude must be (_HeightMax - _HeightMin) * 0.01 +// Those two properties are computed from the ones exposed in the UI and depends on the displaement mode so they are separate because we don't want to lose information upon displacement mode change. +[HideInInspector] _HeightAmplitude("Height Amplitude", Float) = 0.02 // In world units. This will be computed in the UI. +[HideInInspector] _HeightCenter("Height Center", Range(0.0, 1.0)) = 0.5 // In texture space + +[Enum(MinMax, 0, Amplitude, 1)] _HeightMapParametrization("Heightmap Parametrization", Int) = 0 +// These parameters are for vertex displacement/Tessellation +_HeightOffset("Height Offset", Float) = 0 +// MinMax mode +_HeightMin("Heightmap Min", Float) = -1 +_HeightMax("Heightmap Max", Float) = 1 +// Amplitude mode +_HeightTessAmplitude("Amplitude", Float) = 2.0 // in Centimeters +_HeightTessCenter("Height Center", Range(0.0, 1.0)) = 0.5 // In texture space + +// These parameters are for pixel displacement +_HeightPoMAmplitude("Height Amplitude", Float) = 2.0 // In centimeters + +// Detail Maps +_DetailMap("DetailMap", 2D) = "linearGrey" {} +_DetailAlbedoScale("_DetailAlbedoScale", Range(0.0, 2.0)) = 1 +_DetailNormalScale("_DetailNormalScale", Range(0.0, 2.0)) = 1 +_DetailSmoothnessScale("_DetailSmoothnessScale", Range(0.0, 2.0)) = 1 + +// Tangent Maps +_TangentMap("TangentMap", 2D) = "bump" {} +_TangentMapOS("TangentMapOS", 2D) = "white" {} +_Anisotropy("Anisotropy", Range(-1.0, 1.0)) = 0 +_AnisotropyMap("AnisotropyMap", 2D) = "white" {} + +// Diffusion Profile +[HideInInspector] _DiffusionProfile("Obsolete, kept for migration purpose", Int) = 0 +[HideInInspector] _DiffusionProfileAsset("Diffusion Profile Asset", Vector) = (0, 0, 0, 0) +[HideInInspector] _DiffusionProfileHash("Diffusion Profile Hash", Float) = 0 +_SubsurfaceMask("Subsurface Radius", Range(0.0, 1.0)) = 1.0 +_SubsurfaceMaskMap("Subsurface Radius Map", 2D) = "white" {} +_TransmissionMask("Transmission Mask", Range(0.0, 1.0)) = 1.0 +_Thickness("Thickness", Range(0.0, 1.0)) = 1.0 +_ThicknessMap("Thickness Map", 2D) = "white" {} +_ThicknessRemap("Thickness Remap", Vector) = (0, 1, 0, 0) + +// Iridescence +_IridescenceThickness("Iridescence Thickness", Range(0.0, 1.0)) = 1.0 +_IridescenceThicknessMap("Iridescence Thickness Map", 2D) = "white" {} +_IridescenceThicknessRemap("Iridescence Thickness Remap", Vector) = (0, 1, 0, 0) +_IridescenceMask("Iridescence Mask", Range(0.0, 1.0)) = 1.0 +_IridescenceMaskMap("Iridescence Mask Map", 2D) = "white" {} + +// Coat +_CoatMask("Coat Mask", Range(0.0, 1.0)) = 0.0 +_CoatMaskMap("CoatMaskMap", 2D) = "white" {} + +// Specular +[ToggleUI] _EnergyConservingSpecularColor("_EnergyConservingSpecularColor", Float) = 1.0 +_SpecularColor("SpecularColor", Color) = (1, 1, 1, 1) +_SpecularColorMap("SpecularColorMap", 2D) = "white" {} + +// Following options are for the GUI inspector and different from the input parameters above +// These option below will cause different compilation flag. +[Enum(Off, 0, From Ambient Occlusion, 1, From Bent Normals, 2)] _SpecularOcclusionMode("Specular Occlusion Mode", Int) = 1 + +// Emissive +[HDR] _EmissiveColor("EmissiveColor", Color) = (0, 0, 0) +// Used only to serialize the LDR and HDR emissive color in the material UI, +// in the shader only the _EmissiveColor should be used +[HideInInspector] _EmissiveColorLDR("EmissiveColor LDR", Color) = (0, 0, 0) +_EmissiveColorMap("EmissiveColorMap", 2D) = "white" {} +[ToggleUI] _AlbedoAffectEmissive("Albedo Affect Emissive", Float) = 0.0 +[HideInInspector] _EmissiveIntensityUnit("Emissive Mode", Int) = 0 +[ToggleUI] _UseEmissiveIntensity("Use Emissive Intensity", Int) = 0 +_EmissiveIntensity("Emissive Intensity", Float) = 1 +_EmissiveExposureWeight("Emissive Pre Exposure", Range(0.0, 1.0)) = 1.0 + +// Distortion +_DistortionVectorMap("DistortionVectorMap", 2D) = "black" {} +[ToggleUI] _DistortionEnable("Enable Distortion", Float) = 0.0 +[ToggleUI] _DistortionDepthTest("Distortion Depth Test Enable", Float) = 1.0 +[Enum(Add, 0, Multiply, 1, Replace, 2)] _DistortionBlendMode("Distortion Blend Mode", Int) = 0 +[HideInInspector] _DistortionSrcBlend("Distortion Blend Src", Int) = 0 +[HideInInspector] _DistortionDstBlend("Distortion Blend Dst", Int) = 0 +[HideInInspector] _DistortionBlurSrcBlend("Distortion Blur Blend Src", Int) = 0 +[HideInInspector] _DistortionBlurDstBlend("Distortion Blur Blend Dst", Int) = 0 +[HideInInspector] _DistortionBlurBlendMode("Distortion Blur Blend Mode", Int) = 0 +_DistortionScale("Distortion Scale", Float) = 1 +_DistortionVectorScale("Distortion Vector Scale", Float) = 2 +_DistortionVectorBias("Distortion Vector Bias", Float) = -1 +_DistortionBlurScale("Distortion Blur Scale", Float) = 1 +_DistortionBlurRemapMin("DistortionBlurRemapMin", Float) = 0.0 +_DistortionBlurRemapMax("DistortionBlurRemapMax", Float) = 1.0 + +// Alpha and Transparency +[ToggleUI] _UseShadowThreshold("_UseShadowThreshold", Float) = 0.0 +[ToggleUI] _AlphaCutoffEnable("Alpha Cutoff Enable", Float) = 0.0 +_AlphaCutoff("Alpha Cutoff", Range(0.0, 1.0)) = 0.5 +_AlphaCutoffShadow("_AlphaCutoffShadow", Range(0.0, 1.0)) = 0.5 +_AlphaCutoffPrepass("_AlphaCutoffPrepass", Range(0.0, 1.0)) = 0.5 +_AlphaCutoffPostpass("_AlphaCutoffPostpass", Range(0.0, 1.0)) = 0.5 +[ToggleUI] _TransparentDepthPrepassEnable("_TransparentDepthPrepassEnable", Float) = 0.0 +[ToggleUI] _TransparentBackfaceEnable("_TransparentBackfaceEnable", Float) = 0.0 +[ToggleUI] _TransparentDepthPostpassEnable("_TransparentDepthPostpassEnable", Float) = 0.0 +_TransparentSortPriority("_TransparentSortPriority", Float) = 0 + +// Transparency +[Enum(None, 0, Box, 1, Sphere, 2, Thin, 3)]_RefractionModel("Refraction Model", Int) = 0 +[Enum(Proxy, 1, HiZ, 2)]_SSRefractionProjectionModel("Refraction Projection Model", Int) = 0 +_Ior("Index Of Refraction", Range(1.0, 2.5)) = 1.0 +_ThicknessMultiplier("Thickness Multiplier", Float) = 1.0 +_TransmittanceColor("Transmittance Color", Color) = (1.0, 1.0, 1.0) +_TransmittanceColorMap("TransmittanceColorMap", 2D) = "white" {} +_ATDistance("Transmittance Absorption Distance", Float) = 1.0 +[ToggleUI] _TransparentWritingMotionVec("_TransparentWritingMotionVec", Float) = 0.0 + +// Stencil state +// Forward +[HideInInspector] _StencilRef("_StencilRef", Int) = 2 // StencilLightingUsage.RegularLighting +[HideInInspector] _StencilWriteMask("_StencilWriteMask", Int) = 3 // StencilMask.Lighting +// GBuffer +[HideInInspector] _StencilRefGBuffer("_StencilRefGBuffer", Int) = 2 // StencilLightingUsage.RegularLighting +[HideInInspector] _StencilWriteMaskGBuffer("_StencilWriteMaskGBuffer", Int) = 3 // StencilMask.Lighting +// Depth prepass +[HideInInspector] _StencilRefDepth("_StencilRefDepth", Int) = 0 // Nothing +[HideInInspector] _StencilWriteMaskDepth("_StencilWriteMaskDepth", Int) = 32 // DoesntReceiveSSR +// Motion vector pass +[HideInInspector] _StencilRefMV("_StencilRefMV", Int) = 128 // StencilBitMask.ObjectMotionVectors +[HideInInspector] _StencilWriteMaskMV("_StencilWriteMaskMV", Int) = 128 // StencilBitMask.ObjectMotionVectors +// Distortion vector pass +[HideInInspector] _StencilRefDistortionVec("_StencilRefDistortionVec", Int) = 64 // StencilBitMask.DistortionVectors +[HideInInspector] _StencilWriteMaskDistortionVec("_StencilWriteMaskDistortionVec", Int) = 64 // StencilBitMask.DistortionVectors + +// Blending state +[HideInInspector] _SurfaceType("__surfacetype", Float) = 0.0 +[HideInInspector] _BlendMode("__blendmode", Float) = 0.0 +[HideInInspector] _SrcBlend("__src", Float) = 1.0 +[HideInInspector] _DstBlend("__dst", Float) = 0.0 +[HideInInspector] _AlphaSrcBlend("__alphaSrc", Float) = 1.0 +[HideInInspector] _AlphaDstBlend("__alphaDst", Float) = 0.0 +[HideInInspector][ToggleUI] _ZWrite("__zw", Float) = 1.0 +[HideInInspector][ToggleUI] _TransparentZWrite("_TransparentZWrite", Float) = 0.0 +[HideInInspector] _CullMode("__cullmode", Float) = 2.0 +[HideInInspector] _CullModeForward("__cullmodeForward", Float) = 2.0 // This mode is dedicated to Forward to correctly handle backface then front face rendering thin transparent +[HideInInspector] _TransparentCullMode("_TransparentCullMode", Int) = 2 // Back culling by default +[HideInInspector] _ZTestDepthEqualForOpaque("_ZTestDepthEqualForOpaque", Int) = 4 // Less equal +[HideInInspector] _ZTestModeDistortion("_ZTestModeDistortion", Int) = 8 +[HideInInspector] _ZTestGBuffer("_ZTestGBuffer", Int) = 4 +[Enum(UnityEngine.Rendering.CompareFunction)] _ZTestTransparent("Transparent ZTest", Int) = 4 // Less equal + +[ToggleUI] _EnableFogOnTransparent("Enable Fog", Float) = 1.0 +[ToggleUI] _EnableBlendModePreserveSpecularLighting("Enable Blend Mode Preserve Specular Lighting", Float) = 1.0 + +[ToggleUI] _DoubleSidedEnable("Double sided enable", Float) = 0.0 +[Enum(Flip, 0, Mirror, 1, None, 2)] _DoubleSidedNormalMode("Double sided normal mode", Float) = 1 +[HideInInspector] _DoubleSidedConstants("_DoubleSidedConstants", Vector) = (1, 1, -1, 0) + +[Enum(UV0, 0, UV1, 1, UV2, 2, UV3, 3, Planar, 4, Triplanar, 5)] _UVBase("UV Set for base", Float) = 0 +[Enum(WorldSpace, 0, ObjectSpace, 1)] _ObjectSpaceUVMapping("Mapping space", Float) = 0.0 +_TexWorldScale("Scale to apply on world coordinate", Float) = 1.0 +[HideInInspector] _InvTilingScale("Inverse tiling scale = 2 / (abs(_BaseColorMap_ST.x) + abs(_BaseColorMap_ST.y))", Float) = 1 +[HideInInspector] _UVMappingMask("_UVMappingMask", Color) = (1, 0, 0, 0) +[Enum(TangentSpace, 0, ObjectSpace, 1)] _NormalMapSpace("NormalMap space", Float) = 0 + +// Following enum should be material feature flags (i.e bitfield), however due to Gbuffer encoding constrain many combination exclude each other +// so we use this enum as "material ID" which can be interpreted as preset of bitfield of material feature +// The only material feature flag that can be added in all cases is clear coat +[Enum(Subsurface Scattering, 0, Standard, 1, Anisotropy, 2, Iridescence, 3, Specular Color, 4, Translucent, 5)] _MaterialID("MaterialId", Int) = 1 // MaterialId.Standard + +[ToggleUI] _EnableGeometricSpecularAA("EnableGeometricSpecularAA", Float) = 0.0 +_SpecularAAScreenSpaceVariance("SpecularAAScreenSpaceVariance", Range(0.0, 1.0)) = 0.1 +_SpecularAAThreshold("SpecularAAThreshold", Range(0.0, 1.0)) = 0.2 + +_PPDMinSamples("Min sample for POM", Range(1.0, 64.0)) = 5 +_PPDMaxSamples("Max sample for POM", Range(1.0, 64.0)) = 15 +_PPDLodThreshold("Start lod to fade out the POM effect", Range(0.0, 16.0)) = 5 +_PPDPrimitiveLength("Primitive length for POM", Float) = 1 +_PPDPrimitiveWidth("Primitive width for POM", Float) = 1 +[HideInInspector] _InvPrimScale("Inverse primitive scale for non-planar POM", Vector) = (1, 1, 0, 0) + +[Enum(UV0, 0, UV1, 1, UV2, 2, UV3, 3)] _UVDetail("UV Set for detail", Float) = 0 +[HideInInspector] _UVDetailsMappingMask("_UVDetailsMappingMask", Color) = (1, 0, 0, 0) +[ToggleUI] _LinkDetailsWithBase("LinkDetailsWithBase", Float) = 1.0 + +[Enum(Use Emissive Color, 0, Use Emissive Mask, 1)] _EmissiveColorMode("Emissive color mode", Float) = 1 +[Enum(UV0, 0, UV1, 1, UV2, 2, UV3, 3, Planar, 4, Triplanar, 5)] _UVEmissive("UV Set for emissive", Float) = 0 +_TexWorldScaleEmissive("Scale to apply on world coordinate", Float) = 1.0 +[HideInInspector] _UVMappingMaskEmissive("_UVMappingMaskEmissive", Color) = (1, 0, 0, 0) + +// Caution: C# code in BaseLitUI.cs call LightmapEmissionFlagsProperty() which assume that there is an existing "_EmissionColor" +// value that exist to identify if the GI emission need to be enabled. +// In our case we don't use such a mechanism but need to keep the code quiet. We declare the value and always enable it. +// TODO: Fix the code in legacy unity so we can customize the beahvior for GI +_EmissionColor("Color", Color) = (1, 1, 1) + +// HACK: GI Baking system relies on some properties existing in the shader ("_MainTex", "_Cutoff" and "_Color") for opacity handling, so we need to store our version of those parameters in the hard-coded name the GI baking system recognizes. +////////// _MainTex("BaseMap", 2D) = "white" {} +_Color("Color", Color) = (1,1,1,1) +_Cutoff("Alpha Cutoff", Range(0.0, 1.0)) = 0.5 + +[ToggleUI] _SupportDecals("Support Decals", Float) = 1.0 +[ToggleUI] _ReceivesSSR("Receives SSR", Float) = 1.0 +[ToggleUI] _AddPrecomputedVelocity("AddPrecomputedVelocity", Float) = 0.0 +////////////////////////////////////////////////////////////////////////////// +//////////////////// End of HDRP material default values. //////////////////// +////////////////////////////////////////////////////////////////////////////// diff --git a/com.unity.toonshader/Runtime/Shaders/Common/Parts/CommonProperties.shaderblock.meta b/com.unity.toonshader/Runtime/Shaders/Common/Parts/CommonProperties.shaderblock.meta new file mode 100644 index 000000000..b1e2571d8 --- /dev/null +++ b/com.unity.toonshader/Runtime/Shaders/Common/Parts/CommonProperties.shaderblock.meta @@ -0,0 +1,7 @@ +fileFormatVersion: 2 +guid: bf400698b8c2d4748a6520ebf24204a3 +DefaultImporter: + externalObjects: {} + userData: + assetBundleName: + assetBundleVariant: diff --git a/com.unity.toonshader/Runtime/Shaders/Common/Parts/TessellationProperties.shaderblock b/com.unity.toonshader/Runtime/Shaders/Common/Parts/TessellationProperties.shaderblock new file mode 100644 index 000000000..02db154d3 --- /dev/null +++ b/com.unity.toonshader/Runtime/Shaders/Common/Parts/TessellationProperties.shaderblock @@ -0,0 +1,17 @@ +// Tessellation-specific Properties for Unity Toon Shader Tessellation +// These properties are only present in the tessellation shader + +// Tessellation specific +[Enum(None, 0, Phong, 1)] _TessellationMode("Tessellation mode", Float) = 0 +_TessellationFactor("Tessellation Factor", Range(0.0, 64.0)) = 4.0 +_TessellationFactorMinDistance("Tessellation start fading distance", Float) = 20.0 +_TessellationFactorMaxDistance("Tessellation end fading distance", Float) = 50.0 +_TessellationFactorTriangleSize("Tessellation triangle size", Float) = 100.0 +_TessellationShapeFactor("Tessellation shape factor", Range(0.0, 1.0)) = 0.75 // Only use with Phong +_TessellationBackFaceCullEpsilon("Tessellation back face epsilon", Range(-1.0, 0.0)) = -0.25 + +// Legacy material tessellation values +//Tessellation +_TessEdgeLength("DX11 Tess : Edge length", Range(2, 50)) = 5 +_TessPhongStrength("DX11 Tess : Phong Strength", Range(0, 1)) = 0.5 +_TessExtrusionAmount("DX11 Tess : Extrusion Amount", Range(-0.005, 0.005)) = 0.0 diff --git a/com.unity.toonshader/Runtime/Shaders/Common/Parts/TessellationProperties.shaderblock.meta b/com.unity.toonshader/Runtime/Shaders/Common/Parts/TessellationProperties.shaderblock.meta new file mode 100644 index 000000000..438ce259a --- /dev/null +++ b/com.unity.toonshader/Runtime/Shaders/Common/Parts/TessellationProperties.shaderblock.meta @@ -0,0 +1,7 @@ +fileFormatVersion: 2 +guid: 48dde212c621e2b42b938c6e38aa9822 +DefaultImporter: + externalObjects: {} + userData: + assetBundleName: + assetBundleVariant: diff --git a/com.unity.toonshader/Runtime/Shaders/Common/Parts/UnityToon.shadertemplate b/com.unity.toonshader/Runtime/Shaders/Common/Parts/UnityToon.shadertemplate new file mode 100644 index 000000000..d5fbbaf49 --- /dev/null +++ b/com.unity.toonshader/Runtime/Shaders/Common/Parts/UnityToon.shadertemplate @@ -0,0 +1,1207 @@ +Shader "Toon" { + Properties + { + [COMMON_PROPERTIES] + } + + + HLSLINCLUDE + + #define DISABLE_RP_SHADERS + //------------------------------------------------------------------------------------- + // Variant + //------------------------------------------------------------------------------------- +#ifndef DISABLE_RP_SHADERS +// HDRP Variant + #pragma shader_feature_local _ALPHATEST_ON + #pragma shader_feature_local _DEPTHOFFSET_ON + #pragma shader_feature_local _DOUBLESIDED_ON + #pragma shader_feature_local _ _VERTEX_DISPLACEMENT _PIXEL_DISPLACEMENT + #pragma shader_feature_local _VERTEX_DISPLACEMENT_LOCK_OBJECT_SCALE + #pragma shader_feature_local _DISPLACEMENT_LOCK_TILING_SCALE + #pragma shader_feature_local _PIXEL_DISPLACEMENT_LOCK_OBJECT_SCALE + #pragma shader_feature_local _TESSELLATION_PHONG + #pragma shader_feature_local _ _REFRACTION_PLANE _REFRACTION_SPHERE _REFRACTION_THIN + + #pragma shader_feature_local _ _EMISSIVE_MAPPING_PLANAR _EMISSIVE_MAPPING_TRIPLANAR + #pragma shader_feature_local _ _MAPPING_PLANAR _MAPPING_TRIPLANAR + #pragma shader_feature_local _NORMALMAP_TANGENT_SPACE + #pragma shader_feature_local _ _REQUIRE_UV2 _REQUIRE_UV3 + + #pragma shader_feature_local _NORMALMAP + #pragma shader_feature_local _MASKMAP + #pragma shader_feature_local _BENTNORMALMAP + #pragma shader_feature_local _EMISSIVE_COLOR_MAP + + // _ENABLESPECULAROCCLUSION keyword is obsolete but keep here for compatibility. Do not used + // _ENABLESPECULAROCCLUSION and _SPECULAR_OCCLUSION_X can't exist at the same time (the new _SPECULAR_OCCLUSION replace it) + // When _ENABLESPECULAROCCLUSION is found we define _SPECULAR_OCCLUSION_X so new code to work + #pragma shader_feature_local _ENABLESPECULAROCCLUSION + #pragma shader_feature_local _ _SPECULAR_OCCLUSION_NONE _SPECULAR_OCCLUSION_FROM_BENT_NORMAL_MAP + #ifdef _ENABLESPECULAROCCLUSION + #define _SPECULAR_OCCLUSION_FROM_BENT_NORMAL_MAP + #endif + + #pragma shader_feature_local _HEIGHTMAP + #pragma shader_feature_local _TANGENTMAP + #pragma shader_feature_local _ANISOTROPYMAP + #pragma shader_feature_local _DETAIL_MAP + #pragma shader_feature_local _SUBSURFACE_MASK_MAP + #pragma shader_feature_local _THICKNESSMAP + #pragma shader_feature_local _IRIDESCENCE_THICKNESSMAP + #pragma shader_feature_local _SPECULARCOLORMAP + #pragma shader_feature_local _TRANSMITTANCECOLORMAP + + #pragma shader_feature_local _DISABLE_DECALS + #pragma shader_feature_local _DISABLE_SSR + #pragma shader_feature_local _ADD_PRECOMPUTED_VELOCITY + #pragma shader_feature_local _ENABLE_GEOMETRIC_SPECULAR_AA + + // Keyword for transparent + #pragma shader_feature _SURFACE_TYPE_TRANSPARENT + #pragma shader_feature_local _ _BLENDMODE_ALPHA _BLENDMODE_ADD _BLENDMODE_PRE_MULTIPLY + #pragma shader_feature_local _BLENDMODE_PRESERVE_SPECULAR_LIGHTING + #pragma shader_feature_local _ENABLE_FOG_ON_TRANSPARENT + #pragma shader_feature_local _TRANSPARENT_WRITES_MOTION_VEC + + // MaterialFeature are used as shader feature to allow compiler to optimize properly + #pragma shader_feature_local _MATERIAL_FEATURE_SUBSURFACE_SCATTERING + #pragma shader_feature_local _MATERIAL_FEATURE_TRANSMISSION + #pragma shader_feature_local _MATERIAL_FEATURE_ANISOTROPY + #pragma shader_feature_local _MATERIAL_FEATURE_CLEAR_COAT + #pragma shader_feature_local _MATERIAL_FEATURE_IRIDESCENCE + #pragma shader_feature_local _MATERIAL_FEATURE_SPECULAR_COLOR + + + + + // enable dithering LOD crossfade + #pragma multi_compile _ LOD_FADE_CROSSFADE + + //enable GPU instancing support + #pragma multi_compile_instancing + #pragma instancing_options renderinglayer + // enable debug shado + // #pragma multi_compile _ UTS_DEBUG_SELFSHADOW + // #pragma multi_compile _ UTS_DEBUG_SHADOWMAP + // #pragma multi_compile _ UTS_DEBUG_SHADOWMAP_NO_OUTLINE + // end of HDRP Variants +#endif //#ifndef DISABLE_RP_SHADERS + + ENDHLSL + + + // *************************** // + // ****** HDRP Subshader ***** // + // *************************** // + SubShader + { + PackageRequirements + { + "com.unity.render-pipelines.high-definition": "10.5.0" + } + // This tags allow to use the shader replacement features + Tags{ "RenderPipeline"="HDRenderPipeline" } + + Pass + { + Name "SceneSelectionPass" + Tags { "LightMode" = "SceneSelectionPass" } + + Cull Off + + HLSLPROGRAM + #pragma only_renderers d3d11 playstation xboxone xboxseries vulkan metal switch + #pragma target 4.5 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + // Note: Require _ObjectId and _PassValue variables + + // We reuse depth prepass for the scene selection, allow to handle alpha correctly as well as tessellation and vertex animation + #define SHADERPASS SHADERPASS_DEPTH_ONLY + #define SCENESELECTIONPASS // This will drive the output of the scene selection shader + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitDepthPass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassDepthOnly.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + + #pragma editor_sync_compilation + + ENDHLSL + } + + // Caution: The outline selection in the editor use the vertex shader/hull/domain shader of the first pass declare. So it should not bethe meta pass. + Pass + { + Name "GBuffer" + Tags { "LightMode" = "GBuffer" } // This will be only for opaque object based on the RenderQueue index + + Cull[_CullMode] + ZTest[_ZTestGBuffer] + + Stencil + { + WriteMask[_StencilWriteMaskGBuffer] + Ref[_StencilRefGBuffer] + Comp Always + Pass Replace + } + + HLSLPROGRAM + #pragma only_renderers d3d11 playstation xboxone xboxseries vulkan metal switch + #pragma target 4.5 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + + #pragma only_renderers d3d11 playstation xboxone xboxseries vulkan metal switch + #pragma multi_compile _ DOTS_INSTANCING_ON + + + #pragma multi_compile _ DEBUG_DISPLAY + #pragma multi_compile _ LIGHTMAP_ON + #pragma multi_compile _ DIRLIGHTMAP_COMBINED + #pragma multi_compile _ DYNAMICLIGHTMAP_ON + #pragma multi_compile _ SHADOWS_SHADOWMASK + // Setup DECALS_OFF so the shader stripper can remove variants + #pragma multi_compile DECALS_OFF DECALS_3RT DECALS_4RT + #pragma multi_compile _ LIGHT_LAYERS + + #ifndef DEBUG_DISPLAY + // When we have alpha test, we will force a depth prepass so we always bypass the clip instruction in the GBuffer + // Don't do it with debug display mode as it is possible there is no depth prepass in this case + #define SHADERPASS_GBUFFER_BYPASS_ALPHA_TEST + #endif + + #define SHADERPASS SHADERPASS_GBUFFER + #ifdef DEBUG_DISPLAY + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Debug/DebugDisplay.hlsl" + #endif + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + // #include "MaterialGBufferMacrosUTS.hlsl" // must be above lit.hlsl + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + // #include "EncodeIntoGBufferUTS.hlsl" // must be bellow lit.hlsl + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitSharePass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassGBuffer.hlsl" + #pragma vertex Vert + #pragma fragment Frag + + ENDHLSL + } + + + // Extracts information for lightmapping, GI (emission, albedo, ...) + // This pass it not used during regular rendering. + Pass + { + Name "META" + Tags{ "LightMode" = "META" } + + Cull Off + + HLSLPROGRAM + #pragma only_renderers d3d11 playstation xboxone xboxseries vulkan metal switch + #pragma target 4.5 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + // Lightmap memo + // DYNAMICLIGHTMAP_ON is used when we have an "enlighten lightmap" ie a lightmap updated at runtime by enlighten.This lightmap contain indirect lighting from realtime lights and realtime emissive material.Offline baked lighting(from baked material / light, + // both direct and indirect lighting) will hand up in the "regular" lightmap->LIGHTMAP_ON. + + #define SHADERPASS SHADERPASS_LIGHT_TRANSPORT + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitSharePass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassLightTransport.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + + ENDHLSL + } + + Pass + { + Name "ShadowCaster" + Tags{ "LightMode" = "ShadowCaster" } + + Cull[_CullMode] + + ZClip [_ZClip] + ZWrite On + ZTest LEqual + + ColorMask 0 + + HLSLPROGRAM + #pragma only_renderers d3d11 playstation xboxone xboxseries vulkan metal switch + #pragma target 4.5 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + + #define SHADERPASS SHADERPASS_SHADOWS + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitDepthPass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassDepthOnly.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + + ENDHLSL + } + + Pass + { + Name "DepthForwardOnly" + Tags{ "LightMode" = "DepthForwardOnly" } + + Cull[_CullMode] + + // To be able to tag stencil with disableSSR information for forward + Stencil + { + WriteMask [_StencilWriteMaskDepth] + Ref [_StencilRefDepth] + Comp Always + Pass Replace + } + + ZWrite On + + HLSLPROGRAM + #pragma only_renderers d3d11 playstation xboxone xboxseries vulkan metal switch + #pragma target 4.5 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + // In deferred, depth only pass don't output anything. + // In forward it output the normal buffer + #pragma multi_compile _ WRITE_NORMAL_BUFFER + #pragma multi_compile _ WRITE_MSAA_DEPTH + + #define SHADERPASS SHADERPASS_DEPTH_ONLY + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + + #ifdef WRITE_NORMAL_BUFFER // If enabled we need all regular interpolator + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitSharePass.hlsl" + #else + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitDepthPass.hlsl" + #endif + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassDepthOnly.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + + ENDHLSL + } + + Pass + { + Name "MotionVectors" + Tags{ "LightMode" = "MotionVectors" } // Caution, this need to be call like this to setup the correct parameters by C++ (legacy Unity) + + // If velocity pass (motion vectors) is enabled we tag the stencil so it don't perform CameraMotionVelocity + Stencil + { + WriteMask [_StencilWriteMaskMV] + Ref [_StencilRefMV] + Comp Always + Pass Replace + } + + Cull[_CullMode] + + ZWrite On + + HLSLPROGRAM + #pragma only_renderers d3d11 playstation xboxone xboxseries vulkan metal switch + #pragma target 4.5 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + #pragma multi_compile _ WRITE_NORMAL_BUFFER + #pragma multi_compile _ WRITE_MSAA_DEPTH + + #define SHADERPASS SHADERPASS_MOTION_VECTORS + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + #ifdef WRITE_NORMAL_BUFFER // If enabled we need all regular interpolator + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitSharePass.hlsl" + #else + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitMotionVectorPass.hlsl" + #endif + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassMotionVectors.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + + ENDHLSL + } + + Pass + { + Name "DistortionVectors" + Tags { "LightMode" = "DistortionVectors" } // This will be only for transparent object based on the RenderQueue index + + Stencil + { + WriteMask [_StencilRefDistortionVec] + Ref [_StencilRefDistortionVec] + Comp Always + Pass Replace + } + + Blend [_DistortionSrcBlend] [_DistortionDstBlend], [_DistortionBlurSrcBlend] [_DistortionBlurDstBlend] + BlendOp Add, [_DistortionBlurBlendOp] + ZTest [_ZTestModeDistortion] + ZWrite off + Cull [_CullMode] + + HLSLPROGRAM + #pragma only_renderers d3d11 playstation xboxone xboxseries vulkan metal switch + #pragma target 4.5 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + #define SHADERPASS SHADERPASS_DISTORTION + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitDistortionPass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassDistortion.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + + ENDHLSL + } + + Pass + { + Name "TransparentDepthPrepass" + Tags{ "LightMode" = "TransparentDepthPrepass" } + + Cull[_CullMode] + ZWrite On + ColorMask 0 + + HLSLPROGRAM + #pragma only_renderers d3d11 playstation xboxone xboxseries vulkan metal switch + #pragma target 4.5 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + #define SHADERPASS SHADERPASS_DEPTH_ONLY + #define CUTOFF_TRANSPARENT_DEPTH_PREPASS + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitDepthPass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassDepthOnly.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + + ENDHLSL + } + + // Caution: Order is important: TransparentBackface, then Forward/ForwardOnly + Pass + { + Name "TransparentBackface" + Tags { "LightMode" = "TransparentBackface" } + + Blend [_SrcBlend] [_DstBlend], [_AlphaSrcBlend] [_AlphaDstBlend] + ZWrite [_ZWrite] + Cull Front + ColorMask [_ColorMaskTransparentVel] 1 + ZTest [_ZTestTransparent] + + HLSLPROGRAM + #pragma only_renderers d3d11 playstation xboxone xboxseries vulkan metal switch + #pragma target 4.5 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + #pragma multi_compile _ DEBUG_DISPLAY + #pragma multi_compile _ LIGHTMAP_ON + #pragma multi_compile _ DIRLIGHTMAP_COMBINED + #pragma multi_compile _ DYNAMICLIGHTMAP_ON + #pragma multi_compile _ SHADOWS_SHADOWMASK + #pragma multi_compile SCREEN_SPACE_SHADOWS_OFF SCREEN_SPACE_SHADOWS_ON + // Setup DECALS_OFF so the shader stripper can remove variants + #pragma multi_compile DECALS_OFF DECALS_3RT DECALS_4RT + + // Supported shadow modes per light type + #pragma multi_compile SHADOW_LOW SHADOW_MEDIUM SHADOW_HIGH + #if UNITY_VERSION >= 60000000 + // fix for https://github.com/Unity-Technologies/com.unity.toonshader/issues/391 + #ifdef SHADOW_MEDIUM + #ifndef PUNCTUAL_SHADOW_MEDIUM + #define PUNCTUAL_SHADOW_MEDIUM + #endif + #ifndef DIRECTIONAL_SHADOW_MEDIUM + #define DIRECTIONAL_SHADOW_MEDIUM + #endif + #endif + + #ifdef SHADOW_HIGH + #ifndef PUNCTUAL_SHADOW_HIGH + #define PUNCTUAL_SHADOW_HIGH + #endif + #ifndef DIRECTIONAL_SHADOW_HIGH + #define DIRECTIONAL_SHADOW_HIGH + #endif + #endif + #endif + #define USE_CLUSTERED_LIGHTLIST // There is not FPTL lighting when using transparent + #define AREA_SHADOW_LOW + #define SHADERPASS SHADERPASS_FORWARD + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/Lighting.hlsl" + + #ifdef DEBUG_DISPLAY + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Debug/DebugDisplay.hlsl" + #endif + + // The light loop (or lighting architecture) is in charge to: + // - Define light list + // - Define the light loop + // - Setup the constant/data + // - Do the reflection hierarchy + // - Provide sampling function for shadowmap, ies, cookie and reflection (depends on the specific use with the light loops like index array or atlas or single and texture format (cubemap/latlong)) + + #define HAS_LIGHTLOOP + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/LightLoop/LightLoopDef.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/LightLoop/LightLoop.hlsl" + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitSharePass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassForward.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + + ENDHLSL + } + + Pass + { + + Name "ForwardOnly" + Tags { "LightMode" = "ForwardOnly" } + + ZWrite[_ZWriteMode] + Cull[_CullMode] + Blend SrcAlpha OneMinusSrcAlpha + Stencil { + + Ref[_StencilNo] + + Comp[_StencilComp] + Pass[_StencilOpPass] + Fail[_StencilOpFail] + + } + + + + HLSLPROGRAM + #pragma only_renderers d3d11 playstation xboxone xboxseries vulkan metal switch + #pragma target 4.5 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" +// #pragma multi_compile _ UTS_DEBUG_SHADOWMAP_BINALIZATION + #pragma multi_compile _ DEBUG_DISPLAY + #pragma multi_compile _ LIGHTMAP_ON + #pragma multi_compile _ DIRLIGHTMAP_COMBINED + #pragma multi_compile _ DYNAMICLIGHTMAP_ON + // Ensure APV path is taken if available + #pragma multi_compile_fragment _ PROBE_VOLUMES_L1 PROBE_VOLUMES_L2 + #pragma multi_compile _ SHADOWS_SHADOWMASK + // Setup DECALS_OFF so the shader stripper can remove variants + #pragma multi_compile DECALS_OFF DECALS_3RT DECALS_4RT + #pragma multi_compile SCREEN_SPACE_SHADOWS_OFF SCREEN_SPACE_SHADOWS_ON + // Supported shadow modes per light type + #pragma multi_compile SHADOW_LOW SHADOW_MEDIUM SHADOW_HIGH + #if UNITY_VERSION >= 60000000 + // fix for https://github.com/Unity-Technologies/com.unity.toonshader/issues/391 + #ifdef SHADOW_MEDIUM + #ifndef PUNCTUAL_SHADOW_MEDIUM + #define PUNCTUAL_SHADOW_MEDIUM + #endif + #ifndef DIRECTIONAL_SHADOW_MEDIUM + #define DIRECTIONAL_SHADOW_MEDIUM + #endif + #endif + + #ifdef SHADOW_HIGH + #ifndef PUNCTUAL_SHADOW_HIGH + #define PUNCTUAL_SHADOW_HIGH + #endif + #ifndef DIRECTIONAL_SHADOW_HIGH + #define DIRECTIONAL_SHADOW_HIGH + #endif + #endif + #endif + #define LIGHTLOOP_DISABLE_TILE_AND_CLUSTER +// #pragma multi_compile USE_FPTL_LIGHTLIST USE_CLUSTERED_LIGHTLIST + #define AREA_SHADOW_LOW + #define SHADERPASS SHADERPASS_FORWARD + // In case of opaque we don't want to perform the alpha test, it is done in depth prepass and we use depth equal for ztest (setup from UI) + // Don't do it with debug display mode as it is possible there is no depth prepass in this case + #if !defined(_SURFACE_TYPE_TRANSPARENT) && !defined(DEBUG_DISPLAY) + #define SHADERPASS_FORWARD_BYPASS_ALPHA_TEST + #endif + #pragma shader_feature_local _ _SHADINGGRADEMAP + // used in ShadingGradeMap + #pragma shader_feature _IS_TRANSCLIPPING_OFF _IS_TRANSCLIPPING_ON + #pragma shader_feature _IS_ANGELRING_OFF _IS_ANGELRING_ON + // used in Shadow calculation + #pragma shader_feature_local _ UTS_USE_RAYTRACING_SHADOW + // used in DoubleShadeWithFeather + #pragma shader_feature _IS_CLIPPING_OFF _IS_CLIPPING_MODE _IS_CLIPPING_TRANSMODE + // controlling mask rendering + #pragma shader_feature _ _IS_CLIPPING_MATTE + #pragma shader_feature _EMISSIVE_SIMPLE _EMISSIVE_ANIMATION + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/Lighting.hlsl" + + #ifdef DEBUG_DISPLAY + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Debug/DebugDisplay.hlsl" + #endif + + // The light loop (or lighting architecture) is in charge to: + // - Define light list + // - Define the light loop + // - Setup the constant/data + // - Do the reflection hierarchy + // - Provide sampling function for shadowmap, ies, cookie and reflection (depends on the specific use with the light loops like index array or atlas or single and texture format (cubemap/latlong)) + + #define HAS_LIGHTLOOP + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/LightLoop/LightLoopDef.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/LightLoop/LightLoop.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitSharePass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" +#ifdef UNITY_SHADER_VARIABLES_INCLUDED + #include "../../HDRP/Shaders/UtsLightLoop.hlsl" + #include "../../HDRP/Shaders/ShaderPassForwardUTS.hlsl" +#endif + #pragma vertex Vert + #pragma fragment Frag + + ENDHLSL + } + + Pass + { + Name "TransparentDepthPostpass" + Tags { "LightMode" = "TransparentDepthPostpass" } + + Cull[_CullMode] + ZWrite On + ColorMask 0 + + HLSLPROGRAM + #pragma only_renderers d3d11 playstation xboxone xboxseries vulkan metal switch + #pragma target 4.5 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + #define SHADERPASS SHADERPASS_DEPTH_ONLY + #define CUTOFF_TRANSPARENT_DEPTH_POSTPASS + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitDepthPass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassDepthOnly.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + + ENDHLSL + } + + Tags{ + "RenderType" = "Opaque" + } + Pass{ + Name "Outline" + Tags { + "LightMode" = "SRPDefaultUnlit" + } + Cull[_SRPDefaultUnlitColMode] + ColorMask[_SPRDefaultUnlitColorMask] + Blend SrcAlpha OneMinusSrcAlpha + Stencil + { + Ref[_StencilNo] + Comp[_StencilComp] + Pass[_StencilOpPass] + Fail[_StencilOpFail] + + } + + HLSLPROGRAM + #pragma only_renderers d3d11 playstation xboxone xboxseries vulkan metal switch + #pragma target 4.5 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + #define AREA_SHADOW_LOW + #define SHADERPASS SHADERPASS_FORWARD + #define SHADOW_LOW + #define LIGHTLOOP_DISABLE_TILE_AND_CLUSTER + + #pragma multi_compile _ LIGHTMAP_ON + #pragma multi_compile _ DYNAMICLIGHTMAP_ON + // Ensure APV path is taken if available + #pragma multi_compile_fragment _ PROBE_VOLUMES_L1 PROBE_VOLUMES_L2 + #pragma multi_compile _IS_OUTLINE_CLIPPING_NO _IS_OUTLINE_CLIPPING_YES + #pragma multi_compile _OUTLINE_NML _OUTLINE_POS + #pragma shader_feature _ _IS_CLIPPING_MATTE + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/Lighting.hlsl" + + #ifdef DEBUG_DISPLAY + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Debug/DebugDisplay.hlsl" + #endif + + // The light loop (or lighting architecture) is in charge to: + // - Define light list + // - Define the light loop + // - Setup the constant/data + // - Do the reflection hierarchy + // - Provide sampling function for shadowmap, ies, cookie and reflection (depends on the specific use with the light loops like index array or atlas or single and texture format (cubemap/latlong)) + + #define HAS_LIGHTLOOP + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/LightLoop/LightLoopDef.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/LightLoop/LightLoop.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitSharePass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + +#ifdef UNITY_SHADER_VARIABLES_INCLUDED + #include "../../HDRP/Shaders/HDRPToonHead.hlsl" + #include "../../HDRP/Shaders/HDRPToonOutline.hlsl" +#endif + + #pragma vertex Vert + #pragma fragment Frag + + ENDHLSL + } + + } + // *************************** // + // ****** URP Subshader ***** // + // *************************** // + SubShader + { + PackageRequirements + { + "com.unity.render-pipelines.universal": "10.5.0" + } + Tags { + "RenderType"="Opaque" + "RenderPipeline" = "UniversalPipeline" + } + +//ToonCoreStart + Pass { + Name "ForwardLit" + Tags{"LightMode" = "UniversalForward"} + ZWrite[_ZWriteMode] + Cull[_CullMode] + Blend SrcAlpha OneMinusSrcAlpha + Stencil { + + Ref[_StencilNo] + + Comp[_StencilComp] + Pass[_StencilOpPass] + Fail[_StencilOpFail] + + } + + HLSLPROGRAM + #pragma target 2.0 + #pragma prefer_hlslcc gles + #pragma exclude_renderers d3d11_9x + + #pragma vertex vert + #pragma fragment frag + +#ifndef DISABLE_RP_SHADERS + // ------------------------------------- + // urp Material Keywords + // ------------------------------------- + #pragma shader_feature_local _ALPHAPREMULTIPLY_ON + #pragma shader_feature_local _EMISSION + #pragma shader_feature_local _METALLICSPECGLOSSMAP + #pragma shader_feature_local _SMOOTHNESS_TEXTURE_ALBEDO_CHANNEL_A +// #pragma shader_feature _OCCLUSIONMAP + + #pragma shader_feature_local _SPECULARHIGHLIGHTS_OFF + #pragma shader_feature_local _ENVIRONMENTREFLECTIONS_OFF + #pragma shader_feature_local _SPECULAR_SETUP + #pragma shader_feature_local _RECEIVE_SHADOWS_OFF +#endif + // ------------------------------------- + // Lightweight Pipeline keywords + #pragma multi_compile _ _MAIN_LIGHT_SHADOWS _MAIN_LIGHT_SHADOWS_CASCADE _MAIN_LIGHT_SHADOWS_SCREEN + #pragma multi_compile _ _ADDITIONAL_LIGHTS_VERTEX _ADDITIONAL_LIGHTS + #pragma multi_compile _ _ADDITIONAL_LIGHT_SHADOWS + #pragma multi_compile _ _SHADOWS_SOFT _SHADOWS_SOFT_LOW _SHADOWS_SOFT_MEDIUM _SHADOWS_SOFT_HIGH + #pragma multi_compile _ _FORWARD_PLUS + #if (!defined(UNITY_COMPILER_DXC) && (defined(UNITY_PLATFORM_OSX) || defined(UNITY_PLATFORM_IOS))) || defined(SHADER_API_PS5) + + #if defined(SHADER_API_PS5) || defined(SHADER_API_METAL) + + #define SUPPORTS_FOVEATED_RENDERING_NON_UNIFORM_RASTER 1 + + // On Metal Foveated Rendering is currently not supported with DXC + #pragma warning (disable : 3568) // unknown pragma ignored + + #pragma never_use_dxc metal + #pragma dynamic_branch _ _FOVEATED_RENDERING_NON_UNIFORM_RASTER + + #pragma warning (default : 3568) // restore unknown pragma ignored + + #endif + + #endif + #pragma multi_compile_fragment _ _DBUFFER_MRT1 _DBUFFER_MRT2 _DBUFFER_MRT3 + #pragma multi_compile_fragment _ _LIGHT_LAYERS + + #pragma multi_compile _ _MIXED_LIGHTING_SUBTRACTIVE + // ------------------------------------- + // Unity defined keywords + #pragma multi_compile _ LIGHTMAP_SHADOW_MIXING + #pragma multi_compile _ SHADOWS_SHADOWMASK + #pragma multi_compile _ DIRLIGHTMAP_COMBINED + #pragma multi_compile _ LIGHTMAP_ON + #pragma multi_compile _ DYNAMICLIGHTMAP_ON + #pragma multi_compile_fog + + //-------------------------------------- + // GPU Instancing + #pragma multi_compile_instancing + #pragma instancing_options renderinglayer + #if UNITY_VERSION >= 202230 // Requires Universal RP 14.0.7 + #include_with_pragmas "Packages/com.unity.render-pipelines.universal/ShaderLibrary/DOTS.hlsl" + #else + #pragma multi_compile _ DOTS_INSTANCING_ON + #endif + + #define _IS_PASS_FWDBASE + // DoubleShadeWithFeather and ShadingGradeMap use different fragment shader. + #pragma shader_feature_local _ _SHADINGGRADEMAP + + + // used in ShadingGradeMap + #pragma shader_feature _IS_TRANSCLIPPING_OFF _IS_TRANSCLIPPING_ON + #pragma shader_feature _IS_ANGELRING_OFF _IS_ANGELRING_ON + + // used in Shadow calculation + #pragma shader_feature_local _ UTS_USE_RAYTRACING_SHADOW + // used in DoubleShadeWithFeather + #pragma shader_feature _IS_CLIPPING_OFF _IS_CLIPPING_MODE _IS_CLIPPING_TRANSMODE + + #pragma shader_feature _EMISSIVE_SIMPLE _EMISSIVE_ANIMATION + #include "Packages/com.unity.render-pipelines.universal/ShaderLibrary/Core.hlsl" + #include "Packages/com.unity.render-pipelines.universal/ShaderLibrary/Lighting.hlsl" +#ifdef UNIVERSAL_PIPELINE_CORE_INCLUDED + #include "../../UniversalRP/Shaders/UniversalToonInput.hlsl" + #include "Packages/com.unity.render-pipelines.universal/Shaders/LitForwardPass.hlsl" + #include "../../UniversalRP/Shaders/UniversalToonHead.hlsl" + #include "../../UniversalRP/Shaders/UniversalToonBody.hlsl" +#endif + ENDHLSL + + } + + Pass { + Name "Outline" + Tags { + "LightMode" = "SRPDefaultUnlit" + } + Cull [_SRPDefaultUnlitColMode] + ColorMask [_SPRDefaultUnlitColorMask] + Blend SrcAlpha OneMinusSrcAlpha + Stencil + { + Ref[_StencilNo] + Comp[_StencilComp] + Pass[_StencilOpPass] + Fail[_StencilOpFail] + + } + + HLSLPROGRAM + #pragma target 2.0 + #pragma vertex vert + #pragma fragment frag + + + //V.2.0.4 + #pragma multi_compile _IS_OUTLINE_CLIPPING_NO _IS_OUTLINE_CLIPPING_YES + #pragma multi_compile _OUTLINE_NML _OUTLINE_POS + // Outline is implemented in UniversalToonOutline.hlsl. + #include "Packages/com.unity.render-pipelines.universal/ShaderLibrary/Core.hlsl" + #include "Packages/com.unity.render-pipelines.universal/ShaderLibrary/Lighting.hlsl" + + //-------------------------------------- + // GPU Instancing + #pragma multi_compile_instancing + #if UNITY_VERSION >= 202230 // Requires Universal RP 14.0.7 + #include_with_pragmas "Packages/com.unity.render-pipelines.universal/ShaderLibrary/DOTS.hlsl" + #else + #pragma multi_compile _ DOTS_INSTANCING_ON + #endif + +#ifdef UNIVERSAL_PIPELINE_CORE_INCLUDED + #include "../../UniversalRP/Shaders/UniversalToonInput.hlsl" + #include "../../UniversalRP/Shaders/UniversalToonHead.hlsl" + #include "../../UniversalRP/Shaders/UniversalToonOutline.hlsl" +#endif + ENDHLSL + } + + Pass + { + Name "Universal2D" + Tags + { + "LightMode" = "Universal2D" + } + + // ------------------------------------- + // Render State Commands + Blend[_SrcBlend][_DstBlend] + ZWrite[_ZWrite] + Cull[_Cull] + + HLSLPROGRAM + #pragma target 2.0 + + // ------------------------------------- + // Shader Stages + #pragma vertex vert + #pragma fragment frag + + // ------------------------------------- + // Material Keywords + #pragma shader_feature_local_fragment _ALPHATEST_ON + #pragma shader_feature_local_fragment _ALPHAPREMULTIPLY_ON + + #include_with_pragmas "Packages/com.unity.render-pipelines.universal/ShaderLibrary/DOTS.hlsl" + + // ------------------------------------- + // Includes + #include "Packages/com.unity.render-pipelines.universal/Shaders/LitInput.hlsl" + #include "../../UniversalRP/Shaders/UniversalBasic2D.hlsl" + ENDHLSL + } + + + Pass + { + Name "ShadowCaster" + Tags{"LightMode" = "ShadowCaster"} + + ZWrite On + ZTest LEqual + Cull[_CullMode] + + HLSLPROGRAM + #pragma target 2.0 + + // Required to compile gles 2.0 with standard srp library + #pragma prefer_hlslcc gles + #pragma exclude_renderers d3d11_9x + + //-------------------------------------- + // GPU Instancing + #pragma multi_compile_instancing + #if UNITY_VERSION >= 202230 // Requires Universal RP 14.0.7 + #include_with_pragmas "Packages/com.unity.render-pipelines.universal/ShaderLibrary/DOTS.hlsl" + #else + #pragma multi_compile _ DOTS_INSTANCING_ON + #endif + + #pragma shader_feature_local _SMOOTHNESS_TEXTURE_ALBEDO_CHANNEL_A + + #pragma vertex ShadowPassVertex + #pragma fragment ShadowPassFragment + + #include "../../UniversalRP/Shaders/UniversalToonInput.hlsl" + #include "Packages/com.unity.render-pipelines.universal/Shaders/ShadowCasterPass.hlsl" + ENDHLSL + } + + Pass + { + Name "DepthOnly" + Tags{"LightMode" = "DepthOnly"} + + ZWrite On + ColorMask 0 + Cull[_CullMode] + + HLSLPROGRAM + #pragma target 2.0 + + // Required to compile gles 2.0 with standard srp library + #pragma prefer_hlslcc gles + #pragma exclude_renderers d3d11_9x + + #pragma vertex DepthOnlyVertex + #pragma fragment DepthOnlyFragment + + // ------------------------------------- + // Material Keywords + #pragma shader_feature_local _SMOOTHNESS_TEXTURE_ALBEDO_CHANNEL_A + + //-------------------------------------- + // GPU Instancing + #pragma multi_compile_instancing + #if UNITY_VERSION >= 202230 // Requires Universal RP 14.0.7 + #include_with_pragmas "Packages/com.unity.render-pipelines.universal/ShaderLibrary/DOTS.hlsl" + #else + #pragma multi_compile _ DOTS_INSTANCING_ON + #endif + + + #include "../../UniversalRP/Shaders/UniversalToonInput.hlsl" + #include "Packages/com.unity.render-pipelines.universal/Shaders/DepthOnlyPass.hlsl" + ENDHLSL + } + // This pass is used when drawing to a _CameraNormalsTexture texture + Pass + { + Name "DepthNormals" + Tags{"LightMode" = "DepthNormals"} + + ZWrite On + Cull[_Cull] + + HLSLPROGRAM + #pragma target 2.0 +#include "Packages/com.unity.render-pipelines.core/ShaderLibrary/Version.hlsl" + + + // Required to compile gles 2.0 with standard srp library + #pragma prefer_hlslcc gles + #pragma exclude_renderers d3d11_9x + + #pragma vertex DepthNormalsVertex + #pragma fragment DepthNormalsFragment + + // ------------------------------------- + // Material Keywords + #pragma shader_feature_local _PARALLAXMAP + #pragma shader_feature_local _SMOOTHNESS_TEXTURE_ALBEDO_CHANNEL_A + + + //-------------------------------------- + // GPU Instancing + #pragma multi_compile_instancing + #if UNITY_VERSION >= 202230 // Requires Universal RP 14.0.7 + #include_with_pragmas "Packages/com.unity.render-pipelines.universal/ShaderLibrary/DOTS.hlsl" + #else + #pragma multi_compile _ DOTS_INSTANCING_ON + #endif + + #include "../../UniversalRP/Shaders/UniversalToonInput.hlsl" + #include "Packages/com.unity.render-pipelines.universal/Shaders/DepthNormalsPass.hlsl" + + ENDHLSL + } + +//ToonCoreEnd + } + + // ***************************** // + // ****** Legacy Subshader ***** // + // ***************************** // + + SubShader { + Tags { + "RenderType"="Opaque" + } +//ToonCoreStart + Pass { + Name "FORWARD" + Tags { + "LightMode"="ForwardBase" + } + ZWrite[_ZWriteMode] + Cull[_CullMode] + Blend SrcAlpha OneMinusSrcAlpha + Stencil { + + Ref[_StencilNo] + + Comp[_StencilComp] + Pass[_StencilOpPass] + Fail[_StencilOpFail] + + } + CGPROGRAM + #pragma vertex vert + #pragma fragment frag + //#define UNITY_PASS_FORWARDBASE + #include "UnityCG.cginc" + #include "AutoLight.cginc" + #include "Lighting.cginc" + #pragma multi_compile_fwdbase_fullshadows + #pragma multi_compile_fog + #pragma only_renderers d3d9 d3d11 glcore gles gles3 playstation xboxone xboxseries vulkan metal switch + + #pragma target 3.0 + // DoubleShadeWithFeather and ShadingGradeMap use different fragment shader. + #pragma shader_feature_local _ _SHADINGGRADEMAP + // used in ShadingGradeMap + #pragma shader_feature _IS_TRANSCLIPPING_OFF _IS_TRANSCLIPPING_ON + #pragma shader_feature _IS_ANGELRING_OFF _IS_ANGELRING_ON + // used in DoubleShadeWithFeather + #pragma shader_feature _IS_CLIPPING_OFF _IS_CLIPPING_MODE _IS_CLIPPING_TRANSMODE + #pragma shader_feature _EMISSIVE_SIMPLE _EMISSIVE_ANIMATION + #pragma multi_compile _IS_PASS_FWDBASE + + // + #pragma shader_feature_local UTS_USE_RAYTRACING_SHADOW +#if defined(_SHADINGGRADEMAP) + +#include "../../Legacy/Shaders/UCTS_ShadingGradeMap.cginc" + + +#else //#if defined(_SHADINGGRADEMAP) + +#include "../../Legacy/Shaders/UCTS_DoubleShadeWithFeather.cginc" + + +#endif //#if defined(_SHADINGGRADEMAP) + + ENDCG + } + Pass { + Name "Outline" + Tags { + "LightMode"="ForwardBase" + } + Cull[_SRPDefaultUnlitColMode] + ColorMask[_SPRDefaultUnlitColorMask] + Blend SrcAlpha OneMinusSrcAlpha + Stencil + { + Ref[_StencilNo] + Comp[_StencilComp] + Pass[_StencilOpPass] + Fail[_StencilOpFail] + + } + CGPROGRAM + #pragma vertex vert + #pragma fragment frag + #include "UnityCG.cginc" + //#pragma fragmentoption ARB_precision_hint_fastest + //#pragma multi_compile_shadowcaster + //#pragma multi_compile_fog + #pragma only_renderers d3d9 d3d11 glcore gles gles3 playstation xboxone xboxseries vulkan metal switch + + #pragma target 3.0 + //V.2.0.4 + #pragma multi_compile _IS_OUTLINE_CLIPPING_NO + #pragma multi_compile _OUTLINE_NML _OUTLINE_POS + // Unity Toon Shader 0.5.0 + #pragma multi_compile _ _DISABLE_OUTLINE + //The outline process goes to UTS_Outline.cginc. + #include "../../Legacy/Shaders/UCTS_Outline.cginc" + ENDCG + } + Pass { + Name "FORWARD_DELTA" + Tags { + "LightMode"="ForwardAdd" + } + + Blend One One + Cull[_CullMode] + + + CGPROGRAM + #pragma vertex vert + #pragma fragment frag + //#define UNITY_PASS_FORWARDADD + #include "UnityCG.cginc" + #include "AutoLight.cginc" + #include "Lighting.cginc" + //for Unity2018.x + #pragma multi_compile_fwdadd_fullshadows + #pragma multi_compile_fog + #pragma only_renderers d3d9 d3d11 glcore gles gles3 playstation xboxone xboxseries vulkan metal switch + + #pragma target 3.0 + // DoubleShadeWithFeather and ShadingGradeMap use different fragment shader. + #pragma shader_feature_local _ _SHADINGGRADEMAP + // used in ShadingGradeMap + #pragma shader_feature _IS_TRANSCLIPPING_OFF _IS_TRANSCLIPPING_ON + #pragma shader_feature _IS_ANGELRING_OFF _IS_ANGELRING_ON + // used in DoubleShadeWithFeather + #pragma shader_feature _IS_CLIPPING_OFF _IS_CLIPPING_MODE _IS_CLIPPING_TRANSMODE + #pragma shader_feature _EMISSIVE_SIMPLE _EMISSIVE_ANIMATION + //v.2.0.4 + + #pragma multi_compile _IS_PASS_FWDDELTA + #pragma shader_feature_local UTS_USE_RAYTRACING_SHADOW + +#if defined(_SHADINGGRADEMAP) + +#include "../../Legacy/Shaders/UCTS_ShadingGradeMap.cginc" + + +#else //#if defined(_SHADINGGRADEMAP) + +#include "../../Legacy/Shaders/UCTS_DoubleShadeWithFeather.cginc" + + +#endif //#if defined(_SHADINGGRADEMAP) + + ENDCG + } + Pass { + Name "ShadowCaster" + Tags { + "LightMode"="ShadowCaster" + } + Offset 1, 1 + Cull Off + + CGPROGRAM + #pragma vertex vert + #pragma fragment frag + //#define UNITY_PASS_SHADOWCASTER + #include "UnityCG.cginc" + #include "Lighting.cginc" + #pragma fragmentoption ARB_precision_hint_fastest + #pragma multi_compile_shadowcaster + #pragma multi_compile_fog + #pragma only_renderers d3d9 d3d11 glcore gles gles3 playstation xboxone xboxseries vulkan metal switch + + #pragma target 3.0 + //v.2.0.4 + #pragma shader_feature _IS_CLIPPING_OFF _IS_CLIPPING_MODE _IS_CLIPPING_TRANSMODE + #include "../../Legacy/Shaders/UCTS_ShadowCaster.cginc" + ENDCG + } +//ToonCoreEnd + } + + CustomEditor "UnityEditor.Rendering.Toon.UTS3GUI" +} diff --git a/com.unity.toonshader/Runtime/Shaders/Common/Parts/UnityToon.shadertemplate.meta b/com.unity.toonshader/Runtime/Shaders/Common/Parts/UnityToon.shadertemplate.meta new file mode 100644 index 000000000..54ebf1348 --- /dev/null +++ b/com.unity.toonshader/Runtime/Shaders/Common/Parts/UnityToon.shadertemplate.meta @@ -0,0 +1,7 @@ +fileFormatVersion: 2 +guid: 5e20c2797536b704fa0201cd9164fe54 +DefaultImporter: + externalObjects: {} + userData: + assetBundleName: + assetBundleVariant: diff --git a/com.unity.toonshader/Runtime/Shaders/Common/Parts/UnityToonTessellation.shadertemplate b/com.unity.toonshader/Runtime/Shaders/Common/Parts/UnityToonTessellation.shadertemplate new file mode 100644 index 000000000..0676c8606 --- /dev/null +++ b/com.unity.toonshader/Runtime/Shaders/Common/Parts/UnityToonTessellation.shadertemplate @@ -0,0 +1,1289 @@ +Shader "Toon(Tessellation)" { + Properties + { + [COMMON_PROPERTIES] + + // Tessellation-specific properties + [TESSELLATION_PROPERTIES] + } + + + HLSLINCLUDE + #pragma only_renderers d3d11 playstation xboxone xboxseries vulkan metal switch + #define DISABLE_RP_SHADERS + //------------------------------------------------------------------------------------- + // Variant + //------------------------------------------------------------------------------------- +#ifndef DISABLE_RP_SHADERS + // HDRP Variant + #pragma shader_feature_local _ALPHATEST_ON + #pragma shader_feature_local _DEPTHOFFSET_ON + #pragma shader_feature_local _DOUBLESIDED_ON + #pragma shader_feature_local _ _TESSELLATION_DISPLACEMENT _PIXEL_DISPLACEMENT + #pragma shader_feature_local _VERTEX_DISPLACEMENT_LOCK_OBJECT_SCALE + #pragma shader_feature_local _DISPLACEMENT_LOCK_TILING_SCALE + #pragma shader_feature_local _PIXEL_DISPLACEMENT_LOCK_OBJECT_SCALE + #pragma shader_feature_local _TESSELLATION_PHONG + #pragma shader_feature_local _ _REFRACTION_PLANE _REFRACTION_SPHERE _REFRACTION_THIN + + #pragma shader_feature_local _ _EMISSIVE_MAPPING_PLANAR _EMISSIVE_MAPPING_TRIPLANAR + #pragma shader_feature_local _ _MAPPING_PLANAR _MAPPING_TRIPLANAR + #pragma shader_feature_local _NORMALMAP_TANGENT_SPACE + #pragma shader_feature_local _ _REQUIRE_UV2 _REQUIRE_UV3 + + #pragma shader_feature_local _NORMALMAP + #pragma shader_feature_local _MASKMAP + #pragma shader_feature_local _BENTNORMALMAP + #pragma shader_feature_local _EMISSIVE_COLOR_MAP + + // _ENABLESPECULAROCCLUSION keyword is obsolete but keep here for compatibility. Do not used + // _ENABLESPECULAROCCLUSION and _SPECULAR_OCCLUSION_X can't exist at the same time (the new _SPECULAR_OCCLUSION replace it) + // When _ENABLESPECULAROCCLUSION is found we define _SPECULAR_OCCLUSION_X so new code to work + #pragma shader_feature_local _ENABLESPECULAROCCLUSION + #pragma shader_feature_local _ _SPECULAR_OCCLUSION_NONE _SPECULAR_OCCLUSION_FROM_BENT_NORMAL_MAP + #ifdef _ENABLESPECULAROCCLUSION + #define _SPECULAR_OCCLUSION_FROM_BENT_NORMAL_MAP + #endif + + #pragma shader_feature_local _HEIGHTMAP + #pragma shader_feature_local _TANGENTMAP + #pragma shader_feature_local _ANISOTROPYMAP + #pragma shader_feature_local _DETAIL_MAP + #pragma shader_feature_local _SUBSURFACE_MASK_MAP + #pragma shader_feature_local _THICKNESSMAP + #pragma shader_feature_local _IRIDESCENCE_THICKNESSMAP + #pragma shader_feature_local _SPECULARCOLORMAP + #pragma shader_feature_local _TRANSMITTANCECOLORMAP + + #pragma shader_feature_local _DISABLE_DECALS + #pragma shader_feature_local _DISABLE_SSR + #pragma shader_feature_local _ADD_PRECOMPUTED_VELOCITY + #pragma shader_feature_local _ENABLE_GEOMETRIC_SPECULAR_AA + + // Keyword for transparent + #pragma shader_feature _SURFACE_TYPE_TRANSPARENT + #pragma shader_feature_local _ _BLENDMODE_ALPHA _BLENDMODE_ADD _BLENDMODE_PRE_MULTIPLY + #pragma shader_feature_local _BLENDMODE_PRESERVE_SPECULAR_LIGHTING + #pragma shader_feature_local _ENABLE_FOG_ON_TRANSPARENT + #pragma shader_feature_local _TRANSPARENT_WRITES_MOTION_VEC + + // MaterialFeature are used as shader feature to allow compiler to optimize properly + #pragma shader_feature_local _MATERIAL_FEATURE_SUBSURFACE_SCATTERING + #pragma shader_feature_local _MATERIAL_FEATURE_TRANSMISSION + #pragma shader_feature_local _MATERIAL_FEATURE_ANISOTROPY + #pragma shader_feature_local _MATERIAL_FEATURE_CLEAR_COAT + #pragma shader_feature_local _MATERIAL_FEATURE_IRIDESCENCE + #pragma shader_feature_local _MATERIAL_FEATURE_SPECULAR_COLOR + + + // enable dithering LOD crossfade + #pragma multi_compile _ LOD_FADE_CROSSFADE + + //enable GPU instancing support + #pragma multi_compile_instancing + #pragma instancing_options renderinglayer + // enable debug shado + // #pragma multi_compile _ UTS_DEBUG_SELFSHADOW + // #pragma multi_compile _ UTS_DEBUG_SHADOWMAP + // #pragma multi_compile _ UTS_DEBUG_SHADOWMAP_NO_OUTLINE + // end of HDRP Variants +#endif //#ifndef DISABLE_RP_SHADERS + + + //------------------------------------------------------------------------------------- + // Define + //------------------------------------------------------------------------------------- + #define TESSELLATION_ON + // This shader support vertex modification + #define HAVE_VERTEX_MODIFICATION + #define HAVE_TESSELLATION_MODIFICATION + + // If we use subsurface scattering, enable output split lighting (for forward pass) + #if defined(_MATERIAL_FEATURE_SUBSURFACE_SCATTERING) && !defined(_SURFACE_TYPE_TRANSPARENT) + #define OUTPUT_SPLIT_LIGHTING + #endif + + #if defined(_TRANSPARENT_WRITES_MOTION_VEC) && defined(_SURFACE_TYPE_TRANSPARENT) + #define _WRITE_TRANSPARENT_MOTION_VECTOR + #endif + + ENDHLSL + + // *************************** // + // ****** HDRP Subshader ***** // + // *************************** // + SubShader + { + PackageRequirements + { + "com.unity.render-pipelines.high-definition": "10.5.0" + } + // This tags allow to use the shader replacement features + Tags{ "RenderPipeline"="HDRenderPipeline" } + + Pass + { + Name "SceneSelectionPass" + Tags { "LightMode" = "SceneSelectionPass" } + + Cull Off + + HLSLPROGRAM + #pragma target 5.0 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + // Note: Require _ObjectId and _PassValue variables + + // We reuse depth prepass for the scene selection, allow to handle alpha correctly as well as tessellation and vertex animation + #define SHADERPASS SHADERPASS_DEPTH_ONLY + #define SCENESELECTIONPASS // This will drive the output of the scene selection shader + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitDepthPass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassDepthOnly.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + #pragma hull Hull + #pragma domain Domain + + #pragma editor_sync_compilation + + ENDHLSL + } + + // Caution: The outline selection in the editor use the vertex shader/hull/domain shader of the first pass declare. So it should not bethe meta pass. + Pass + { + Name "GBuffer" + Tags { "LightMode" = "GBuffer" } // This will be only for opaque object based on the RenderQueue index + + Cull[_CullMode] + ZTest[_ZTestGBuffer] + + Stencil + { + WriteMask[_StencilWriteMaskGBuffer] + Ref[_StencilRefGBuffer] + Comp Always + Pass Replace + } + + HLSLPROGRAM + #pragma target 5.0 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + + #pragma only_renderers d3d11 playstation xboxone xboxseries vulkan metal switch + #pragma multi_compile _ DOTS_INSTANCING_ON + + + #pragma multi_compile _ DEBUG_DISPLAY + #pragma multi_compile _ LIGHTMAP_ON + #pragma multi_compile _ DIRLIGHTMAP_COMBINED + #pragma multi_compile _ DYNAMICLIGHTMAP_ON + #pragma multi_compile _ SHADOWS_SHADOWMASK + // Setup DECALS_OFF so the shader stripper can remove variants + #pragma multi_compile DECALS_OFF DECALS_3RT DECALS_4RT + #pragma multi_compile _ LIGHT_LAYERS + + #ifndef DEBUG_DISPLAY + // When we have alpha test, we will force a depth prepass so we always bypass the clip instruction in the GBuffer + // Don't do it with debug display mode as it is possible there is no depth prepass in this case + #define SHADERPASS_GBUFFER_BYPASS_ALPHA_TEST + #endif + + #define SHADERPASS SHADERPASS_GBUFFER + #ifdef DEBUG_DISPLAY + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Debug/DebugDisplay.hlsl" + #endif + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + // #include "MaterialGBufferMacrosUTS.hlsl" // must be above lit.hlsl + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + // #include "EncodeIntoGBufferUTS.hlsl" // must be bellow lit.hlsl + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitSharePass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassGBuffer.hlsl" + #pragma vertex Vert + #pragma fragment Frag + + ENDHLSL + } + + + // Extracts information for lightmapping, GI (emission, albedo, ...) + // This pass it not used during regular rendering. + Pass + { + Name "META" + Tags{ "LightMode" = "META" } + + Cull Off + + HLSLPROGRAM + #pragma target 5.0 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + // Lightmap memo + // DYNAMICLIGHTMAP_ON is used when we have an "enlighten lightmap" ie a lightmap updated at runtime by enlighten.This lightmap contain indirect lighting from realtime lights and realtime emissive material.Offline baked lighting(from baked material / light, + // both direct and indirect lighting) will hand up in the "regular" lightmap->LIGHTMAP_ON. + + #define SHADERPASS SHADERPASS_LIGHT_TRANSPORT + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitSharePass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassLightTransport.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + + ENDHLSL + } + + Pass + { + Name "ShadowCaster" + Tags{ "LightMode" = "ShadowCaster" } + + Cull[_CullMode] + + ZClip [_ZClip] + ZWrite On + ZTest LEqual + + ColorMask 0 + + HLSLPROGRAM + #pragma target 5.0 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + + #define SHADERPASS SHADERPASS_SHADOWS + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitDepthPass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassDepthOnly.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + #pragma hull Hull + #pragma domain Domain + + ENDHLSL + } + + Pass + { + Name "DepthForwardOnly" + Tags{ "LightMode" = "DepthForwardOnly" } + + Cull[_CullMode] + + // To be able to tag stencil with disableSSR information for forward + Stencil + { + WriteMask [_StencilWriteMaskDepth] + Ref [_StencilRefDepth] + Comp Always + Pass Replace + } + + ZWrite On + + HLSLPROGRAM + #pragma target 5.0 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + // In deferred, depth only pass don't output anything. + // In forward it output the normal buffer + #pragma multi_compile _ WRITE_NORMAL_BUFFER + #pragma multi_compile _ WRITE_MSAA_DEPTH + + #define SHADERPASS SHADERPASS_DEPTH_ONLY + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + + #ifdef WRITE_NORMAL_BUFFER // If enabled we need all regular interpolator + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitSharePass.hlsl" + #else + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitDepthPass.hlsl" + #endif + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassDepthOnly.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + #pragma hull Hull + #pragma domain Domain + + ENDHLSL + } + + Pass + { + Name "MotionVectors" + Tags{ "LightMode" = "MotionVectors" } // Caution, this need to be call like this to setup the correct parameters by C++ (legacy Unity) + + // If velocity pass (motion vectors) is enabled we tag the stencil so it don't perform CameraMotionVelocity + Stencil + { + WriteMask [_StencilWriteMaskMV] + Ref [_StencilRefMV] + Comp Always + Pass Replace + } + + Cull[_CullMode] + + ZWrite On + + HLSLPROGRAM + #pragma target 5.0 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + #pragma multi_compile _ WRITE_NORMAL_BUFFER + #pragma multi_compile _ WRITE_MSAA_DEPTH + + #define SHADERPASS SHADERPASS_MOTION_VECTORS + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + #ifdef WRITE_NORMAL_BUFFER // If enabled we need all regular interpolator + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitSharePass.hlsl" + #else + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitMotionVectorPass.hlsl" + #endif + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassMotionVectors.hlsl" + + // TODO: Tesselation can't work with velocity for now... + #pragma vertex Vert + #pragma fragment Frag + #pragma hull Hull + #pragma domain Domain + + ENDHLSL + } + + Pass + { + Name "DistortionVectors" + Tags { "LightMode" = "DistortionVectors" } // This will be only for transparent object based on the RenderQueue index + + Stencil + { + WriteMask [_StencilRefDistortionVec] + Ref [_StencilRefDistortionVec] + Comp Always + Pass Replace + } + + Blend [_DistortionSrcBlend] [_DistortionDstBlend], [_DistortionBlurSrcBlend] [_DistortionBlurDstBlend] + BlendOp Add, [_DistortionBlurBlendOp] + ZTest [_ZTestModeDistortion] + ZWrite off + Cull [_CullMode] + + HLSLPROGRAM + #pragma target 5.0 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + #define SHADERPASS SHADERPASS_DISTORTION + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitDistortionPass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassDistortion.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + #pragma hull Hull + #pragma domain Domain + + ENDHLSL + } + + Pass + { + Name "TransparentDepthPrepass" + Tags{ "LightMode" = "TransparentDepthPrepass" } + + Cull[_CullMode] + ZWrite On + ColorMask 0 + + HLSLPROGRAM + #pragma target 5.0 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + #define SHADERPASS SHADERPASS_DEPTH_ONLY + #define CUTOFF_TRANSPARENT_DEPTH_PREPASS + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitDepthPass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassDepthOnly.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + #pragma hull Hull + #pragma domain Domain + + ENDHLSL + } + + // Caution: Order is important: TransparentBackface, then Forward/ForwardOnly + Pass + { + Name "TransparentBackface" + Tags { "LightMode" = "TransparentBackface" } + + Blend [_SrcBlend] [_DstBlend], [_AlphaSrcBlend] [_AlphaDstBlend] + ZWrite [_ZWrite] + Cull Front + ColorMask [_ColorMaskTransparentVel] 1 + ZTest [_ZTestTransparent] + + HLSLPROGRAM + #pragma target 5.0 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + #pragma multi_compile _ DEBUG_DISPLAY + #pragma multi_compile _ LIGHTMAP_ON + #pragma multi_compile _ DIRLIGHTMAP_COMBINED + #pragma multi_compile _ DYNAMICLIGHTMAP_ON + #pragma multi_compile _ SHADOWS_SHADOWMASK + #pragma multi_compile SCREEN_SPACE_SHADOWS_OFF SCREEN_SPACE_SHADOWS_ON + // Setup DECALS_OFF so the shader stripper can remove variants + #pragma multi_compile DECALS_OFF DECALS_3RT DECALS_4RT + + // Supported shadow modes per light type + #pragma multi_compile SHADOW_LOW SHADOW_MEDIUM SHADOW_HIGH + #if UNITY_VERSION >= 60000000 + // fix for https://github.com/Unity-Technologies/com.unity.toonshader/issues/391 + #ifdef SHADOW_MEDIUM + #ifndef PUNCTUAL_SHADOW_MEDIUM + #define PUNCTUAL_SHADOW_MEDIUM + #endif + #ifndef DIRECTIONAL_SHADOW_MEDIUM + #define DIRECTIONAL_SHADOW_MEDIUM + #endif + #endif + + #ifdef SHADOW_HIGH + #ifndef PUNCTUAL_SHADOW_HIGH + #define PUNCTUAL_SHADOW_HIGH + #endif + #ifndef DIRECTIONAL_SHADOW_HIGH + #define DIRECTIONAL_SHADOW_HIGH + #endif + #endif + #endif + #define USE_CLUSTERED_LIGHTLIST // There is not FPTL lighting when using transparent + #define AREA_SHADOW_LOW + #define SHADERPASS SHADERPASS_FORWARD + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/Lighting.hlsl" + + #ifdef DEBUG_DISPLAY + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Debug/DebugDisplay.hlsl" + #endif + + // The light loop (or lighting architecture) is in charge to: + // - Define light list + // - Define the light loop + // - Setup the constant/data + // - Do the reflection hierarchy + // - Provide sampling function for shadowmap, ies, cookie and reflection (depends on the specific use with the light loops like index array or atlas or single and texture format (cubemap/latlong)) + + #define HAS_LIGHTLOOP + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/LightLoop/LightLoopDef.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/LightLoop/LightLoop.hlsl" + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitSharePass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassForward.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + #pragma hull Hull + #pragma domain Domain + + ENDHLSL + } + + Pass + { + + Name "ForwardOnly" + Tags { "LightMode" = "ForwardOnly" } + + ZWrite[_ZWriteMode] + Cull[_CullMode] + Blend SrcAlpha OneMinusSrcAlpha + Stencil { + + Ref[_StencilNo] + + Comp[_StencilComp] + Pass[_StencilOpPass] + Fail[_StencilOpFail] + + } + + + + HLSLPROGRAM + #pragma target 5.0 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" +// #pragma multi_compile _ UTS_DEBUG_SHADOWMAP_BINALIZATION + #pragma multi_compile _ DEBUG_DISPLAY + #pragma multi_compile _ LIGHTMAP_ON + #pragma multi_compile _ DIRLIGHTMAP_COMBINED + #pragma multi_compile _ DYNAMICLIGHTMAP_ON + #pragma multi_compile _ SHADOWS_SHADOWMASK + // Setup DECALS_OFF so the shader stripper can remove variants + #pragma multi_compile DECALS_OFF DECALS_3RT DECALS_4RT + #pragma multi_compile SCREEN_SPACE_SHADOWS_OFF SCREEN_SPACE_SHADOWS_ON + // Supported shadow modes per light type + #pragma multi_compile SHADOW_LOW SHADOW_MEDIUM SHADOW_HIGH + #if UNITY_VERSION >= 60000000 + // fix for https://github.com/Unity-Technologies/com.unity.toonshader/issues/391 + #ifdef SHADOW_MEDIUM + #ifndef PUNCTUAL_SHADOW_MEDIUM + #define PUNCTUAL_SHADOW_MEDIUM + #endif + #ifndef DIRECTIONAL_SHADOW_MEDIUM + #define DIRECTIONAL_SHADOW_MEDIUM + #endif + #endif + + #ifdef SHADOW_HIGH + #ifndef PUNCTUAL_SHADOW_HIGH + #define PUNCTUAL_SHADOW_HIGH + #endif + #ifndef DIRECTIONAL_SHADOW_HIGH + #define DIRECTIONAL_SHADOW_HIGH + #endif + #endif + #endif + #define LIGHTLOOP_DISABLE_TILE_AND_CLUSTER +// #pragma multi_compile USE_FPTL_LIGHTLIST USE_CLUSTERED_LIGHTLIST + #define AREA_SHADOW_LOW + #define SHADERPASS SHADERPASS_FORWARD + // In case of opaque we don't want to perform the alpha test, it is done in depth prepass and we use depth equal for ztest (setup from UI) + // Don't do it with debug display mode as it is possible there is no depth prepass in this case + #if !defined(_SURFACE_TYPE_TRANSPARENT) && !defined(DEBUG_DISPLAY) + #define SHADERPASS_FORWARD_BYPASS_ALPHA_TEST + #endif + #pragma shader_feature_local _ _SHADINGGRADEMAP + // used in ShadingGradeMap + #pragma shader_feature _IS_TRANSCLIPPING_OFF _IS_TRANSCLIPPING_ON + #pragma shader_feature _IS_ANGELRING_OFF _IS_ANGELRING_ON + // used in Shadow calculation + #pragma shader_feature_local _ UTS_USE_RAYTRACING_SHADOW + // used in DoubleShadeWithFeather + #pragma shader_feature _IS_CLIPPING_OFF _IS_CLIPPING_MODE _IS_CLIPPING_TRANSMODE + // controlling mask rendering + #pragma shader_feature _ _IS_CLIPPING_MATTE + #pragma shader_feature _EMISSIVE_SIMPLE _EMISSIVE_ANIMATION + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/Lighting.hlsl" + + #ifdef DEBUG_DISPLAY + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Debug/DebugDisplay.hlsl" + #endif + + // The light loop (or lighting architecture) is in charge to: + // - Define light list + // - Define the light loop + // - Setup the constant/data + // - Do the reflection hierarchy + // - Provide sampling function for shadowmap, ies, cookie and reflection (depends on the specific use with the light loops like index array or atlas or single and texture format (cubemap/latlong)) + + #define HAS_LIGHTLOOP + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/LightLoop/LightLoopDef.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/LightLoop/LightLoop.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitSharePass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" +#ifdef UNITY_SHADER_VARIABLES_INCLUDED + #include "../../HDRP/Shaders/UtsLightLoop.hlsl" + #include "../../HDRP/Shaders/ShaderPassForwardUTS.hlsl" +#endif + #pragma vertex Vert + #pragma fragment Frag + #pragma hull Hull + #pragma domain Domain + + ENDHLSL + } + + Pass + { + Name "TransparentDepthPostpass" + Tags { "LightMode" = "TransparentDepthPostpass" } + + Cull[_CullMode] + ZWrite On + ColorMask 0 + + HLSLPROGRAM + #pragma target 5.0 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + #define SHADERPASS SHADERPASS_DEPTH_ONLY + #define CUTOFF_TRANSPARENT_DEPTH_POSTPASS + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitDepthPass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/RenderPipeline/ShaderPass/ShaderPassDepthOnly.hlsl" + + #pragma vertex Vert + #pragma fragment Frag + #pragma hull Hull + #pragma domain Domain + + ENDHLSL + } + + Tags{ + "RenderType" = "Opaque" + } + Pass{ + Name "Outline" + Tags { + "LightMode" = "SRPDefaultUnlit" + } + Cull[_SRPDefaultUnlitColMode] + ColorMask[_SPRDefaultUnlitColorMask] + Blend SrcAlpha OneMinusSrcAlpha + Stencil + { + Ref[_StencilNo] + Comp[_StencilComp] + Pass[_StencilOpPass] + Fail[_StencilOpFail] + + } + + HLSLPROGRAM + #pragma target 5.0 + #include "../../HDRP/Shaders/UtsHDRP.hlsl" + #define AREA_SHADOW_LOW + #define SHADERPASS SHADERPASS_FORWARD + #define SHADOW_LOW + #define LIGHTLOOP_DISABLE_TILE_AND_CLUSTER + + #pragma multi_compile _IS_OUTLINE_CLIPPING_NO _IS_OUTLINE_CLIPPING_YES + #pragma multi_compile _OUTLINE_NML _OUTLINE_POS + #pragma shader_feature _ _IS_CLIPPING_MATTE + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Material.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/Lighting.hlsl" + + #ifdef DEBUG_DISPLAY + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Debug/DebugDisplay.hlsl" + #endif + + // The light loop (or lighting architecture) is in charge to: + // - Define light list + // - Define the light loop + // - Setup the constant/data + // - Do the reflection hierarchy + // - Provide sampling function for shadowmap, ies, cookie and reflection (depends on the specific use with the light loops like index array or atlas or single and texture format (cubemap/latlong)) + + #define HAS_LIGHTLOOP + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/LightLoop/LightLoopDef.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/Lit.hlsl" + + + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Lighting/LightLoop/LightLoop.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/ShaderPass/LitSharePass.hlsl" + #include "Packages/com.unity.render-pipelines.high-definition/Runtime/Material/Lit/LitData.hlsl" + +#ifdef UNITY_SHADER_VARIABLES_INCLUDED + #include "../../HDRP/Shaders/HDRPToonHead.hlsl" + #include "../../HDRP/Shaders/HDRPToonOutline.hlsl" +#endif + + #pragma vertex Vert + #pragma fragment Frag + #pragma hull Hull + #pragma domain Domain + + ENDHLSL + } + + } + // *************************** // + // ****** URP Subshader ***** // + // *************************** // + SubShader + { + PackageRequirements + { + "com.unity.render-pipelines.universal": "10.5.0" + } + Tags { + "RenderType"="Opaque" + "RenderPipeline" = "UniversalPipeline" + } + +//ToonCoreStart + Pass { + Name "ForwardLit" + Tags{"LightMode" = "UniversalForward"} + ZWrite[_ZWriteMode] + Cull[_CullMode] + Blend SrcAlpha OneMinusSrcAlpha + Stencil { + + Ref[_StencilNo] + + Comp[_StencilComp] + Pass[_StencilOpPass] + Fail[_StencilOpFail] + + } + + HLSLPROGRAM + #pragma target 2.0 + #pragma prefer_hlslcc gles + #pragma exclude_renderers d3d11_9x + + #pragma vertex vert + #pragma fragment frag + +#ifndef DISABLE_RP_SHADERS + // ------------------------------------- + // urp Material Keywords + // ------------------------------------- + #pragma shader_feature_local _ALPHAPREMULTIPLY_ON + #pragma shader_feature_local _EMISSION + #pragma shader_feature_local _METALLICSPECGLOSSMAP + #pragma shader_feature_local _SMOOTHNESS_TEXTURE_ALBEDO_CHANNEL_A +// #pragma shader_feature _OCCLUSIONMAP + + #pragma shader_feature_local _SPECULARHIGHLIGHTS_OFF + #pragma shader_feature_local _ENVIRONMENTREFLECTIONS_OFF + #pragma shader_feature_local _SPECULAR_SETUP + #pragma shader_feature_local _RECEIVE_SHADOWS_OFF +#endif + // ------------------------------------- + // Lightweight Pipeline keywords + #pragma multi_compile _ _MAIN_LIGHT_SHADOWS _MAIN_LIGHT_SHADOWS_CASCADE _MAIN_LIGHT_SHADOWS_SCREEN + #pragma multi_compile _ _ADDITIONAL_LIGHTS_VERTEX _ADDITIONAL_LIGHTS + #pragma multi_compile _ _ADDITIONAL_LIGHT_SHADOWS + #pragma multi_compile _ _SHADOWS_SOFT _SHADOWS_SOFT_LOW _SHADOWS_SOFT_MEDIUM _SHADOWS_SOFT_HIGH + #pragma multi_compile _ _FORWARD_PLUS + #if (!defined(UNITY_COMPILER_DXC) && (defined(UNITY_PLATFORM_OSX) || defined(UNITY_PLATFORM_IOS))) || defined(SHADER_API_PS5) + + #if defined(SHADER_API_PS5) || defined(SHADER_API_METAL) + + #define SUPPORTS_FOVEATED_RENDERING_NON_UNIFORM_RASTER 1 + + // On Metal Foveated Rendering is currently not supported with DXC + #pragma warning (disable : 3568) // unknown pragma ignored + + #pragma never_use_dxc metal + #pragma dynamic_branch _ _FOVEATED_RENDERING_NON_UNIFORM_RASTER + + #pragma warning (default : 3568) // restore unknown pragma ignored + + #endif + + #endif + #pragma multi_compile_fragment _ _DBUFFER_MRT1 _DBUFFER_MRT2 _DBUFFER_MRT3 + #pragma multi_compile_fragment _ _LIGHT_LAYERS + + #pragma multi_compile _ _MIXED_LIGHTING_SUBTRACTIVE + // ------------------------------------- + // Unity defined keywords + #pragma multi_compile _ LIGHTMAP_SHADOW_MIXING + #pragma multi_compile _ SHADOWS_SHADOWMASK + #pragma multi_compile _ DIRLIGHTMAP_COMBINED + #pragma multi_compile _ LIGHTMAP_ON + #pragma multi_compile _ DYNAMICLIGHTMAP_ON + #pragma multi_compile_fog + + //-------------------------------------- + // GPU Instancing + #pragma multi_compile_instancing + #pragma instancing_options renderinglayer + #if UNITY_VERSION >= 202230 // Requires Universal RP 14.0.7 + #include_with_pragmas "Packages/com.unity.render-pipelines.universal/ShaderLibrary/DOTS.hlsl" + #else + #pragma multi_compile _ DOTS_INSTANCING_ON + #endif + + #define _IS_PASS_FWDBASE + // DoubleShadeWithFeather and ShadingGradeMap use different fragment shader. + #pragma shader_feature_local _ _SHADINGGRADEMAP + + + // used in ShadingGradeMap + #pragma shader_feature _IS_TRANSCLIPPING_OFF _IS_TRANSCLIPPING_ON + #pragma shader_feature _IS_ANGELRING_OFF _IS_ANGELRING_ON + + // used in Shadow calculation + #pragma shader_feature_local _ UTS_USE_RAYTRACING_SHADOW + // used in DoubleShadeWithFeather + #pragma shader_feature _IS_CLIPPING_OFF _IS_CLIPPING_MODE _IS_CLIPPING_TRANSMODE + + #pragma shader_feature _EMISSIVE_SIMPLE _EMISSIVE_ANIMATION + #include "Packages/com.unity.render-pipelines.universal/ShaderLibrary/Core.hlsl" + #include "Packages/com.unity.render-pipelines.universal/ShaderLibrary/Lighting.hlsl" +#ifdef UNIVERSAL_PIPELINE_CORE_INCLUDED + #include "../../UniversalRP/Shaders/UniversalToonInput.hlsl" + #include "Packages/com.unity.render-pipelines.universal/Shaders/LitForwardPass.hlsl" + #include "../../UniversalRP/Shaders/UniversalToonHead.hlsl" + #include "../../UniversalRP/Shaders/UniversalToonBody.hlsl" +#endif + ENDHLSL + + } + + Pass { + Name "Outline" + Tags { + "LightMode" = "SRPDefaultUnlit" + } + Cull [_SRPDefaultUnlitColMode] + ColorMask [_SPRDefaultUnlitColorMask] + Blend SrcAlpha OneMinusSrcAlpha + Stencil + { + Ref[_StencilNo] + Comp[_StencilComp] + Pass[_StencilOpPass] + Fail[_StencilOpFail] + + } + + HLSLPROGRAM + #pragma target 2.0 + #pragma vertex vert + #pragma fragment frag + + + //V.2.0.4 + #pragma multi_compile _IS_OUTLINE_CLIPPING_NO _IS_OUTLINE_CLIPPING_YES + #pragma multi_compile _OUTLINE_NML _OUTLINE_POS + // Outline is implemented in UniversalToonOutline.hlsl. + #include "Packages/com.unity.render-pipelines.universal/ShaderLibrary/Core.hlsl" + #include "Packages/com.unity.render-pipelines.universal/ShaderLibrary/Lighting.hlsl" + + //-------------------------------------- + // GPU Instancing + #pragma multi_compile_instancing + #if UNITY_VERSION >= 202230 // Requires Universal RP 14.0.7 + #include_with_pragmas "Packages/com.unity.render-pipelines.universal/ShaderLibrary/DOTS.hlsl" + #else + #pragma multi_compile _ DOTS_INSTANCING_ON + #endif + +#ifdef UNIVERSAL_PIPELINE_CORE_INCLUDED + #include "../../UniversalRP/Shaders/UniversalToonInput.hlsl" + #include "../../UniversalRP/Shaders/UniversalToonHead.hlsl" + #include "../../UniversalRP/Shaders/UniversalToonOutline.hlsl" +#endif + ENDHLSL + } + + Pass + { + Name "Universal2D" + Tags + { + "LightMode" = "Universal2D" + } + + // ------------------------------------- + // Render State Commands + Blend[_SrcBlend][_DstBlend] + ZWrite[_ZWrite] + Cull[_Cull] + + HLSLPROGRAM + #pragma target 2.0 + + // ------------------------------------- + // Shader Stages + #pragma vertex vert + #pragma fragment frag + + // ------------------------------------- + // Material Keywords + #pragma shader_feature_local_fragment _ALPHATEST_ON + #pragma shader_feature_local_fragment _ALPHAPREMULTIPLY_ON + + #include_with_pragmas "Packages/com.unity.render-pipelines.universal/ShaderLibrary/DOTS.hlsl" + + // ------------------------------------- + // Includes + #include "Packages/com.unity.render-pipelines.universal/Shaders/LitInput.hlsl" + #include "../../UniversalRP/Shaders/UniversalBasic2D.hlsl" + ENDHLSL + } + + Pass + { + Name "ShadowCaster" + Tags{"LightMode" = "ShadowCaster"} + + ZWrite On + ZTest LEqual + Cull[_CullMode] + + HLSLPROGRAM + #pragma target 2.0 + // Required to compile gles 2.0 with standard srp library + #pragma prefer_hlslcc gles + #pragma exclude_renderers d3d11_9x + + // ------------------------------------- + // GPU Instancing + #pragma multi_compile_instancing + #if UNITY_VERSION >= 202230 // Requires Universal RP 14.0.7 + #include_with_pragmas "Packages/com.unity.render-pipelines.universal/ShaderLibrary/DOTS.hlsl" + #else + #pragma multi_compile _ DOTS_INSTANCING_ON + #endif + + #pragma shader_feature_local _SMOOTHNESS_TEXTURE_ALBEDO_CHANNEL_A + + #pragma vertex ShadowPassVertex + #pragma fragment ShadowPassFragment + + #include "../../UniversalRP/Shaders/UniversalToonInput.hlsl" + #include "Packages/com.unity.render-pipelines.universal/Shaders/ShadowCasterPass.hlsl" + ENDHLSL + } + + Pass + { + Name "DepthOnly" + Tags{"LightMode" = "DepthOnly"} + + ZWrite On + ColorMask 0 + Cull[_CullMode] + + HLSLPROGRAM + #pragma target 2.0 + // Required to compile gles 2.0 with standard srp library + #pragma prefer_hlslcc gles + #pragma exclude_renderers d3d11_9x + + #pragma vertex DepthOnlyVertex + #pragma fragment DepthOnlyFragment + + // ------------------------------------- + // Material Keywords + #pragma shader_feature_local _SMOOTHNESS_TEXTURE_ALBEDO_CHANNEL_A + + //-------------------------------------- + // GPU Instancing + #pragma multi_compile_instancing + #if UNITY_VERSION >= 202230 // Requires Universal RP 14.0.7 + #include_with_pragmas "Packages/com.unity.render-pipelines.universal/ShaderLibrary/DOTS.hlsl" + #else + #pragma multi_compile _ DOTS_INSTANCING_ON + #endif + + + #include "../../UniversalRP/Shaders/UniversalToonInput.hlsl" + #include "Packages/com.unity.render-pipelines.universal/Shaders/DepthOnlyPass.hlsl" + ENDHLSL + } + // This pass is used when drawing to a _CameraNormalsTexture texture + Pass + { + Name "DepthNormals" + Tags{"LightMode" = "DepthNormals"} + + ZWrite On + Cull[_Cull] + + HLSLPROGRAM + #pragma target 2.0 + +#include "Packages/com.unity.render-pipelines.core/ShaderLibrary/Version.hlsl" +#ifndef VERSION_GREATER_EQUAL +#define VERSION_GREATER_EQUAL(x, y) 1 +#endif +#if (VERSION_GREATER_EQUAL(10, 0)) + // Required to compile gles 2.0 with standard srp library + #pragma prefer_hlslcc gles + #pragma exclude_renderers d3d11_9x + + #pragma vertex DepthNormalsVertex + #pragma fragment DepthNormalsFragment + + // ------------------------------------- + // Material Keywords + #pragma shader_feature_local _PARALLAXMAP + #pragma shader_feature_local _SMOOTHNESS_TEXTURE_ALBEDO_CHANNEL_A + + //-------------------------------------- + // GPU Instancing + #pragma multi_compile_instancing + #if UNITY_VERSION >= 202230 // Requires Universal RP 14.0.7 + #include_with_pragmas "Packages/com.unity.render-pipelines.universal/ShaderLibrary/DOTS.hlsl" + #else + #pragma multi_compile _ DOTS_INSTANCING_ON + #endif + + #include "../../UniversalRP/Shaders/UniversalToonInput.hlsl" + #include "Packages/com.unity.render-pipelines.universal/Shaders/DepthNormalsPass.hlsl" +#endif + ENDHLSL + } + +//ToonCoreEnd + } + + // ***************************** // + // ****** Legacy Subshader ***** // + // ***************************** // + + SubShader { + Tags { + "RenderType"="Opaque" + } + Pass { + Name "Outline" + Tags { + "LightMode"="ForwardBase" + } + Cull[_SRPDefaultUnlitColMode] + ColorMask[_SPRDefaultUnlitColorMask] + Blend SrcAlpha OneMinusSrcAlpha + Stencil + { + Ref[_StencilNo] + Comp[_StencilComp] + Pass[_StencilOpPass] + Fail[_StencilOpFail] + + } + CGPROGRAM + #pragma vertex vert + #pragma fragment frag + #include "UnityCG.cginc" + //#pragma fragmentoption ARB_precision_hint_fastest + //#pragma multi_compile_shadowcaster + //#pragma multi_compile_fog + #pragma only_renderers d3d9 d3d11 glcore gles gles3 playstation xboxone xboxseries vulkan metal switch + + #pragma target 3.0 + //V.2.0.4 + #pragma multi_compile _IS_OUTLINE_CLIPPING_NO + #pragma multi_compile _OUTLINE_NML _OUTLINE_POS + // Unity Toon Shader 0.5.0 + #pragma multi_compile _ _DISABLE_OUTLINE + //The outline process goes to UTS_Outline.cginc. + #include "../../Legacy/Shaders/UCTS_Outline.cginc" + ENDCG + } +//ToonCoreStart + Pass { + Name "FORWARD" + Tags { + "LightMode"="ForwardBase" + } + ZWrite[_ZWriteMode] + Cull[_CullMode] + Blend SrcAlpha OneMinusSrcAlpha + Stencil { + + Ref[_StencilNo] + + Comp[_StencilComp] + Pass[_StencilOpPass] + Fail[_StencilOpFail] + + } + CGPROGRAM + #define TESSELLATION_ON + #pragma target 5.0 + #pragma vertex tess_VertexInput + #pragma hull hs_VertexInput + #pragma domain ds_surf + #pragma fragment frag + + #ifdef TESSELLATION_ON + #include "../../Legacy/Shaders/UCTS_Tess.cginc" + #endif + //#define UNITY_PASS_FORWARDBASE + #include "UnityCG.cginc" + #include "AutoLight.cginc" + #include "Lighting.cginc" + #pragma multi_compile_fwdbase_fullshadows +// #pragma multi_compile_fog + #pragma only_renderers d3d9 d3d11 glcore gles gles3 playstation xboxone xboxseries vulkan metal switch + #pragma target 5.0 + // DoubleShadeWithFeather and ShadingGradeMap use different fragment shader. + #pragma shader_feature_local _ _SHADINGGRADEMAP + // used in ShadingGradeMap + #pragma shader_feature _IS_TRANSCLIPPING_OFF _IS_TRANSCLIPPING_ON + #pragma shader_feature _IS_ANGELRING_OFF _IS_ANGELRING_ON + // used in DoubleShadeWithFeather + #pragma shader_feature _IS_CLIPPING_OFF _IS_CLIPPING_MODE _IS_CLIPPING_TRANSMODE + #pragma shader_feature _EMISSIVE_SIMPLE _EMISSIVE_ANIMATION + #pragma multi_compile _IS_PASS_FWDBASE + + // + #pragma shader_feature_local UTS_USE_RAYTRACING_SHADOW +#if defined(_SHADINGGRADEMAP) + +#include "../../Legacy/Shaders/UCTS_ShadingGradeMap.cginc" + + +#else //#if defined(_SHADINGGRADEMAP) + +#include "../../Legacy/Shaders/UCTS_DoubleShadeWithFeather.cginc" + + +#endif //#if defined(_SHADINGGRADEMAP) + + ENDCG + } + Pass { + Name "Outline" + Tags { + "LightMode"="ForwardBase" + } + Cull[_SRPDefaultUnlitColMode] + ColorMask[_SPRDefaultUnlitColorMask] + Blend SrcAlpha OneMinusSrcAlpha + Stencil + { + Ref[_StencilNo] + Comp[_StencilComp] + Pass[_StencilOpPass] + Fail[_StencilOpFail] + + } + CGPROGRAM + #define TESSELLATION_ON + #pragma target 5.0 + #pragma vertex tess_VertexInput + #pragma hull hs_VertexInput + #pragma domain ds_surf + #pragma fragment frag + #ifdef TESSELLATION_ON + #include "../../Legacy/Shaders/UCTS_Tess.cginc" + #endif + #include "UnityCG.cginc" + //#pragma fragmentoption ARB_precision_hint_fastest + //#pragma multi_compile_shadowcaster + //#pragma multi_compile_fog + #pragma only_renderers d3d9 d3d11 glcore gles gles3 playstation xboxone xboxseries vulkan metal switch + + //V.2.0.4 + #pragma multi_compile _IS_OUTLINE_CLIPPING_NO + #pragma multi_compile _OUTLINE_NML _OUTLINE_POS + // Unity Toon Shader 0.5.0 + #pragma multi_compile _ _DISABLE_OUTLINE + //The outline process goes to UTS_Outline.cginc. + #include "../../Legacy/Shaders/UCTS_Outline_Tess.cginc" + ENDCG + } + Pass { + Name "FORWARD_DELTA" + Tags { + "LightMode"="ForwardAdd" + } + + Blend One One + Cull[_CullMode] + + + CGPROGRAM + #define TESSELLATION_ON + #pragma target 5.0 + #pragma vertex tess_VertexInput + #pragma hull hs_VertexInput + #pragma domain ds_surf + #pragma fragment frag + + #ifdef TESSELLATION_ON + #include "../../Legacy/Shaders/UCTS_Tess.cginc" + #endif + //#define UNITY_PASS_FORWARDADD + #include "UnityCG.cginc" + #include "AutoLight.cginc" + #include "Lighting.cginc" + //for Unity2018.x + #pragma multi_compile_fwdadd_fullshadows +// #pragma multi_compile_fog + #pragma only_renderers d3d9 d3d11 glcore gles gles3 playstation xboxone xboxseries vulkan metal switch + // DoubleShadeWithFeather and ShadingGradeMap use different fragment shader. + #pragma shader_feature_local _ _SHADINGGRADEMAP + // used in ShadingGradeMap + #pragma shader_feature _IS_TRANSCLIPPING_OFF _IS_TRANSCLIPPING_ON + #pragma shader_feature _IS_ANGELRING_OFF _IS_ANGELRING_ON + // used in DoubleShadeWithFeather + #pragma shader_feature _IS_CLIPPING_OFF _IS_CLIPPING_MODE _IS_CLIPPING_TRANSMODE + #pragma shader_feature _EMISSIVE_SIMPLE _EMISSIVE_ANIMATION + //v.2.0.4 + + #pragma multi_compile _IS_PASS_FWDDELTA + #pragma shader_feature_local UTS_USE_RAYTRACING_SHADOW + +#if defined(_SHADINGGRADEMAP) + +#include "../../Legacy/Shaders/UCTS_ShadingGradeMap.cginc" + + +#else //#if defined(_SHADINGGRADEMAP) + +#include "../../Legacy/Shaders/UCTS_DoubleShadeWithFeather.cginc" + + +#endif //#if defined(_SHADINGGRADEMAP) + + ENDCG + } + Pass { + Name "ShadowCaster" + Tags { + "LightMode"="ShadowCaster" + } + Offset 1, 1 + Cull Off + + CGPROGRAM + #define TESSELLATION_ON + #pragma target 5.0 + #pragma vertex tess_VertexInput + #pragma hull hs_VertexInput + #pragma domain ds_surf + #pragma fragment frag + #ifdef TESSELLATION_ON + #include "../../Legacy/Shaders/UCTS_Tess.cginc" + #endif + //#define UNITY_PASS_SHADOWCASTER + #include "UnityCG.cginc" + #include "Lighting.cginc" + #pragma fragmentoption ARB_precision_hint_fastest + #pragma multi_compile_shadowcaster +// #pragma multi_compile_fog + #pragma only_renderers d3d9 d3d11 glcore gles gles3 playstation xboxone xboxseries vulkan metal switch + //v.2.0.4 + #pragma shader_feature _IS_CLIPPING_OFF _IS_CLIPPING_MODE _IS_CLIPPING_TRANSMODE + // Unity Toon Shader 0.5.0 + #pragma multi_compile _ _DISABLE_OUTLINE + #include "../../Legacy/Shaders/UCTS_ShadowCaster_Tess.cginc" + ENDCG + + } +//ToonCoreEnd + } + + CustomEditor "UnityEditor.Rendering.Toon.UTS3GUI" +} diff --git a/com.unity.toonshader/Runtime/Shaders/Common/Parts/UnityToonTessellation.shadertemplate.meta b/com.unity.toonshader/Runtime/Shaders/Common/Parts/UnityToonTessellation.shadertemplate.meta new file mode 100644 index 000000000..c200d3432 --- /dev/null +++ b/com.unity.toonshader/Runtime/Shaders/Common/Parts/UnityToonTessellation.shadertemplate.meta @@ -0,0 +1,7 @@ +fileFormatVersion: 2 +guid: 06a664ca361bde14892cdd760229e68c +DefaultImporter: + externalObjects: {} + userData: + assetBundleName: + assetBundleVariant: diff --git a/generate_UnityToon.bat b/generate_UnityToon.bat new file mode 100644 index 000000000..2e6ffd9ec --- /dev/null +++ b/generate_UnityToon.bat @@ -0,0 +1,20 @@ +@echo off +echo Unity Toon Shader Generator +echo ========================== +echo. + +echo Generating shader files from common properties... +python3 generate_UnityToon.py + +if %ERRORLEVEL% EQU 0 ( + echo. + echo Shader generation completed successfully! + echo Both UnityToon.shader and UnityToonTessellation.shader have been updated. + echo Files now include an auto-generated timestamp at the top of each shader. +) else ( + echo. + echo Shader generation failed! + echo Check the error messages above. +) + +pause diff --git a/generate_UnityToon.py b/generate_UnityToon.py new file mode 100644 index 000000000..cfa88cc0e --- /dev/null +++ b/generate_UnityToon.py @@ -0,0 +1,305 @@ +#!/usr/bin/env python3 + +import os +import re +from datetime import datetime, timezone + +PROPERTY_NAME_PATTERN = re.compile(r'(?:\]\s*|^)([A-Za-z_][A-Za-z0-9_]*)\s*\(') + + +def extract_properties_from_shader_content(content): + properties_match = re.search(r"Properties\s*\{", content) + if not properties_match: + return content.strip() + + open_brace_index = content.find('{', properties_match.start()) + if open_brace_index == -1: + return content.strip() + + brace_count = 1 + close_brace_index = -1 + + for index in range(open_brace_index + 1, len(content)): + char = content[index] + if char == '{': + brace_count += 1 + elif char == '}': + brace_count -= 1 + if brace_count == 0: + close_brace_index = index + break + + if close_brace_index == -1: + return content.strip() + + block = content[open_brace_index + 1:close_brace_index] + lines = block.split('\n') + cleaned_lines = [line.strip() for line in lines] + + while cleaned_lines and cleaned_lines[0] == "": + cleaned_lines.pop(0) + while cleaned_lines and cleaned_lines[-1] == "": + cleaned_lines.pop() + + return '\n'.join(cleaned_lines) + + +def get_property_name(line: str): + if not line or line.startswith("//"): + return None + matches = PROPERTY_NAME_PATTERN.findall(line) + if not matches: + return None + candidate = matches[-1] + if candidate.startswith('['): + return None + return candidate + + +def cleanup_lines(lines): + lines = list(lines) + while lines and lines[0] == "": + lines.pop(0) + while lines and lines[-1] == "": + lines.pop() + cleaned = [] + for line in lines: + if line == "" and cleaned and cleaned[-1] == "": + continue + cleaned.append(line) + return cleaned + + +def build_property_sections(common_properties, tessellation_properties, indent): + entries = [] + name_to_index = {} + + def add_lines(raw_text, source): + if not raw_text: + return + for raw_line in raw_text.splitlines(): + stripped = raw_line.strip() + entry = { + "line": stripped, + "source": source, + "is_hidden": "[HideInInspector]" in stripped, + } + if stripped == "": + entry["name"] = None + entries.append(entry) + continue + name = get_property_name(stripped) + entry["name"] = name + source_map = name_to_index.setdefault(source, {}) + if name and name in source_map: + existing_index = source_map[name] + existing_entry = entries[existing_index] + + def should_replace(existing, new): + if existing["is_hidden"] and not new["is_hidden"]: + return True + if not existing["is_hidden"] and new["is_hidden"]: + return False + return True + + if should_replace(existing_entry, entry): + entries[existing_index] = entry + else: + entries.append(entry) + if name: + source_map[name] = len(entries) - 1 + + add_lines(common_properties, "common") + add_lines(tessellation_properties, "tess") + + seen_pairs = set() + property_count = 0 + tess_override_names = set(name_to_index.get("tess", {}).keys()) + for entry in entries: + entry["skip_for_tess"] = entry["source"] == "common" and entry.get("name") in tess_override_names + for entry in entries: + name = entry.get("name") + if not name: + continue + key = (entry["source"], name) + if key in seen_pairs: + continue + seen_pairs.add(key) + property_count += 1 + + def render(section_source, skip_overrides=False): + lines = [] + for entry in entries: + if entry["source"] != section_source: + continue + if skip_overrides and entry.get("skip_for_tess"): + continue + if entry["line"]: + lines.append(indent + entry["line"]) + else: + lines.append("") + return "\n".join(cleanup_lines(lines)) + + common_block = render("common") + common_block_for_tess = render("common", skip_overrides=True) + tess_block = render("tess") + + return property_count, common_block, tess_block, common_block_for_tess + + +def load_properties_from_shader(shader_path, descriptor): + with open(shader_path, 'r', encoding='utf-8') as f: + shader_content = f.read() + + if not shader_content: + print(f"ERROR: {descriptor} shader file is empty or could not be read") + return None + + shader_content = shader_content.lstrip('\ufeff') + + properties = extract_properties_from_shader_content(shader_content) + if not properties: + print(f"ERROR: Could not extract {descriptor} properties from {shader_path}") + return None + + print(f"Successfully extracted {descriptor} properties. Length: {len(properties)} characters") + return properties + + +def generate_shader_files(): + try: + # Read the common properties shader + common_properties_path = "com.unity.toonshader/Runtime/Shaders/Common/Parts/CommonProperties.shaderblock" + common_properties = load_properties_from_shader(common_properties_path, "common") + if not common_properties: + return False + + # Read the tessellation properties shader + tessellation_properties_path = "com.unity.toonshader/Runtime/Shaders/Common/Parts/TessellationProperties.shaderblock" + tessellation_properties = load_properties_from_shader(tessellation_properties_path, "tessellation") + if tessellation_properties is None: + return False + + timestamp = datetime.now(timezone.utc).strftime("%a %b %d %H:%M:%S UTC %Y") + auto_comment_line = f"//Auto-generated on {timestamp}" + + # Generate UnityToon.shader + print("\nGenerating UnityToon.shader...") + success1 = generate_shader( + "com.unity.toonshader/Runtime/Integrated/Shaders/UnityToon.shader", + "com.unity.toonshader/Runtime/Shaders/Common/Parts/UnityToon.shadertemplate", + common_properties, + "", + auto_comment_line, + ) + + # Generate UnityToonTessellation.shader + print("\nGenerating UnityToonTessellation.shader...") + success2 = generate_shader( + "com.unity.toonshader/Runtime/Integrated/Shaders/UnityToonTessellation.shader", + "com.unity.toonshader/Runtime/Shaders/Common/Parts/UnityToonTessellation.shadertemplate", + common_properties, + tessellation_properties, + auto_comment_line, + ) + + if success1 and success2: + print("\nBoth shader files generated successfully!") + return True + else: + print("\nSome shader files failed to generate.") + return False + + except Exception as e: + print(f"ERROR: {e}") + import traceback + traceback.print_exc() + return False + + +def generate_shader(shader_path, template_path, common_properties, tessellation_properties, auto_comment_line): + try: + # Read the template or existing shader file + if template_path and os.path.exists(template_path): + with open(template_path, 'r', encoding='utf-8') as f: + original_content = f.read() + source_path = template_path + elif os.path.exists(shader_path): + with open(shader_path, 'r', encoding='utf-8') as f: + original_content = f.read() + source_path = shader_path + else: + print(f"ERROR: Could not locate shader or template for {shader_path}") + return False + + if not original_content: + print(f"ERROR: {shader_path} file is empty or could not be read") + return False + + original_content = original_content.lstrip('\ufeff') + + print(f"Successfully read {source_path}. Length: {len(original_content)} characters") + + property_count, common_block, tess_block, common_block_for_tess = build_property_sections(common_properties, tessellation_properties, " ") + + use_common_block = common_block_for_tess if tessellation_properties else common_block + + new_content = original_content + + if " [COMMON_PROPERTIES]" in new_content: + new_content = new_content.replace(" [COMMON_PROPERTIES]", use_common_block or "", 1) + elif "[COMMON_PROPERTIES]" in new_content: + new_content = new_content.replace("[COMMON_PROPERTIES]", use_common_block or "", 1) + else: + print(f"ERROR: Common properties placeholder not found in template for {shader_path}") + return False + + if "[TESSELLATION_PROPERTIES]" in new_content: + replacement = tess_block or "" + new_content = new_content.replace(" [TESSELLATION_PROPERTIES]", replacement, 1) + new_content = new_content.replace("[TESSELLATION_PROPERTIES]", replacement, 1) + + print(f"Generated properties with {property_count} entries. Common length: {len(common_block)}, Tess length: {len(tess_block)}") + + new_content = apply_auto_generated_comment(new_content, auto_comment_line) + + print(f"Generated new shader content. Original length: {len(original_content)}, New length: {len(new_content)}") + + # Write the new shader file + new_content = new_content.lstrip('\ufeff') + new_content = new_content.replace('\r\n', '\n').replace('\r', '\n') + if not new_content.endswith('\n'): + new_content += '\n' + os.makedirs(os.path.dirname(shader_path), exist_ok=True) + with open(shader_path, 'w', encoding='utf-8') as f: + f.write(new_content) + + print(f"Successfully wrote {shader_path}") + return True + + except Exception as e: + print(f"ERROR generating {shader_path}: {e}") + return False + + +def apply_auto_generated_comment(content, comment_line): + auto_prefix = "//Auto-generated on " + lines = content.splitlines() + + if lines and lines[0].startswith(auto_prefix): + lines[0] = comment_line + else: + lines.insert(0, comment_line) + + joined = "\n".join(lines) + if not joined.endswith("\n"): + joined += "\n" + return joined + + +if __name__ == "__main__": + success = generate_shader_files() + if success: + print("\nAll shader files generated successfully!") + else: + print("\nShader generation failed!") diff --git a/generate_UnityToon.sh b/generate_UnityToon.sh new file mode 100644 index 000000000..625e37f99 --- /dev/null +++ b/generate_UnityToon.sh @@ -0,0 +1,20 @@ +#!/bin/bash + +echo "Unity Toon Shader Generator" +echo "==========================" +echo + +echo "Generating shader files from common properties..." +python3 generate_UnityToon.py + +if [ $? -eq 0 ]; then + echo + echo "Shader generation completed successfully!" + echo "Both UnityToon.shader and UnityToonTessellation.shader have been updated." + echo "Files now include an auto-generated timestamp at the top of each shader." +else + echo + echo "Shader generation failed!" + echo "Check the error messages above." + exit 1 +fi diff --git a/test_generate_UnityToon.cs b/test_generate_UnityToon.cs new file mode 100644 index 000000000..466a82884 --- /dev/null +++ b/test_generate_UnityToon.cs @@ -0,0 +1,265 @@ +using System; +using System.IO; +using System.Text; +using System.Text.RegularExpressions; + +class Program +{ + static void Main() + { + try + { + // Test reading the common properties shader + string commonPropertiesPath = "com.unity.toonshader/Runtime/Shaders/Common/Parts/CommonProperties.shaderblock"; + string commonPropertiesShader = File.ReadAllText(commonPropertiesPath); + + if (string.IsNullOrEmpty(commonPropertiesShader)) + { + Console.WriteLine("ERROR: Common properties shader file is empty or could not be read"); + return; + } + string commonProperties = ExtractProperties(commonPropertiesShader); + if (string.IsNullOrEmpty(commonProperties)) + { + Console.WriteLine("ERROR: Failed to extract properties from CommonProperties.shaderblock"); + return; + } + + Console.WriteLine($"Successfully extracted common properties. Length: {commonProperties.Length} characters"); + + // Test reading the tessellation properties shader + string tessellationPropertiesPath = "com.unity.toonshader/Runtime/Shaders/Common/Parts/TessellationProperties.shaderblock"; + string tessellationPropertiesShader = File.ReadAllText(tessellationPropertiesPath); + + if (string.IsNullOrEmpty(tessellationPropertiesShader)) + { + Console.WriteLine("ERROR: Tessellation properties shader file is empty or could not be read"); + return; + } + string tessellationProperties = ExtractProperties(tessellationPropertiesShader); + if (string.IsNullOrEmpty(tessellationProperties)) + { + Console.WriteLine("ERROR: Failed to extract properties from TessellationProperties.shaderblock"); + return; + } + + Console.WriteLine($"Successfully extracted tessellation properties. Length: {tessellationProperties.Length} characters"); + + // Test reading the original shader files + string unityToonPath = "com.unity.toonshader/Runtime/Integrated/Shaders/UnityToon.shader"; + string unityToonContent = File.ReadAllText(unityToonPath); + + if (string.IsNullOrEmpty(unityToonContent)) + { + Console.WriteLine("ERROR: UnityToon.shader file is empty or could not be read"); + return; + } + + Console.WriteLine($"Successfully read UnityToon.shader. Length: {unityToonContent.Length} characters"); + + // Test the Properties block replacement + string propertiesPattern = @"Properties\s*\{"; + Match startMatch = Regex.Match(unityToonContent, propertiesPattern); + + if (!startMatch.Success) + { + Console.WriteLine("ERROR: Could not find Properties block start in shader file"); + return; + } + + Console.WriteLine($"Found Properties block start at position {startMatch.Index}"); + + // Find the matching closing brace + int startIndex = startMatch.Index; + int braceCount = 0; + int endIndex = startIndex; + bool foundStart = false; + + for (int i = startIndex; i < unityToonContent.Length; i++) + { + if (unityToonContent[i] == '{') + { + braceCount++; + foundStart = true; + } + else if (unityToonContent[i] == '}') + { + braceCount--; + if (foundStart && braceCount == 0) + { + endIndex = i; + break; + } + } + } + + if (braceCount != 0) + { + Console.WriteLine("ERROR: Could not find matching closing brace for Properties block"); + return; + } + + Console.WriteLine($"Found Properties block end at position {endIndex}"); + + // Build new Properties block + StringBuilder newProperties = new StringBuilder(); + newProperties.AppendLine(" Properties {"); + + // Add common properties + string[] commonLines = commonProperties.Split('\n'); + int propertyCount = 0; + foreach (string line in commonLines) + { + if (!string.IsNullOrWhiteSpace(line) && !line.TrimStart().StartsWith("//")) + { + newProperties.AppendLine($" {line.Trim()}"); + propertyCount++; + } + } + + newProperties.AppendLine(" }"); + + Console.WriteLine($"Generated new Properties block with {propertyCount} properties. Length: {newProperties.Length} characters"); + + // Test the replacement + string newContent = unityToonContent.Substring(0, startIndex) + newProperties.ToString() + unityToonContent.Substring(endIndex + 1); + newContent = ApplyAutoGeneratedComment(newContent, "//Auto-generated (test output)"); + + Console.WriteLine($"Generated new shader content. Original length: {unityToonContent.Length}, New length: {newContent.Length}"); + + // Write test file + string testPath = "UnityToon_Generated_Test.shader"; + File.WriteAllText(testPath, newContent); + + Console.WriteLine($"Test shader written to {testPath}"); + Console.WriteLine("Shader generation test completed successfully!"); + + try + { + File.Delete(testPath); + } + catch (IOException) + { + } + catch (UnauthorizedAccessException) + { + } + } + catch (Exception e) + { + Console.WriteLine($"ERROR: {e.Message}"); + Console.WriteLine(e.StackTrace); + } + } + + private static string ExtractProperties(string shaderContent) + { + if (string.IsNullOrEmpty(shaderContent)) + { + return null; + } + + string propertiesPattern = @"Properties\s*\{"; + Match startMatch = Regex.Match(shaderContent, propertiesPattern); + if (!startMatch.Success) + { + return null; + } + + int openBraceIndex = shaderContent.IndexOf('{', startMatch.Index); + if (openBraceIndex == -1) + { + return null; + } + + int braceCount = 1; + int closeBraceIndex = -1; + + for (int i = openBraceIndex + 1; i < shaderContent.Length; i++) + { + char c = shaderContent[i]; + if (c == '{') + { + braceCount++; + } + else if (c == '}') + { + braceCount--; + if (braceCount == 0) + { + closeBraceIndex = i; + break; + } + } + } + + if (closeBraceIndex == -1) + { + return null; + } + + string block = shaderContent.Substring(openBraceIndex + 1, closeBraceIndex - openBraceIndex - 1); + string[] rawLines = block.Split(new[] { "\r\n", "\n", "\r" }, StringSplitOptions.None); + + for (int i = 0; i < rawLines.Length; i++) + { + rawLines[i] = rawLines[i].Trim(); + } + + int start = 0; + int end = rawLines.Length - 1; + + while (start <= end && string.IsNullOrEmpty(rawLines[start])) + { + start++; + } + + while (end >= start && string.IsNullOrEmpty(rawLines[end])) + { + end--; + } + + if (start > end) + { + return string.Empty; + } + + StringBuilder result = new StringBuilder(); + for (int i = start; i <= end; i++) + { + result.Append(rawLines[i]); + if (i < end) + { + result.Append('\n'); + } + } + + return result.ToString(); + } + + private static string ApplyAutoGeneratedComment(string content, string commentLine) + { + const string autoPrefix = "//Auto-generated on "; + string[] lines = content.Split(new[] { "\n" }, StringSplitOptions.None); + + if (lines.Length > 0 && lines[0].StartsWith(autoPrefix, StringComparison.Ordinal)) + { + lines[0] = commentLine; + } + else + { + string[] updatedLines = new string[lines.Length + 1]; + updatedLines[0] = commentLine; + Array.Copy(lines, 0, updatedLines, 1, lines.Length); + lines = updatedLines; + } + + string result = string.Join("\n", lines); + if (!result.EndsWith("\n", StringComparison.Ordinal)) + { + result += "\n"; + } + + return result; + } +} diff --git a/test_generate_UnityToon.py b/test_generate_UnityToon.py new file mode 100644 index 000000000..881609218 --- /dev/null +++ b/test_generate_UnityToon.py @@ -0,0 +1,134 @@ +#!/usr/bin/env python3 + +import os +import re + +from generate_UnityToon import ( + extract_properties_from_shader_content, + apply_auto_generated_comment, +) + + +def test_shader_generation(): + try: + # Test reading the common properties shader + common_properties_path = "com.unity.toonshader/Runtime/Shaders/Common/Parts/CommonProperties.shaderblock" + with open(common_properties_path, 'r') as f: + common_properties_shader = f.read() + + if not common_properties_shader: + print("ERROR: Common properties shader file is empty or could not be read") + return + + common_properties = extract_properties_from_shader_content(common_properties_shader) + if not common_properties: + print("ERROR: Failed to extract common properties from shader") + return + + print(f"Successfully extracted common properties. Length: {len(common_properties)} characters") + + # Test reading the tessellation properties shader + tessellation_properties_path = "com.unity.toonshader/Runtime/Shaders/Common/Parts/TessellationProperties.shaderblock" + with open(tessellation_properties_path, 'r') as f: + tessellation_properties_shader = f.read() + + if not tessellation_properties_shader: + print("ERROR: Tessellation properties shader file is empty or could not be read") + return + + tessellation_properties = extract_properties_from_shader_content(tessellation_properties_shader) + if not tessellation_properties: + print("ERROR: Failed to extract tessellation properties from shader") + return + + print(f"Successfully extracted tessellation properties. Length: {len(tessellation_properties)} characters") + + # Test reading the original shader files + unity_toon_path = "com.unity.toonshader/Runtime/Integrated/Shaders/UnityToon.shader" + with open(unity_toon_path, 'r') as f: + unity_toon_content = f.read() + + if not unity_toon_content: + print("ERROR: UnityToon.shader file is empty or could not be read") + return + + print(f"Successfully read UnityToon.shader. Length: {len(unity_toon_content)} characters") + + # Test the Properties block replacement + properties_pattern = r"Properties\s*\{" + start_match = re.search(properties_pattern, unity_toon_content) + + if not start_match: + print("ERROR: Could not find Properties block start in shader file") + return + + print(f"Found Properties block start at position {start_match.start()}") + + # Find the matching closing brace + start_index = start_match.start() + brace_count = 0 + end_index = start_index + found_start = False + + for i in range(start_index, len(unity_toon_content)): + if unity_toon_content[i] == '{': + brace_count += 1 + found_start = True + elif unity_toon_content[i] == '}': + brace_count -= 1 + if found_start and brace_count == 0: + end_index = i + break + + if brace_count != 0: + print("ERROR: Could not find matching closing brace for Properties block") + return + + print(f"Found Properties block end at position {end_index}") + + # Build new Properties block + new_properties = [] + new_properties.append(" Properties {") + + # Add common properties + common_lines = common_properties.split('\n') + property_count = 0 + for line in common_lines: + if line.strip() and not line.strip().startswith("//"): + new_properties.append(f" {line.strip()}") + property_count += 1 + + new_properties.append(" }") + + new_properties_text = '\n'.join(new_properties) + + print(f"Generated new Properties block with {property_count} properties. Length: {len(new_properties_text)} characters") + + # Test the replacement + new_content = unity_toon_content[:start_index] + new_properties_text + unity_toon_content[end_index + 1:] + new_content = apply_auto_generated_comment(new_content, "//Auto-generated (test output)") + + print(f"Generated new shader content. Original length: {len(unity_toon_content)}, New length: {len(new_content)}") + + # Write test file + test_path = "UnityToon_Generated_Test.shader" + with open(test_path, 'w') as f: + f.write(new_content) + + print(f"Test shader written to {test_path}") + print("Shader generation test completed successfully!") + + try: + import os + os.remove(test_path) + except OSError: + pass + + except Exception as e: + print(f"ERROR: {e}") + import traceback + traceback.print_exc() + + +if __name__ == "__main__": + test_shader_generation()