GraphUtil.cs 12 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352
  1. using System;
  2. using System.Text;
  3. using System.Collections.Generic;
  4. using System.Diagnostics;
  5. using System.IO;
  6. using System.IO.IsolatedStorage;
  7. using System.Linq;
  8. using System.Text.RegularExpressions;
  9. using UnityEditor.Graphing;
  10. using UnityEditor.Graphing.Util;
  11. using UnityEditorInternal;
  12. using Debug = UnityEngine.Debug;
  13. using System.Reflection;
  14. using System.Runtime.Remoting.Metadata.W3cXsd2001;
  15. using Data.Util;
  16. using UnityEditor.ProjectWindowCallback;
  17. using UnityEditor.ShaderGraph.Internal;
  18. using UnityEngine;
  19. using Object = System.Object;
  20. namespace UnityEditor.ShaderGraph
  21. {
  22. // a structure used to track active variable dependencies in the shader code
  23. // (i.e. the use of uv0 in the pixel shader means we need a uv0 interpolator, etc.)
  24. struct Dependency
  25. {
  26. public string name; // the name of the thing
  27. public string dependsOn; // the thing above depends on this -- it reads it / calls it / requires it to be defined
  28. public Dependency(string name, string dependsOn)
  29. {
  30. this.name = name;
  31. this.dependsOn = dependsOn;
  32. }
  33. };
  34. [System.AttributeUsage(System.AttributeTargets.Struct)]
  35. class InterpolatorPack : System.Attribute
  36. {
  37. public InterpolatorPack()
  38. {
  39. }
  40. }
  41. // attribute used to flag a field as needing an HLSL semantic applied
  42. // i.e. float3 position : POSITION;
  43. // ^ semantic
  44. [System.AttributeUsage(System.AttributeTargets.Field)]
  45. class Semantic : System.Attribute
  46. {
  47. public string semantic;
  48. public Semantic(string semantic)
  49. {
  50. this.semantic = semantic;
  51. }
  52. }
  53. // attribute used to flag a field as being optional
  54. // i.e. if it is not active, then we can omit it from the struct
  55. [System.AttributeUsage(System.AttributeTargets.Field)]
  56. class Optional : System.Attribute
  57. {
  58. public Optional()
  59. {
  60. }
  61. }
  62. // attribute used to override the HLSL type of a field with a custom type string
  63. [System.AttributeUsage(System.AttributeTargets.Field)]
  64. class OverrideType : System.Attribute
  65. {
  66. public string typeName;
  67. public OverrideType(string typeName)
  68. {
  69. this.typeName = typeName;
  70. }
  71. }
  72. // attribute used to force system generated fields to bottom of structs
  73. [System.AttributeUsage(System.AttributeTargets.Field)]
  74. class SystemGenerated : System.Attribute
  75. {
  76. public SystemGenerated()
  77. {
  78. }
  79. }
  80. // attribute used to disable a field using a preprocessor #if
  81. [System.AttributeUsage(System.AttributeTargets.Field)]
  82. class PreprocessorIf : System.Attribute
  83. {
  84. public string conditional;
  85. public PreprocessorIf(string conditional)
  86. {
  87. this.conditional = conditional;
  88. }
  89. }
  90. class NewGraphAction : EndNameEditAction
  91. {
  92. AbstractMaterialNode m_Node;
  93. public AbstractMaterialNode node
  94. {
  95. get { return m_Node; }
  96. set { m_Node = value; }
  97. }
  98. public override void Action(int instanceId, string pathName, string resourceFile)
  99. {
  100. var graph = new GraphData();
  101. graph.AddNode(node);
  102. graph.path = "Shader Graphs";
  103. FileUtilities.WriteShaderGraphToDisk(pathName, graph);
  104. AssetDatabase.Refresh();
  105. UnityEngine.Object obj = AssetDatabase.LoadAssetAtPath<Shader>(pathName);
  106. Selection.activeObject = obj;
  107. }
  108. }
  109. static class GraphUtil
  110. {
  111. internal static string ConvertCamelCase(string text, bool preserveAcronyms)
  112. {
  113. if (string.IsNullOrEmpty(text))
  114. return string.Empty;
  115. StringBuilder newText = new StringBuilder(text.Length * 2);
  116. newText.Append(text[0]);
  117. for (int i = 1; i < text.Length; i++)
  118. {
  119. if (char.IsUpper(text[i]))
  120. if ((text[i - 1] != ' ' && !char.IsUpper(text[i - 1])) ||
  121. (preserveAcronyms && char.IsUpper(text[i - 1]) &&
  122. i < text.Length - 1 && !char.IsUpper(text[i + 1])))
  123. newText.Append(' ');
  124. newText.Append(text[i]);
  125. }
  126. return newText.ToString();
  127. }
  128. public static void CreateNewGraph(AbstractMaterialNode node)
  129. {
  130. var graphItem = ScriptableObject.CreateInstance<NewGraphAction>();
  131. graphItem.node = node;
  132. ProjectWindowUtil.StartNameEditingIfProjectWindowExists(0, graphItem,
  133. string.Format("New Shader Graph.{0}", ShaderGraphImporter.Extension), null, null);
  134. }
  135. public static Type GetOutputNodeType(string path)
  136. {
  137. ShaderGraphMetadata metadata = null;
  138. foreach (var asset in AssetDatabase.LoadAllAssetsAtPath(path))
  139. {
  140. if (asset is ShaderGraphMetadata metadataAsset)
  141. {
  142. metadata = metadataAsset;
  143. break;
  144. }
  145. }
  146. if (metadata == null)
  147. {
  148. return null;
  149. }
  150. var outputNodeTypeName = metadata.outputNodeTypeName;
  151. foreach (var type in TypeCache.GetTypesDerivedFrom<IMasterNode>())
  152. {
  153. if (type.FullName == outputNodeTypeName)
  154. {
  155. return type;
  156. }
  157. }
  158. return null;
  159. }
  160. public static bool IsShaderGraph(this Shader shader)
  161. {
  162. var path = AssetDatabase.GetAssetPath(shader);
  163. var importer = AssetImporter.GetAtPath(path);
  164. return importer is ShaderGraphImporter;
  165. }
  166. static void Visit(List<AbstractMaterialNode> outputList, Dictionary<Guid, AbstractMaterialNode> unmarkedNodes, AbstractMaterialNode node)
  167. {
  168. if (!unmarkedNodes.ContainsKey(node.guid))
  169. return;
  170. foreach (var slot in node.GetInputSlots<ISlot>())
  171. {
  172. foreach (var edge in node.owner.GetEdges(slot.slotReference))
  173. {
  174. var inputNode = node.owner.GetNodeFromGuid(edge.outputSlot.nodeGuid);
  175. Visit(outputList, unmarkedNodes, inputNode);
  176. }
  177. }
  178. unmarkedNodes.Remove(node.guid);
  179. outputList.Add(node);
  180. }
  181. static Dictionary<SerializationHelper.TypeSerializationInfo, SerializationHelper.TypeSerializationInfo> s_LegacyTypeRemapping;
  182. public static Dictionary<SerializationHelper.TypeSerializationInfo, SerializationHelper.TypeSerializationInfo> GetLegacyTypeRemapping()
  183. {
  184. if (s_LegacyTypeRemapping == null)
  185. {
  186. s_LegacyTypeRemapping = new Dictionary<SerializationHelper.TypeSerializationInfo, SerializationHelper.TypeSerializationInfo>();
  187. foreach (var assembly in AppDomain.CurrentDomain.GetAssemblies())
  188. {
  189. foreach (var type in assembly.GetTypesOrNothing())
  190. {
  191. if (type.IsAbstract)
  192. continue;
  193. foreach (var attribute in type.GetCustomAttributes(typeof(FormerNameAttribute), false))
  194. {
  195. var legacyAttribute = (FormerNameAttribute)attribute;
  196. var serializationInfo = new SerializationHelper.TypeSerializationInfo { fullName = legacyAttribute.fullName };
  197. s_LegacyTypeRemapping[serializationInfo] = SerializationHelper.GetTypeSerializableAsString(type);
  198. }
  199. }
  200. }
  201. }
  202. return s_LegacyTypeRemapping;
  203. }
  204. /// <summary>
  205. /// Sanitizes a supplied string such that it does not collide
  206. /// with any other name in a collection.
  207. /// </summary>
  208. /// <param name="existingNames">
  209. /// A collection of names that the new name should not collide with.
  210. /// </param>
  211. /// <param name="duplicateFormat">
  212. /// The format applied to the name if a duplicate exists.
  213. /// This must be a format string that contains `{0}` and `{1}`
  214. /// once each. An example could be `{0} ({1})`, which will append ` (n)`
  215. /// to the name for the n`th duplicate.
  216. /// </param>
  217. /// <param name="name">
  218. /// The name to be sanitized.
  219. /// </param>
  220. /// <returns>
  221. /// A name that is distinct form any name in `existingNames`.
  222. /// </returns>
  223. internal static string SanitizeName(IEnumerable<string> existingNames, string duplicateFormat, string name)
  224. {
  225. if (!existingNames.Contains(name))
  226. return name;
  227. string escapedDuplicateFormat = Regex.Escape(duplicateFormat);
  228. // Escaped format will escape string interpolation, so the escape caracters must be removed for these.
  229. escapedDuplicateFormat = escapedDuplicateFormat.Replace(@"\{0}", @"{0}");
  230. escapedDuplicateFormat = escapedDuplicateFormat.Replace(@"\{1}", @"{1}");
  231. var baseRegex = new Regex(string.Format(escapedDuplicateFormat, @"^(.*)", @"(\d+)"));
  232. var baseMatch = baseRegex.Match(name);
  233. if (baseMatch.Success)
  234. name = baseMatch.Groups[1].Value;
  235. string baseNameExpression = string.Format(@"^{0}", Regex.Escape(name));
  236. var regex = new Regex(string.Format(escapedDuplicateFormat, baseNameExpression, @"(\d+)") + "$");
  237. var existingDuplicateNumbers = existingNames.Select(existingName => regex.Match(existingName)).Where(m => m.Success).Select(m => int.Parse(m.Groups[1].Value)).Where(n => n > 0).Distinct().ToList();
  238. var duplicateNumber = 1;
  239. existingDuplicateNumbers.Sort();
  240. if (existingDuplicateNumbers.Any() && existingDuplicateNumbers.First() == 1)
  241. {
  242. duplicateNumber = existingDuplicateNumbers.Last() + 1;
  243. for (var i = 1; i < existingDuplicateNumbers.Count; i++)
  244. {
  245. if (existingDuplicateNumbers[i - 1] != existingDuplicateNumbers[i] - 1)
  246. {
  247. duplicateNumber = existingDuplicateNumbers[i - 1] + 1;
  248. break;
  249. }
  250. }
  251. }
  252. return string.Format(duplicateFormat, name, duplicateNumber);
  253. }
  254. public static bool WriteToFile(string path, string content)
  255. {
  256. try
  257. {
  258. File.WriteAllText(path, content);
  259. return true;
  260. }
  261. catch (Exception e)
  262. {
  263. Debug.LogError(e);
  264. return false;
  265. }
  266. }
  267. static ProcessStartInfo CreateProcessStartInfo(string filePath)
  268. {
  269. string externalScriptEditor = ScriptEditorUtility.GetExternalScriptEditor();
  270. ProcessStartInfo psi = new ProcessStartInfo();
  271. psi.UseShellExecute = false;
  272. #if UNITY_EDITOR_OSX
  273. string arg = string.Format("-a \"{0}\" -n --args \"{1}\"", externalScriptEditor, Path.GetFullPath(filePath));
  274. psi.FileName = "open";
  275. psi.Arguments = arg;
  276. #else
  277. psi.Arguments = Path.GetFileName(filePath);
  278. psi.WorkingDirectory = Path.GetDirectoryName(filePath);
  279. psi.FileName = externalScriptEditor;
  280. #endif
  281. return psi;
  282. }
  283. public static void OpenFile(string path)
  284. {
  285. string filePath = Path.GetFullPath(path);
  286. if (!File.Exists(filePath))
  287. {
  288. Debug.LogError(string.Format("Path {0} doesn't exists", path));
  289. return;
  290. }
  291. string externalScriptEditor = ScriptEditorUtility.GetExternalScriptEditor();
  292. if (externalScriptEditor != "internal")
  293. {
  294. ProcessStartInfo psi = CreateProcessStartInfo(filePath);
  295. Process.Start(psi);
  296. }
  297. else
  298. {
  299. Process p = new Process();
  300. p.StartInfo.FileName = filePath;
  301. p.EnableRaisingEvents = true;
  302. p.Exited += (Object obj, EventArgs args) =>
  303. {
  304. if(p.ExitCode != 0)
  305. Debug.LogWarningFormat("Unable to open {0}: Check external editor in preferences", filePath);
  306. };
  307. p.Start();
  308. }
  309. }
  310. }
  311. }