如何在c#中创建泛型方法重载
本文关键字:创建 泛型方法 重载 | 更新日期: 2023-09-27 18:07:07
我有3个函数,它们是同一类型的分支。
public interface k
{
void CreateOrUpdate(IList<TagInfoForRecommender> tagList, IndexType indexType);
void CreateOrUpdate(IList<ArtifactInfoForRecommender> artifactList, IndexType indexType);
void CreateOrUpdate(IList<UserInfoForRecommender> userList, IndexType indexType);
}
我想创建一个泛型类型,其中继承接口的实现类可以编写函数的重载方法。
我试过了
public interface k
{
void CreateOrUpdate<T>(IList<T> tagList, IndexType indexType)
where T : BaseInfoForRecommender;
}
但是它只能在实现的类中创建一个方法。
我想在 中创建重载public class d : K
{
CreateOrUpdate<TagInfoForRecommender>(IList<TagInfoForRecommender> tagList, IndexType indexType)
{
//impelement sth
}
CreateOrUpdate<TagInfoForRecommender>(IList<TagInfoForRecommender> tagList, IndexType indexType)
{
//impelement sth
}
}
可以使用通用接口
public interface K<T> where T : BaseInfoForRecommender{
void CreateOrUpdate(IList<T> list, IndexType indexType);
}
,然后为每个类型
多次实现接口public class d : K<TagInfoForRecommender>,
K<ArtifactInfoForRecommender>,
K<UserInfoForRecommender> {
public void CreateOrUpdate(IList<TagInfoForRecommender> list, IndexType indexType) {...}
public void CreateOrUpdate(IList<ArtifactInfoForRecommender> list, IndexType indexType) {...}
public void CreateOrUpdate(IList<UserInfoForRecommender> list, IndexType indexType) {...}
}
你不能那样做。
唯一能接近你想要达到的目标(如果我很好地理解了你的问题)的是做一些类型检查:
public interface IAbstraction
{
void CreateOrUpdate<T>(IList<T> tagList, IndexType indexType)
where T : BaseInfoForRecommender;
}
实现:public class Concrete : IAbstraction
{
void CreateOrUpdate<T>(IList<T> tagList, IndexType indexType)
where T : BaseInfoForRecommender
{
var dict = new Dictionary<Type, Action<IList<object>, IndexType>()
{
{ typeof(TagInfoForRecommender),
(tagList, indexType) => CreateOrUpdateTagInfoForRecommender(list.Cast<TagInfoForRecommender>(), index) },
{ typeof(ArtifactInfoForRecommender),
(tagList, indexType) => CreateOrUpdateArtifactInfoForRecommender(list.Cast<ArtifactInfoForRecommender>(), index) },
{ typeof(UserInfoForRecommender),
(tagList, indexType) => CreateOrUpdateUserInfoForRecommender(list.Cast<UserInfoForRecommender>(), index) },
};
dict[typeof(T)](tagList.Cast<object>(), indexType);
}
private CreateOrUpdateTagInfoForRecommender(IList<TagInfoForRecommender> tagList, IndexType indexType)
{
}
private CreateOrUpdateArtifactInfoForRecommender(IList<ArtifactInfoForRecommender> tagList, IndexType indexType)
{
}
private CreateOrUpdateUserInfoForRecommender(IList<UserInfoForRecommender> tagList, IndexType indexType)
{
}
}
我想你可以写出更好的东西,因为我没有尝试我的代码(你应该有一些错误)。但你已经明白了主旨。