Initial Commit

This commit is contained in:
Anton Zhernosek
2023-05-23 14:07:24 +02:00
committed by GitHub
parent 772a603c6f
commit 697d6fe98a
33 changed files with 2771 additions and 0 deletions

8
Editor/Extensions.meta Normal file
View File

@@ -0,0 +1,8 @@
fileFormatVersion: 2
guid: bf6137b31e1ad2747b16d1fd7eb292a5
folderAsset: yes
DefaultImporter:
externalObjects: {}
userData:
assetBundleName:
assetBundleVariant:

View File

@@ -0,0 +1,8 @@
fileFormatVersion: 2
guid: 49fcc97bf68f1be43af4476942bfc60e
folderAsset: yes
DefaultImporter:
externalObjects: {}
userData:
assetBundleName:
assetBundleVariant:

View File

@@ -0,0 +1,130 @@
#if UNITY_EDITOR
using System;
using System.Linq.Expressions;
using System.Reflection;
using UnityEditor;
using UnityEngine.UIElements;
namespace Utilities.Extensions.UIToolkit
{
public static class DropdownFieldExtensions
{
private static Type genericOSMenuType;
private static Type iGenericMenuInterfaceType;
private const string CreateMenuCallback_Property_Name = "createMenuCallback";
private const string GenericOsMenu_Type_Name = "UnityEditor.UIElements.GenericOSMenu";
private const string IGenericMenu_Type_Name = "IGenericMenu";
private const string FormatSelectedValueCallback_Property_Name = "formatSelectedValueCallback";
#region Generic Menu Assigning
public static void AssignGenericMenu(this DropdownField dropdownField,
Func<GenericMenu> genericMenuBuildingFunc)
{
Func<object> genericOSMenuFunc = () =>
{
GenericMenu menu = genericMenuBuildingFunc();
return GetGenericOSMenu(menu);
};
object boxedfunc = ConvertFuncToDesiredType(genericOSMenuFunc);
FieldInfo createMenuCallbackFieldInfo = typeof(DropdownField)
.GetField(CreateMenuCallback_Property_Name, BindingFlags.FlattenHierarchy | BindingFlags.NonPublic | BindingFlags.Public | BindingFlags.Instance);
createMenuCallbackFieldInfo.SetValue(dropdownField, boxedfunc);
}
#region Generic OS Menu Creation
private static object GetGenericOSMenu(GenericMenu menu)
{
Type type = GetGenericOSMenuType();
object[] args = new object[] { menu };
return Activator.CreateInstance(type, args);
}
#endregion
#region Type helpers
private static Type GetGenericOSMenuType()
{
if (genericOSMenuType == null)
{
genericOSMenuType = typeof(UnityEditor.UIElements.ColorField).Assembly.GetType(GenericOsMenu_Type_Name, false, true);
}
return genericOSMenuType;
}
private static Type GetIGenericMenuInterfaceType()
{
if (iGenericMenuInterfaceType == null)
{
Type genericOSType = GetGenericOSMenuType();
iGenericMenuInterfaceType = genericOSType.GetInterface(IGenericMenu_Type_Name);
}
return iGenericMenuInterfaceType;
}
#endregion
#region Func Conversion
private static Delegate ConvertFuncToDesiredType(Func<object> func)
{
Type interfaceType = GetIGenericMenuInterfaceType();
Type resultType = typeof(Func<>).MakeGenericType(interfaceType);
Expression<Func<object>> expressionFunc = FuncToExpression(func);
InvocationExpression invokedExpression = Expression.Invoke(expressionFunc);
UnaryExpression convertedReturnValue = Expression.Convert(invokedExpression, interfaceType);
LambdaExpression lambda = Expression.Lambda(delegateType: resultType, body: convertedReturnValue);
return lambda.Compile();
}
private static Expression<Func<T>> FuncToExpression<T>(Func<T> f)
{
return () => f();
}
#endregion
#endregion
#region Formatting Callback Assigning
public static void AssignFormattingCallback(this DropdownField dropdownField,
Func<string, string> formattingCallback)
{
#if UNITY_2022_2_OR_NEWER
dropdownField.formatSelectedValueCallback = formattingCallback;
#else
AssignFormattingCallbackViaReflection(dropdownField, formattingCallback);
#endif
}
private static void AssignFormattingCallbackViaReflection(this DropdownField functionDropdown,
Func<string, string> formattingCallback)
{
PropertyInfo propertyInfo = typeof(DropdownField)
.GetProperty(FormatSelectedValueCallback_Property_Name, BindingFlags.FlattenHierarchy | BindingFlags.NonPublic | BindingFlags.Public | BindingFlags.Instance);
object[] args = new object[] { formattingCallback };
propertyInfo.SetMethod.Invoke(functionDropdown, args);
}
#endregion
}
}
#endif

