remove "new()" generic type constraints, mimic using reflection

This commit is contained in:
Gered 2013-08-22 12:33:35 -04:00
parent d4b861dd58
commit 6d27325155

View file

@ -11,40 +11,65 @@ namespace Blarg.GameFramework.Support
class ObjectObjectPool : ObjectPool<Object>
{
Type _type;
ConstructorInfo _constructor;
public ObjectObjectPool(Type type)
public ObjectObjectPool(Type type, ConstructorInfo constructor)
: base(INITIAL_CAPACITY)
{
_type = type;
_constructor = constructor;
}
protected override object Allocate()
{
return Activator.CreateInstance(_type);
// TODO: use a compiled lambda expression instead?
// need to check if possible when AOT compiled
return _constructor.Invoke(null);
}
}
static Dictionary<Type, ObjectObjectPool> _pools = new Dictionary<Type, ObjectObjectPool>();
static ConstructorInfo GetParameterlessConstructor(Type type)
{
var constructors = type.GetConstructors();
for (int i = 0; i < constructors.Length; ++i)
{
if (constructors[i].GetParameters().Length == 0)
return constructors[i];
}
return null;
}
static ObjectObjectPool GetPool(Type type)
{
ObjectObjectPool pool;
_pools.TryGetValue(type, out pool);
if (pool == null)
{
pool = new ObjectObjectPool(type);
// why do we do this instead of just using a "new()" generic type constraint?
// because doing it this way saves us from having to litter that same type
// constraint on every other class method (in other classes) which might be
// using ObjectPools to auto manage their object pools. Sometimes it gets
// a bit restrictive ...0
var constructor = GetParameterlessConstructor(type);
if (constructor == null)
throw new InvalidOperationException("ObjectPools can only be used for types with parameterless constructors.");
pool = new ObjectObjectPool(type, constructor);
_pools.Add(type, pool);
}
return pool;
}
public static T Take<T>() where T : class, new()
public static T Take<T>() where T : class
{
var pool = GetPool(typeof(T));
return (T)pool.Take();
}
public static void Free<T>(T obj) where T : class, new()
public static void Free<T>(T obj) where T : class
{
var pool = GetPool(typeof(T));
pool.Free(obj);