#if UNITY_EDITOR using System; using System.Collections.Generic; using UnityEditor; namespace UnityEngine.InputSystem.Editor { internal static class SerializedPropertyLinqExtensions { public static IEnumerable Select(this SerializedProperty property, Func selector) { if (property == null) throw new ArgumentNullException(nameof(property)); if (selector == null) throw new ArgumentNullException(nameof(selector)); if (property.isArray == false) yield break; for (var i = 0; i < property.arraySize; i++) { yield return selector(property.GetArrayElementAtIndex(i)); } } public static IEnumerable Where(this SerializedProperty property, Func predicate) { if (property == null) throw new ArgumentNullException(nameof(property)); if (predicate == null) throw new ArgumentNullException(nameof(predicate)); if (property.isArray == false) yield break; for (var i = 0; i < property.arraySize; i++) { var element = property.GetArrayElementAtIndex(i); if (predicate(element)) yield return element; } } public static SerializedProperty FirstOrDefault(this SerializedProperty property) { if (property == null) throw new ArgumentNullException(nameof(property)); if (property.isArray == false || property.arraySize == 0) return null; return property.GetArrayElementAtIndex(0); } public static SerializedProperty FirstOrDefault(this SerializedProperty property, Func predicate) { if (property == null) throw new ArgumentNullException(nameof(property)); if (predicate == null) throw new ArgumentNullException(nameof(predicate)); if (property.isArray == false) return null; for (var i = 0; i < property.arraySize; i++) { var arrayElementAtIndex = property.GetArrayElementAtIndex(i); if (predicate(arrayElementAtIndex) == false) continue; return arrayElementAtIndex; } return null; } public static IEnumerable Skip(this SerializedProperty property, int count) { if (property == null) throw new ArgumentNullException(nameof(property)); if (count < 0) throw new ArgumentOutOfRangeException(nameof(count)); return SkipIterator(property, count); } public static IEnumerable Take(this SerializedProperty property, int count) { if (property == null) throw new ArgumentNullException(nameof(property)); if (count < 0 || count > property.arraySize) throw new ArgumentOutOfRangeException(nameof(count)); return TakeIterator(property, count); } private static IEnumerable SkipIterator(SerializedProperty source, int count) { var enumerator = source.GetEnumerator(); while (count > 0 && enumerator.MoveNext()) count--; if (count <= 0) { while (enumerator.MoveNext()) yield return (SerializedProperty)enumerator.Current; } } private static IEnumerable TakeIterator(SerializedProperty source, int count) { if (count > 0) { foreach (SerializedProperty element in source) { yield return element; if (--count == 0) break; } } } } } #endif