View File

@@ -0,0 +1,11 @@
fileFormatVersion: 2
guid: f923456164a309c4d81abab46ab3f8ca
MonoImporter:
externalObjects: {}
serializedVersion: 2
defaultReferences: []
executionOrder: 0
icon: {instanceID: 0}
userData:
assetBundleName:
assetBundleVariant:

View File

@@ -0,0 +1,8 @@
fileFormatVersion: 2
guid: 4950e11fcaa85be40ba5df654ee71efb
folderAsset: yes
DefaultImporter:
externalObjects: {}
userData:
assetBundleName:
assetBundleVariant:

View File

@@ -0,0 +1,147 @@
#if UNITY_EDITOR
using System.Collections;
using System.Linq;
using System.Reflection;
using System.Text.RegularExpressions;
using UnityEditor;
namespace Utilities.SerializableData.SerializableFunc.UnityEditorUtilities
{
public static class SerializedPropertyExtensions
{
static readonly Regex rgx = new Regex(@"\[\d+\]", RegexOptions.Compiled);
public static object GetBoxedValue(this SerializedProperty property)
{
property.serializedObject.ApplyModifiedProperties();
#if UNITY_2023_2_OR_NEWER
return property.boxedValue;
#else
return GetValue<object>(property);
#endif
}
public static void SetBoxedValue(this SerializedProperty property, object value)
{
property.serializedObject.Update();
#if UNITY_2023_2_OR_NEWER
property.boxedValue = value;
#else
SetValue<object>(property, value);
#endif
property.serializedObject.ApplyModifiedProperties();
}
public static T GetValue<T>(this SerializedProperty property) where T : class
{
object obj = property.serializedObject.targetObject;
string path = property.propertyPath.Replace(".Array.data", string.Empty);
string[] fieldStructure = path.Split('.');
for (int i = 0; i < fieldStructure.Length; i++)
{
if (fieldStructure[i].Contains("["))
{
int index = System.Convert.ToInt32(new string(fieldStructure[i].Where(c => char.IsDigit(c)).ToArray()));
obj = GetFieldValueWithIndex(rgx.Replace(fieldStructure[i], string.Empty), obj, index);
}
else
{
obj = GetFieldValue(fieldStructure[i], obj);
}
}
return (T)obj;
}
public static bool SetValue<T>(this SerializedProperty property, T value) where T : class
{
object obj = property.serializedObject.targetObject;
string path = property.propertyPath.Replace(".Array.data", "");
string[] fieldStructure = path.Split('.');
for (int i = 0; i < fieldStructure.Length - 1; i++)
{
if (fieldStructure[i].Contains("["))
{
int index = System.Convert.ToInt32(new string(fieldStructure[i].Where(c => char.IsDigit(c)).ToArray()));
obj = GetFieldValueWithIndex(rgx.Replace(fieldStructure[i], ""), obj, index);
}
else
{
obj = GetFieldValue(fieldStructure[i], obj);
}
}
string fieldName = fieldStructure.Last();
if (fieldName.Contains("["))
{
int index = System.Convert.ToInt32(new string(fieldName.Where(c => char.IsDigit(c)).ToArray()));
return SetFieldValueWithIndex(rgx.Replace(fieldName, ""), obj, index, value);
}
else
{
return SetFieldValue(fieldName, obj, value);
}
}
private static object GetFieldValue(string fieldName, object obj, BindingFlags bindings = BindingFlags.Instance | BindingFlags.Static | BindingFlags.Public | BindingFlags.NonPublic)
{
FieldInfo field = obj.GetType().GetField(fieldName, bindings);
if (field != null)
{
return field.GetValue(obj);
}
return default(object);
}
private static object GetFieldValueWithIndex(string fieldName, object obj, int index, BindingFlags bindings = BindingFlags.Instance | BindingFlags.Static | BindingFlags.Public | BindingFlags.NonPublic)
{
FieldInfo field = obj.GetType().GetField(fieldName, bindings);
if (field != null)
{
object list = field.GetValue(obj);
if (list.GetType().IsArray)
{
return ((object[])list)[index];
}
else if (list is IEnumerable)
{
return ((IList)list)[index];
}
}
return default(object);
}
public static bool SetFieldValue(string fieldName, object obj, object value, bool includeAllBases = false, BindingFlags bindings = BindingFlags.Instance | BindingFlags.Static | BindingFlags.Public | BindingFlags.NonPublic)
{
FieldInfo field = obj.GetType().GetField(fieldName, bindings);
if (field != null)
{
field.SetValue(obj, value);
return true;
}
return false;
}
public static bool SetFieldValueWithIndex(string fieldName, object obj, int index, object value, bool includeAllBases = false, BindingFlags bindings = BindingFlags.Instance | BindingFlags.Static | BindingFlags.Public | BindingFlags.NonPublic)
{
FieldInfo field = obj.GetType().GetField(fieldName, bindings);
if (field != null)
{
object list = field.GetValue(obj);
if (list.GetType().IsArray)
{
((object[])list)[index] = value;
return true;
}
else if (list is IEnumerable)
{
((IList)list)[index] = value;
return true;
}
}
return false;
}
}
}
#endif

