列表类型不匹配

时间:2012-08-13 19:23:07

标签: c# list generics override

我有一个基类,它有一个抽象方法,返回自己的列表。

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;

namespace ConsoleApplication1
{
    public abstract class baseclass
    {
        public abstract List<baseclass> somemethod();        
    }
}

一个后代试图通过返回* it * self的列表来覆盖基类的方法。

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;

namespace ConsoleApplication1
{
    class childclass : baseclass
    {
        public override List<childclass> somemethod()
        {
            List<childclass> result = new List<childclass>();
            result.Add(new childclass("test"));
            return result;
        }

        public childclass(string desc)
        {
            Description = desc;
        }

        public string Description;
    }
}

但是我收到了这个错误:

Error   1   'ConsoleApplication1.childclass.somemethod()':
return type must be 'System.Collections.Generic.List<ConsoleApplication1.baseclass>'
to match overridden member 'ConsoleApplication1.baseclass.somemethod()' 
C:\Users\josephst\AppData\Local\Temporary Projects\ConsoleApplication1childclass.cs 
0   42  ConsoleApplication1

让基类返回自身列表的最佳方法是什么,重写基类的方法,它会做同样的事情?

3 个答案:

答案 0 :(得分:2)

覆盖方法时,覆盖方法的签名必须完全匹配被覆盖方法的签名。你可以用泛型实现你想要的东西:

public abstract class BaseClass<T>
{
    public abstract List<T> SomeMethod();
}

public class ChildClass : BaseClass<ChildClass>
{
    public override List<ChildClass> SomeMethod() { ... }
}

答案 1 :(得分:2)

Generic是一个不错的解决方案,但不要使用public abstract List<baseclass> somemethod();这是不好的做法

您应该使用non-virtual interface pattern

public abstract class BaseClass<T>
{
    protected abstract List<T> DoSomeMethod();

    public List<T> SomeMethod()
    {
        return DoSomeMethod();
    }
}

public class ChildClass : BaseClass<ChildClass>
{
    protected override List<ChildClass> DoSomeMethod(){ ... }
}

答案 2 :(得分:1)

错误消息不言自明。要覆盖该方法,您需要返回List<baseclass>

public override List<baseclass> somemethod()
{
    List<childclass> result = new List<childclass>();
    result.Add(new childclass("test"));
    return result;
}