使用显式接口实现
本文关键字:显式接口实现 | 更新日期: 2023-09-27 18:29:32
我正在尝试使用显式接口实现更改接口实现类中的属性类型。
interface ISample
{
object Value { get; set; }
}
class SampleA : ISample
{
SomeClass1 Value { get; set; }
object ISample.Value
{
get { return this.Value; }
set { this.Value = (SomeClass1)value; }
}
}
class SampleB : ISample
{
SomeClass2 Value { get; set; }
object ISample.Value
{
get { return this.Value; }
set { this.Value = (SomeClass2)value; }
}
}
class SomeClass1
{
string s1;
string s2;
}
但是当我需要在函数中传递接口obj时,我无法访问SomeClass1或SomeClass2的对象。
例如:
public void MethodA(ISample sample)
{
string str = sample.Value.s1;//doesnt work.How can I access s1 using ISample??
}
我不知道这是否可以理解,但我似乎找不到更简单的方法来解释这一点。有没有一种方法可以使用接口ISample访问SomeClass1的属性?
感谢
这是因为您已经将对象作为接口接收,所以它不知道类的新属性类型。您需要:
public void MethodA(ISample sample)
{
if (sample is SampleA)
{
string str = ((SampleA)sample).Value.s1;
}
}
一个更好的解决方案可能是使用访问者模式,该模式将有用于处理不同ISample的实现。