View File

@@ -0,0 +1,11 @@
fileFormatVersion: 2
guid: 9092eebd24b0d8d4985c409afe2768d4
MonoImporter:
externalObjects: {}
serializedVersion: 2
defaultReferences: []
executionOrder: 0
icon: {instanceID: 0}
userData:
assetBundleName:
assetBundleVariant:

View File

@@ -0,0 +1,8 @@
fileFormatVersion: 2
guid: 8bb44bb4f5e72344b87845ac17958288
folderAsset: yes
DefaultImporter:
externalObjects: {}
userData:
assetBundleName:
assetBundleVariant:

View File

@@ -0,0 +1,60 @@
using System;
using System.Collections.Generic;
using System.Linq;
namespace Utilities.Extensions.SystemExtensions
{
public static class TypeExtensions
{
private static Dictionary<Type, string> PrimitiveTypesLookup = new Dictionary<Type, string>
{
{ typeof(bool), "Bool" },
{ typeof(byte), "Byte" },
{ typeof(char), "Char" },
{ typeof(decimal), "Decimal" },
{ typeof(double), "Double" },
{ typeof(float), "Float" },
{ typeof(int), "Int" },
{ typeof(long), "Long" },
{ typeof(sbyte), "Sbyte" },
{ typeof(short), "Short" },
{ typeof(string), "String" },
{ typeof(uint), "Uint" },
{ typeof(ulong), "Ulong" },
{ typeof(ushort), "Ushort" },
};
public static string NicifyTypeName(this Type type)
{
if (type.IsArray)
{
Type elementType = type.GetElementType();
string elementTypeString = NicifyTypeName(elementType);
return $"{elementTypeString}[]";
}
if (!type.IsGenericType)
{
return GetSingleTypeName(type);
}
if (type.IsNested && type.DeclaringType.IsGenericType) return type.Name;
string genericTypeString = $"{type.Name[..type.Name.IndexOf('`')]}";
IEnumerable<string> genericArgumentNames = type.GetGenericArguments()
.Select(x => NicifyTypeName(x));
string genericArgumentsString = string.Join(", ", genericArgumentNames);
return $"{genericTypeString}<{genericArgumentsString}>";
}
private static string GetSingleTypeName(Type type)
{
if (PrimitiveTypesLookup.TryGetValue(type, out string result)) return result;
return type.Name;
}
}
}

View File

@@ -0,0 +1,11 @@
fileFormatVersion: 2
guid: 46fcb395397539e4f99e257852dcaaa7
MonoImporter:
externalObjects: {}
serializedVersion: 2
defaultReferences: []
executionOrder: 0
icon: {instanceID: 0}
userData:
assetBundleName:
assetBundleVariant:

View File

@@ -0,0 +1,8 @@
fileFormatVersion: 2
guid: a98267ecc93a89f4c9b31bad1ccb0bb0
folderAsset: yes
DefaultImporter:
externalObjects: {}
userData:
assetBundleName:
assetBundleVariant:

View File

