ObjectPool.cs 1.6 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455
  1. using System;
  2. using System.Collections.Generic;
  3. using UnityEngine;
  4. using UnityEngine.Events;
  5. namespace UnityEditor.Graphing
  6. {
  7. class ObjectPool<T> where T : new()
  8. {
  9. readonly Stack<T> m_Stack = new Stack<T>();
  10. readonly UnityAction<T> m_ActionOnGet;
  11. readonly UnityAction<T> m_ActionOnRelease;
  12. public int countAll { get; private set; }
  13. public int countActive { get { return countAll - countInactive; } }
  14. public int countInactive { get { return m_Stack.Count; } }
  15. public ObjectPool(UnityAction<T> actionOnGet, UnityAction<T> actionOnRelease)
  16. {
  17. m_ActionOnGet = actionOnGet;
  18. m_ActionOnRelease = actionOnRelease;
  19. }
  20. public T Get()
  21. {
  22. T element;
  23. if (m_Stack.Count == 0)
  24. {
  25. element = new T();
  26. countAll++;
  27. }
  28. else
  29. {
  30. element = m_Stack.Pop();
  31. }
  32. if (m_ActionOnGet != null)
  33. m_ActionOnGet(element);
  34. return element;
  35. }
  36. public PooledObject<T> GetDisposable()
  37. {
  38. return new PooledObject<T>(this, Get());
  39. }
  40. public void Release(T element)
  41. {
  42. if (m_Stack.Count > 0 && ReferenceEquals(m_Stack.Peek(), element))
  43. Debug.LogError("Internal error. Trying to destroy object that is already released to pool.");
  44. if (m_ActionOnRelease != null)
  45. m_ActionOnRelease(element);
  46. m_Stack.Push(element);
  47. }
  48. }
  49. }