改写了问题。向下滚动查看原文
好吧,也许我应该给你全貌。我有很多类看起来像这样:
public class Movement : Component
{
private Vector3 linearVelocity;
public Vector3 LinearVelocity
{
get
{
return linearVelocity;
}
set
{
if (value != linearVelocity)
{
linearVelocity = value;
ComponentChangedEvent<Movement>.Invoke(this, "LinearVelocity");
}
}
}
// other properties (e.g. AngularVelocity), which are declared exactly
// the same way as above
}
还有一些名为 Transform、Mesh、Collider、Appearance 等的类,它们都派生自Component
并且除了属性之外什么都没有,这些属性都是如上所述声明的。这里重要的是调用ComponentChangedEvent
. 一切都很完美,但我一直在寻找一种方法,我不必一次又一次地为每个属性重写相同的逻辑。
我看了一下here,并喜欢使用泛型属性的想法。我想出的看起来像这样:
public class ComponentProperty<TValue, TOwner>
{
private TValue _value;
public TValue Value
{
get
{
return _value;
}
set
{
if (!EqualityComparer<TValue>.Default.Equals(_value, value))
{
_value = value;
ComponentChangedEvent<TOwner>.Invoke(
/*get instance of the class which declares value (e.g. Movement instance)*/,
/*get name of property where value comes from (e.g. "LinearVelocity") */);
}
}
}
public static implicit operator TValue(ComponentProperty<TValue, TOwner> value)
{
return value.Value;
}
public static implicit operator ComponentProperty<TValue, TOwner>(TValue value)
{
return new ComponentProperty<TValue, TOwner> { Value = value };
}
}
然后我会这样使用它:
public class Movement : Component
{
public ComponentProperty<Vector3, Movement> LinearVelocity { get; set; }
public ComponentProperty<Vector3, Movement> AngularVelocity { get; set; }
}
但我无法获得 LinearVelocity 来自的实例,也无法将其命名为字符串。所以我的问题是,如果这一切都是可能的......
但似乎我别无选择,只能像以前一样继续这样做,手动为每个属性编写此逻辑。
原始问题:
从属性中获取声明类的实例
我有一个带有属性的类:
public class Foo
{
public int Bar { get; set; }
}
在另一种情况下,我有这样的事情:
Foo fooInstance = new Foo();
DoSomething(fooInstance.Bar);
然后,DoSomething
我需要fooInstance
从一无所有中得到parameter
。从上下文来看,可以假设没有任何整数被传递到DoSomething
中,而只是 int 的公共属性。
public void DoSomething(int parameter)
{
// need to use fooInstance here as well,
// and no, it is not possible to just pass it in as another parameter
}
这有可能吗?使用反射,或者可能是属性上的自定义属性Bar
?