我必须编写一个具有许多属性(例如,尺寸,座位,颜色等)的名为Vehicle
的类,并且还要编写两个具有自己属性的名为Trunk
和Car
的类。
所以我写了:
// Vehicle.cs
abstract public class Vehicle
{
public string Key { get; set; }
...
}
// Car.cs
public class Car : Vehicle
{
...
}
// Trunk.cs
public class Trunk : Vehicle
{
...
}
之后,我编写了一个Interface:
// IVehicleRepository.cs
public interface IVehicleRepository
{
void Add(Vehicle item);
IEnumerable<Vehicle> GetAll();
Vehicle Find(string key);
Vehicle Remove(string key);
void Update(Vehicle item);
}
所以我想我可以使用这样的东西:
// CarRepository.cs
public class CarRepository : IVehicleRepository
{
private static ConcurrentDictionary<string, Car> _cars =
new ConcurrentDictionary<string, Car>();
public CarRepository()
{
Add(new Car { seats = 5 });
}
public IEnumerable<Car> GetAll()
{
return _cars.Values;
}
// ... I implemented the other methods here
}
但是,我遇到了错误:
错误CS0738:“ CarRepository”未实现接口成员“ IVehicleRepository.GetAll()”。 'CarRepository.GetAll()'无法实现'IVehicleRepository.GetAll()',因为它没有匹配的返回类型'IEnumerable '。
那么,我该怎么做呢?
最佳答案
您的CarRepository
没有实现该方法。这两个不一样:public IEnumerable<Car> GetAll()
IEnumerable<Vehicle> GetAll()
这是两种不同的类型,当您从接口派生时,必须完全实现它。您可以通过以下方式实现它:
public IEnumerable<Vehicle> GetAll()
{
// Cast your car collection into a collection of vehicles
}
但是,更好的方法是使其成为以下类的通用接口:(缺点是两种不同的实现类型又是两种不同的类型,因此请查看是否是您想要的)
public interface IVehicleRepository<TVehicle> {}
public class CarRepository : IVehicleRepository<Car> {}
一个更完整的版本:
public interface IVehicleRepository<TVehicle> where TVehicle : Vehicle
{
void Add(TVehicle item);
IEnumerable<TVehicle> GetAll();
Vehicle Find(string key);
Vehicle Remove(string key);
void Update(TVehicle item);
}
public class CarRepository : IVehicleRepository<Car>
{
private static ConcurrentDictionary<string, Car> _cars =
new ConcurrentDictionary<string, Car>();
public CarRepository()
{
Add(new Car { seats = 5 });
}
public IEnumerable<Car> GetAll()
{
return _cars.Values;
}
}
关于c# - 与抽象类的接口(interface),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/42025564/