// Cannot change source code
class Base
{
public virtual void Say()
{
Console.WriteLine("Called from Base.");
}
}
// Cannot change source code
class Derived : Base
{
public override void Say()
{
Console.WriteLine("Called from Derived.");
base.Say();
}
}
class SpecialDerived : Derived
{
public override void Say()
{
Console.WriteLine("Called from Special Derived.");
base.Say();
}
}
class Program
{
static void Main(string[] args)
{
SpecialDerived sd = new SpecialDerived();
sd.Say();
}
}
Результат:
Вызывается из Special Derived.
Вызывается из Derived. / * этого не ожидается * /
Вызывается с базы.
Как я могу переписать класс SpecialDerived так, чтобы метод среднего класса "Derived" не вызывался?
ОБНОВЛЕНИЕ:
причина, по которой я хочу унаследовать от Derived вместо Base, - это класс Derived, который содержит множество других реализаций. Поскольку я не могу сделать base.base.method()
здесь, я думаю, что лучше всего сделать следующее?
// Невозможно изменить исходный код
class Derived : Base
{
public override void Say()
{
CustomSay();
base.Say();
}
protected virtual void CustomSay()
{
Console.WriteLine("Called from Derived.");
}
}
class SpecialDerived : Derived
{
/*
public override void Say()
{
Console.WriteLine("Called from Special Derived.");
base.Say();
}
*/
protected override void CustomSay()
{
Console.WriteLine("Called from Special Derived.");
}
}