我有一个非常简单的场景:“人”可以是公司的“客户”或“员工”。
可以通过“呼叫”方法通过电话呼叫“人”。
取决于“人”在通话中播放的角色,例如我们应该使用为“客户”角色提供的电话号码或为“员工“角色。
以下是对情况的总结:
interface IPerson
{
void Call();
}
interface ICustomer : IPerson
{
}
interface IEmployee : IPerson
{
}
class Both : ICustomer, IEmployee
{
void ICustomer.Call()
{
// Call to external phone number
}
void IEmployee.Call()
{
// Call to internal phone number
}
}
但是这段代码不能编译并产生错误:
error CS0539: 'ICustomer.Call' in explicit interface declaration is not a member of interface
error CS0539: 'IEmployee.Call' in explicit interface declaration is not a member of interface
error CS0535: 'Both' does not implement interface member 'IPerson.Call()'
这种情况是否有机会以不同的方式在C#中实现,还是我必须找到另一种设计?
如果是,您建议使用哪些替代方案?
提前感谢您的帮助。
答案 0 :(得分:9)
你的目标没有意义。
ICustomer
和IEmployee
都没有定义Call()
方法;他们只是从同一个接口继承该方法。您的Both
类实现了两次相同的接口
任何可能的Call
来电都将始终致电IPerson.Call
;没有专门针对ICustomer.Call
或IEmployee.Call
的IL指令。
您可以通过在两个子接口中明确重新定义Call
来解决此问题,但我高度建议您只给它们不同的名称。
答案 1 :(得分:1)
除了SLaks准确指出的问题......
摆脱IPerson
并使用IContactable
方法创建Contact()
,然后创建两个名为Customer
和Employee
的具体类型{{1} }}。然后,当您需要联系某人时,您可以根据需要调用IContactable
方法,因为能够进行联系可以扩展,而IContactable.Contact()
有点抽象。
答案 2 :(得分:1)
我自己遇到了这个问题。
您可以使用合成来解决问题:
interface IPerson
{
void Call();
}
interface ICustomer : IPerson
{
}
interface IEmployee : IPerson
{
}
class Both
{
public ICustomer Customer { get; }
public IEmployee Employee { get; }
}
以上假设Both类中的Employee是IEmployee的自定义实现,并且是基于Both对象构造的。
但这取决于你打算如何使用Both类 如果你想像这样使用Both类:
((IEmployee)both).Call();
然后你可以使用它:
both.Employee.Call();
答案 3 :(得分:1)
我对我的解决方案感兴趣...
当我希望控制器访问我的类中的某些属性或方法时,我使用了很多组合的显式实现,这些属性或方法应该隐藏在类的常规用法中...
因此,为了能够多次实现IPerson,在本例中,我将使用泛型,以便能够将IPerson接口从客户拆分为员工
interface IPerson<T>
{
void Call();
}
interface ICustomer : IPerson<ICustomer>
{
}
interface IEmployee : IPerson<IEmployee>
{
}
class Both : ICustomer, IEmployee
{
void IPerson<ICustomer>.Call()
{
// Call to external phone number
}
void IPerson<IEmployee>.Call()
{
// Call to internal phone number
}
}
答案 4 :(得分:0)
您无法执行此操作,因为Call方法来自两种情况下的IPerson接口。因此,您尝试两次定义Call方法。 我建议你把你的ICustomer和IEmployee接口改成类,并在这个类中定义Call方法:
interface IPerson
{
void Call();
}
class Customer : IPerson
{
public void Call()
{
}
}
class Employee : IPerson
{
public void Call()
{
}
}
答案 5 :(得分:0)
我不知道这是否有帮助,但你可以试一试。
//ran in linqpad c# program mode, you'll need to provide an entry point.....
void Main()
{
IPerson x;
x = new Both(new Employee());
x.call(); //outputs "Emplyee"
x = new Both(new Customer());
x.call(); //outputs "Customer"
}
class Customer : ICustomer
{
public void call() {"Customer".Dump();}
}
class Employee : IEmployee
{
public void call() {"Employee".Dump();}
}
class Both : IPerson
{
private IPerson Person { get; set; }
public Both(IPerson person)
{
this.Person = person;
}
public void call()
{
Person.call();
}
}
interface IPerson { void call(); }
interface ICustomer : IPerson { }
interface IEmployee : IPerson { }