@@ -0,0 +1,682 @@
#if UNITY_EDITOR
using System;
using System.Collections.Generic;
using System.Linq;
using System.Reflection;
using System.Text;
using UnityEditor;
using UnityEditor.UIElements;
using UnityEditorInternal;
using UnityEngine;
using UnityEngine.UIElements;
using Utilities.Extensions.SystemExtensions;
using Utilities.Extensions.UIToolkit;
using Utilities.SerializableData.SerializableFunc.UnityEditorUtilities;
using Object = UnityEngine.Object;
namespace Utilities.SerializableData.SerializableFunc.UnityEditorDrawers
{
[CustomPropertyDrawer(typeof(SerializableFunc<>))]
public class SerializableFuncPropertyDrawer : PropertyDrawer
{
private const string Target_Function_Label = "Target Function";
private const string Target_Object_Label = "Target Object";
private const string No_Function_Label = "No Function";
private const string TargetObject_Property_Name = "targetObject";
private const string MethodName_Property_Name = "methodName";
private const string MixedValueContent_Property_Name = "mixedValueContent";
#region GUI Drawing
public override void OnGUI(Rect position, SerializedProperty property, GUIContent label)
{
EditorGUI.BeginProperty(position, GUIContent.none, property);
if (Event.current.type == EventType.Repaint)
{
ReorderableList.defaultBehaviours.DrawHeaderBackground(position);
}
Rect headerRect = position;
headerRect.xMin += 6f;
headerRect.xMax -= 6f;
headerRect.height -= 2f;
headerRect.y += 1f;
DrawFuncHeader(ref headerRect, property, label.text);
DrawPropertyView(ref position, ref headerRect, property);
EditorGUI.EndProperty();
}
private void DrawFuncHeader(ref Rect position, SerializedProperty funcProperty, string labelText)
{
position.height = 18f;
string text = GetHeaderText(funcProperty, labelText);
GUI.Label(position, text);
}
private void DrawPropertyView(ref Rect position, ref Rect headerRect, SerializedProperty funcProperty)
{
Rect listRect = new Rect(position.x, headerRect.y + headerRect.height, position.width, 45f);
int indentLevel = EditorGUI.indentLevel;
EditorGUI.indentLevel = 0;
if (Event.current.type == EventType.Repaint)
{
ReorderableList.defaultBehaviours.boxBackground.Draw(listRect, isHover: false, isActive: false, on: false, hasKeyboardFocus: false);
}
listRect.yMin += 1f;
listRect.yMax -= 4f;
listRect.xMin += 1f;
listRect.xMax -= 1f;
SerializedProperty targetObjectProperty = GetTargetObjectSerializedProperty(funcProperty);
SerializedProperty targetMethodProperty = GetMethodNameSerializedProperty(funcProperty);
EditorGUI.BeginChangeCheck();
Rect targetObjectLineRect = GetListViewSingleLineRect(ref position, ref listRect);
Rect[] targetObjectRects = GetTwoRectsForLabelAndProperty(ref targetObjectLineRect);
EditorGUI.LabelField(targetObjectRects[0], Target_Object_Label);
EditorGUI.PropertyField(targetObjectRects[1], targetObjectProperty, GUIContent.none);
if (EditorGUI.EndChangeCheck())
{
targetMethodProperty.stringValue = string.Empty;
targetMethodProperty.serializedObject.ApplyModifiedProperties();
}
DrawMethodNameProperty(ref targetObjectLineRect, funcProperty, targetObjectProperty, targetMethodProperty);
EditorGUI.indentLevel = indentLevel;
}
private void DrawMethodNameProperty(ref Rect previousRect,
SerializedProperty funcProperty,
SerializedProperty targetObjectSerializedProperty,
SerializedProperty targetMethodSerializedProperty)
{
Rect targetMethodRect = GetNextSingleLineRect(ref previousRect);
Rect[] targetMethodRects = GetTwoRectsForLabelAndProperty(ref targetMethodRect);
EditorGUI.LabelField(targetMethodRects[0], Target_Function_Label);
using (new EditorGUI.DisabledScope(targetObjectSerializedProperty.objectReferenceValue == null))
{
EditorGUI.BeginProperty(targetMethodRect, GUIContent.none, targetMethodSerializedProperty);
GUIContent content;
if (EditorGUI.showMixedValue)
{
content = GetMixedValueContentGUIContent();
}
else
{
StringBuilder stringBuilder = new StringBuilder();
if (targetObjectSerializedProperty.objectReferenceValue == null
|| string.IsNullOrEmpty(targetMethodSerializedProperty.stringValue))
{
stringBuilder.Append(No_Function_Label);
}
else if (!IsPersistantListenerValid(funcProperty, targetObjectSerializedProperty, targetMethodSerializedProperty))
{
string missingComponentString = GetMissingComponentMethodString(targetObjectSerializedProperty, targetMethodSerializedProperty);
stringBuilder.Append(missingComponentString);
}
else
{
stringBuilder.Append(targetObjectSerializedProperty.objectReferenceValue.GetType().Name);
if (!string.IsNullOrEmpty(targetMethodSerializedProperty.stringValue))
{
stringBuilder.Append(".");
string nicerName = NicifyGetterPropertyName(targetMethodSerializedProperty.stringValue);
stringBuilder.Append(nicerName);
}
}
content = new GUIContent(stringBuilder.ToString());
}
if (EditorGUI.DropdownButton(targetMethodRects[1], content, FocusType.Passive, EditorStyles.popup))
{
CachedPropertiesAndObjectsData data = new CachedPropertiesAndObjectsData(funcProperty, targetObjectSerializedProperty, targetMethodSerializedProperty, null, null);
BuildGenericMenu(data).DropDown(previousRect);
}
EditorGUI.EndProperty();
}
}
private bool IsPersistantListenerValid(SerializedProperty funcProperty,
SerializedProperty targetObjectProperty,
SerializedProperty targetMethodProperty)
{
if (targetObjectProperty.objectReferenceValue == null
|| string.IsNullOrWhiteSpace(targetMethodProperty.stringValue)) return false;
Type returnType = GetFuncReturnTypeFromProperty(funcProperty);
MethodInfo targetMethod = targetObjectProperty.objectReferenceValue
.GetType()
.GetMethods(BindingFlags.FlattenHierarchy | BindingFlags.Public | BindingFlags.Instance)
.Where(x => IsSuitableMethodInfo(x, returnType))
.FirstOrDefault(x => string.Equals(x.Name, targetMethodProperty.stringValue));
if (targetMethod != null) return true;
MethodInfo targetProperty = targetObjectProperty.objectReferenceValue
.GetType()
.GetProperties(BindingFlags.FlattenHierarchy | BindingFlags.Public | BindingFlags.Instance)
.Where(x => IsSuitableProperty(x, returnType))
.Select(x => x.GetGetMethod())
.FirstOrDefault(x => string.Equals(x.Name, targetMethodProperty.stringValue));
return targetProperty != null;
}
private GUIContent GetMixedValueContentGUIContent()
{
MethodInfo info = typeof(EditorGUI)
.GetMethod(MixedValueContent_Property_Name, BindingFlags.FlattenHierarchy | BindingFlags.Static | BindingFlags.Public);
return info.Invoke(null, null) as GUIContent;
}
#region Rect Utility
private Rect GetListViewSingleLineRect(ref Rect position, ref Rect listRect)
{
Rect result = new Rect(position.x,
listRect.y + EditorGUIUtility.standardVerticalSpacing,
listRect.width,
EditorGUIUtility.singleLineHeight);
result.xMin += 8f;
result.xMax -= 3f;
return result;
}
private Rect GetNextSingleLineRect(ref Rect previousRect)
{
return new Rect(previousRect.x,
previousRect.yMax + EditorGUIUtility.standardVerticalSpacing,
previousRect.width,
EditorGUIUtility.singleLineHeight);
}
private Rect[] GetTwoRectsForLabelAndProperty(ref Rect lineRect)
{
Rect labelRect = new Rect(lineRect.position.x,
lineRect.position.y,
lineRect.width / 3 - 1f,
lineRect.height);
float propertyRectX = labelRect.xMax + 2f;
float propertyRectWidth = lineRect.xMax - propertyRectX;
Rect propertyRect = new Rect(
propertyRectX,
labelRect.y,
propertyRectWidth,
lineRect.height);
return new Rect[] { labelRect, propertyRect };
}
#endregion
#endregion
#region UI Toolkit Drawing
public override VisualElement CreatePropertyGUI(SerializedProperty property)
{
VisualElement visualElement = new VisualElement();
visualElement.AddToClassList("unity-event__container");
Label label = new Label();
label.text = GetHeaderText(property, property.displayName);
label.tooltip = property.tooltip;
label.AddToClassList("unity-list-view__header");
label.style.overflow = new StyleEnum<Overflow>(Overflow.Hidden);
VisualElement assignmentVE = CreateFuncAssignmentVisualElement(property);
visualElement.Add(label);
visualElement.Add(assignmentVE);
return visualElement;
}
#region Visible Container Drawing
private VisualElement CreateFuncAssignmentVisualElement(SerializedProperty funcProperty)
{
VisualElement visualElement = CreateContainerVisualElement();
SerializedProperty objectProperty = GetTargetObjectSerializedProperty(funcProperty);
string objectPropertyLabel = ObjectNames.NicifyVariableName(TargetObject_Property_Name);
ObjectField targetObjectField = GetTargetObjectField(visualElement, objectProperty, objectPropertyLabel);
SerializedProperty methodNameProperty = GetMethodNameSerializedProperty(funcProperty);
DropdownField functionDropdown = CreateChosenMethodDropdownField(visualElement, methodNameProperty);
RegisterObjectFieldCallback(targetObjectField, functionDropdown);
CachedPropertiesAndObjectsData data = new CachedPropertiesAndObjectsData(funcProperty, objectProperty, methodNameProperty, targetObjectField, functionDropdown);
AssignGenericOSMenuValueToDropdownField(data);
AssignFormattingCallbackToDropdownField(data);
return visualElement;
}
private VisualElement CreateContainerVisualElement()
{
VisualElement visualElement = new VisualElement();
visualElement.AddToClassList("unity-scroll-view");
visualElement.AddToClassList("unity-collection-view__scroll-view");
visualElement.AddToClassList("unity-collection-view--with-border");
visualElement.AddToClassList("unity-list-view__scroll-view--with-footer");
visualElement.AddToClassList("unity-event__list-view-scroll-view");
visualElement.style.paddingBottom = 5f;
visualElement.style.paddingLeft = 3f;
visualElement.style.paddingRight = 3f;
visualElement.style.marginBottom = 5f;
return visualElement;
}
private ObjectField GetTargetObjectField(VisualElement parentContainer,
SerializedProperty objectProperty,
string objectPropertyLabel)
{
ObjectField targetObjectField = new ObjectField(objectPropertyLabel);
parentContainer.Add(targetObjectField);
targetObjectField.BindProperty(objectProperty);
targetObjectField.style.marginRight = 3f;
targetObjectField.labelElement.style.paddingTop = 0f;
return targetObjectField;
}
private DropdownField CreateChosenMethodDropdownField(VisualElement parentContainer,
SerializedProperty methodNameProperty)
{
DropdownField functionDropdown = new DropdownField(Target_Function_Label);
parentContainer.Add(functionDropdown);
functionDropdown.BindProperty(methodNameProperty);
functionDropdown.style.marginRight = 3f;
functionDropdown.labelElement.style.paddingTop = 0f;
return functionDropdown;
}
private void RegisterObjectFieldCallback(ObjectField targetObjectField, DropdownField functionDropdown)
{
targetObjectField.RegisterValueChangedCallback(changeEvent =>
{
// hadPreviousValue has to be checked because this event will be raised after you bind a property and the object field is created
bool hasNewValue = changeEvent.newValue != null;
bool hadPreviousValue = changeEvent.previousValue != null;
if (!hasNewValue
||
(hasNewValue && hadPreviousValue && changeEvent.previousValue != changeEvent.newValue))
{
functionDropdown.value = null;
}
functionDropdown.SetEnabled(hasNewValue);
});
}
private void AssignGenericOSMenuValueToDropdownField(CachedPropertiesAndObjectsData data)
{
data.DropdownField.AssignGenericMenu(() =>
BuildGenericMenu(data));
}
private void AssignFormattingCallbackToDropdownField(CachedPropertiesAndObjectsData data)
{
data.DropdownField.AssignFormattingCallback(
_ => FormatFunctionValueSelected(data));
}
private string FormatFunctionValueSelected(CachedPropertiesAndObjectsData data)
{
Object obj = data.ObjectField.value;
string methodNameValue = data.TargetMethodProperty.stringValue;
if (obj == null || string.IsNullOrWhiteSpace(methodNameValue)) return No_Function_Label;
if (!IsPersistantListenerValid(data.FuncProperty, data.TargetObjectProperty, data.TargetMethodProperty))
{
return GetMissingComponentMethodString(data.TargetObjectProperty, data.TargetMethodProperty);
}
methodNameValue = NicifyGetterPropertyName(methodNameValue);
return $"{obj.GetType().Name}.{methodNameValue}";
}
#endregion
#endregion
#region Common Utility
private string GetHeaderText(SerializedProperty property, string labelText)
{
return $"{(string.IsNullOrEmpty(labelText) ? "Func" : labelText)} {GetEventParams(property)}";
}
private string GetEventParams(SerializedProperty property)
{
string funcReturnValue = GetFuncReturnTypeFromProperty(property).NicifyTypeName();
return $"({funcReturnValue})";
}
private Type GetFuncReturnTypeFromProperty(SerializedProperty funcProperty)
{
return funcProperty.GetBoxedValue().GetType().GetGenericArguments().Last();
}
private string GetMissingComponentMethodString(SerializedProperty objectProperty,
SerializedProperty methodProperty)
{
string arg = "UnknownComponent";
Object objectValue = objectProperty.objectReferenceValue;
if (objectValue != null)
{
arg = objectValue.GetType().Name;
}
return $"<Missing {arg}.{methodProperty.stringValue}>";
}
#endregion
#region Generic Menu Building
private GenericMenu BuildGenericMenu(CachedPropertiesAndObjectsData data)
{
Object target = data.TargetObjectProperty.objectReferenceValue;
if (target is Component targetComponent)
{
target = targetComponent.gameObject;
}
SerializedProperty methodNameProperty = data.FuncProperty.FindPropertyRelative(MethodName_Property_Name);
GenericMenu genericMenu = new GenericMenu();
genericMenu.AddItem(new GUIContent(No_Function_Label), string.IsNullOrEmpty(methodNameProperty.stringValue), ClearMethodNameProperty, methodNameProperty);
if (target == null) return genericMenu;
genericMenu.AddSeparator("");
Type returnType = GetFuncReturnTypeFromProperty(data.FuncProperty);
Component[] components = ((GameObject)target).GetComponents<Component>();
DrawMenuForComponent(genericMenu, data, (GameObject)target, returnType);
foreach (Component component in components)
{
DrawMenuForComponent(genericMenu, data, component, returnType);
}
return genericMenu;
}
private void DrawMenuForComponent(GenericMenu genericMenu,
CachedPropertiesAndObjectsData data,
Object component,
Type returnType)
{
Type componentType = component.GetType();
string componentName = componentType.Name;
MethodInfo[] suitableProperties = GetSuitablePropertiesFromType(componentType, returnType);
if (suitableProperties.Length > 0)
{
GUIContent propertiesContent = new GUIContent($"{componentName}/Property Getters");
genericMenu.AddDisabledItem(propertiesContent);
foreach (MethodInfo propertyGetter in suitableProperties)
{
string propertyName = NicifyGetterPropertyName(propertyGetter);
GUIContent methodContent = new GUIContent($"{componentName}/{propertyName}");
SelectedMethodInfo info = new SelectedMethodInfo(component, propertyGetter);
bool isOn = IsMethodChosen(data.TargetObjectProperty, data.TargetMethodProperty, component, propertyGetter);
var menuSelectedCallback = GetMenuSelectedAction(data);
genericMenu.AddItem(methodContent, isOn, menuSelectedCallback, info);
}
genericMenu.AddSeparator($"{componentName}/");
}
MethodInfo[] suitableMethods = GetSuitableMethodsFromType(componentType, returnType);
if (suitableMethods.Length > 0)
{
GUIContent methodsContent = new GUIContent($"{componentName}/Invokable Methods");
genericMenu.AddDisabledItem(methodsContent);
foreach (MethodInfo method in suitableMethods)
{
GUIContent methodContent = new GUIContent($"{componentName}/{method.Name}");
SelectedMethodInfo info = new SelectedMethodInfo(component, method);
bool isOn = IsMethodChosen(data.TargetObjectProperty, data.TargetMethodProperty, component, method);
var menuSelectedCallback = GetMenuSelectedAction(data);
genericMenu.AddItem(methodContent, isOn, menuSelectedCallback, info);
}
}
}
private bool IsMethodChosen(SerializedProperty targetObjectProperty,
SerializedProperty targetMethodProperty,
Object component,
MethodInfo method)
{
if (string.IsNullOrWhiteSpace(targetMethodProperty.stringValue)) return false;
return targetObjectProperty.objectReferenceValue == component
&& string.Equals(targetMethodProperty.stringValue, method.Name);
}
private GenericMenu.MenuFunction2 GetMenuSelectedAction(CachedPropertiesAndObjectsData data)
{
return obj => HandleNewMethodAssigned(obj, data);
}
#region Method List Getters
private MethodInfo[] GetSuitableMethodsFromType(Type componentType, Type returnType)
{
IEnumerable<MethodInfo> suitableMethods = componentType.GetMethods(BindingFlags.FlattenHierarchy | BindingFlags.Public | BindingFlags.Instance)
.Where(x => IsSuitableMethodInfo(x, returnType))
.OrderBy(x => x.Name);
return suitableMethods.ToArray();
}
private MethodInfo[] GetSuitablePropertiesFromType(Type componentType, Type returnType)
{
IEnumerable<PropertyInfo> suitableProperties = componentType.GetProperties(BindingFlags.FlattenHierarchy | BindingFlags.Public | BindingFlags.Instance)
.Where(x => IsSuitableProperty(x, returnType));
IEnumerable<MethodInfo> propertyGetters = suitableProperties
.Select(x => x.GetGetMethod())
.OrderBy(x => x.Name);
return propertyGetters.ToArray();
}
private bool IsSuitableMethodInfo(MethodInfo info, Type returnType)
{
return !info.IsSpecialName
&& info.ReturnType == returnType
&& info.GetParameters().Length == 0;
}
private bool IsSuitableProperty(PropertyInfo propertyInfo, Type returnType)
{
if (propertyInfo.GetCustomAttributes(typeof(ObsoleteAttribute), inherit: true).Length != 0) return false;
MethodInfo getMethod = propertyInfo.GetGetMethod();
if (getMethod == null) return false;
return getMethod.ReturnType == returnType;
}
#endregion
#region Event Handlers
private void ClearMethodNameProperty(object methodNameProperty)
{
SerializedProperty nameProperty = (SerializedProperty)methodNameProperty;
nameProperty.stringValue = string.Empty;
nameProperty.serializedObject.ApplyModifiedProperties();
}
private void HandleNewMethodAssigned(object selectedInfo, CachedPropertiesAndObjectsData data)
{
SelectedMethodInfo info = (SelectedMethodInfo)selectedInfo;
// If we're drawing with UI Toolkit, the update will be a bit stoopid when you bind a property
// Assigning a value without notify ensures that we don't accidentally set the function dropdown value to a null value
// This has to work this way because when we assign the object to get the method from, we may have to change the object. Problem being, if we try to change the DropdownField's value or property within the object change event, the assert will fail => the SerializedProperty bound to the Dropdown Field will have a different value than the dropdown field itself for some reason
// Unity Event has the same bug when drawn with UI Toolkit, so this is a workaround :>
ObjectField targetObjectField = data.ObjectField;
targetObjectField?.SetValueWithoutNotify(info.TargetObject);
data.TargetObjectProperty.objectReferenceValue = info.TargetObject;
#if UNITY_2023_1_OR_NEWER
#else
// Has to happen before we reassign the value, so an additional annoying block of ifs here
bool isSameString = string.Equals(data.TargetMethodProperty.stringValue, info.TargetMethod.Name);
#endif
data.TargetMethodProperty.stringValue = info.TargetMethod.Name;
#if UNITY_2023_1_OR_NEWER
#else
// Older Unity version doesn't automatically use the formatting callback if the old value is the same as the new value
// This is a problem because properties or methods can have the same name on different objects (gameobject.name and transform.name, for example)
// The easiest way to call for formatting to happen is to just reassign the callback
// Only relevant to my fav boi UI toolkit
DropdownField dropdownField = data.DropdownField;
if (isSameString && dropdownField != null)
{
AssignFormattingCallbackToDropdownField(data);
}
#endif
data.TargetMethodProperty.serializedObject.ApplyModifiedProperties();
}
#endregion
#region Utility
#region Strings
private string NicifyGetterPropertyName(MethodInfo methodInfo)
{
return NicifyGetterPropertyName(methodInfo.Name);
}
private string NicifyGetterPropertyName(string methodName)
{
return $"{methodName.Replace("get_", string.Empty)}";
}
#endregion
#endregion
#endregion
#region Serialized Property Getters
private SerializedProperty GetTargetObjectSerializedProperty(SerializedProperty funcProperty)
{
SerializedProperty objectProperty = funcProperty.FindPropertyRelative(TargetObject_Property_Name);
return objectProperty;
}
private SerializedProperty GetMethodNameSerializedProperty(SerializedProperty funcProperty)
{
SerializedProperty methodNameProperty = funcProperty.FindPropertyRelative(MethodName_Property_Name);
return methodNameProperty;
}
#endregion
#region Helper Classes
private struct SelectedMethodInfo
{
public Object TargetObject;
public MethodInfo TargetMethod;
public SelectedMethodInfo(Object obj, MethodInfo method)
{
TargetObject = obj;
TargetMethod = method;
}
}
private struct CachedPropertiesAndObjectsData
{
public SerializedProperty FuncProperty;
public SerializedProperty TargetObjectProperty;
public SerializedProperty TargetMethodProperty;
public ObjectField ObjectField;
public DropdownField DropdownField;
public CachedPropertiesAndObjectsData(SerializedProperty funcProperty,
SerializedProperty targetObjectProperty,
SerializedProperty targetMethodProperty,
ObjectField objectField,
DropdownField dropdownField)
{
FuncProperty = funcProperty;
TargetObjectProperty = targetObjectProperty;
TargetMethodProperty = targetMethodProperty;
ObjectField = objectField;
DropdownField = dropdownField;
}
}
#endregion
}
}
#endif

View File

@@ -0,0 +1,11 @@
fileFormatVersion: 2
guid: 33baceefadfdeb945aa7f92e190518f0
MonoImporter:
externalObjects: {}
serializedVersion: 2
defaultReferences: []
executionOrder: 0
icon: {instanceID: 0}
userData:
assetBundleName:
assetBundleVariant:

View File

@@ -0,0 +1,18 @@
{
"name": "SerializableFunc.Editor",
"rootNamespace": "",
"references": [
"GUID:e72a8e3728c787f4fafc146b590e6be5"
],
"includePlatforms": [
"Editor"
],
"excludePlatforms": [],
"allowUnsafeCode": false,
"overrideReferences": false,
"precompiledReferences": [],
"autoReferenced": true,
"defineConstraints": [],
"versionDefines": [],
"noEngineReferences": false
}

View File

@@ -0,0 +1,7 @@
fileFormatVersion: 2
guid: 75a87e1cf9f3f7a459b64a70045728b6
AssemblyDefinitionImporter:
externalObjects: {}
userData:
assetBundleName:
assetBundleVariant: