我已阅读多篇帖子,但未找到适合我的问题的答案。 但必须有一个。所以如果这篇文章真的重复,请耐心等待。
我尝试初始化实现通用接口的泛型类型的属性。
我的界面看起来基本上是这样的:
public interface IMyInterface<TType> : IMyInterface
{
TType Value {get; set;}
// ... and some more ...
}
public interface IMyInterface
{
SetValue(string value);
}
我有多个实现IMyInterface
的类而不知道它们
在代码段,我需要设置值。
是否可以在不使用属性名称的情况下使“Value”-Property无效化?
(有一种“好的”方法吗?) - 无法使用SetValue< TType >
void SetValue(object obj, string value)
{
// object obj implements IMyInterface<???>
PropertyInfo valueInfo = typeof(obj).GetType().GetProperty("Value")
valueInfo.SetValue(obj, Activator.CreateInstance(valueInfo.PropertyType))
((IMyInterface)obj).SetValue(value);
}
提前致谢。
编辑: - 删除 -
编辑2:
给出了这种结构:
public Interface IGeneric<TType> : INonGeneric
{
TType Value2 {get;}
}
public Interface INonGeneric
{
object Value1 {get;}
}
使用反射中的“Value1”非常简单:
INonGeneric myObject = (INonGeneric)givenObject;
doSomething(myObject.Value1)
如果我需要访问“Value2”,那就不那么容易了。正如我在第一个例子中看到的那样,我必须使用以下构造,这似乎不是访问“Value2”的最佳方式,因为属性名称是硬编码的。
PropertyInfo valueInfo = givenObject.GetType().GetProperty("Value2");
object value = (object)valueInfo.GetValue(givenObject);
有没有更好的解决方案?
答案 0 :(得分:1)
如果我说得对,你有实现IGeneric的实例,并且你想要访问属性Value2(它有一个通用的返回类型)。
问题是,泛型用于编译时类型安全。你不能将你的对象转换为IGeneric&lt; ...&gt;如果您不知道类型参数。那么,如果您不知道类型参数,为什么还要使用泛型?
这个“问题”有一个解决方案,它与IEnumerable和IEnumerable&lt; T&GT;使用。它看起来像这样:
public interface INonGeneric
{
object Value {get; }
}
public interface IGeneric<T>
{
T Value { get; }
}
public class Magic : INonGeneric, IGeneric<string>
{
object INonGeneric.Value { get { return this.Value; } }
public string Value { get { return "test"; } }
}
如果不使用type参数,现在可以使用将对象强制转换为INonGeneric;如果在编译时知道类型参数,则可以使用Generic实现。
但是如果你想在不知道类型参数的情况下访问泛型类型的属性(你无法控制),你就不会想到反射或动态。
动态解决方案可能如下所示:
dynamic generic = givenObject;
object value2 = generic.Value2;