c# – 无法转换类型System.Collection.Generic.List

我试图使用泛型来减少我的代码库,但遇到了这种情况.我似乎无法成功创建表达我想要做的事情的谷歌查询.

本质上,我传入一个Generic来制作一个List< T>然后传递那个List< T>进入需要List< SpecificClass>的函数

我的JSONUser类

    public class JSONUser
    {
        public string DocumentId { get; set; }
        [JsonProperty(PropertyName = "UserName", Required = Required.Always)]
        public string UserName { get; set; }
        [JsonProperty(PropertyName = "FirstName", Required = Required.AllowNull)]
        public string FirstName { get; set; }
        [JsonProperty(PropertyName = "LastName", Required = Required.AllowNull)]
        public string Lastname { get; set; }
    }

假设有一个类JSONCompany与公司类似的字段.

主要代码:

static void CollectUserData()
{
     boolean j = GetJSON<JSONUser>();
     boolean k = GetJSON<JSONCompany>();
     ...
}

static boolean GetJSON<T>()
{
   ...
   // Get the JSON in a List
   List<T> oJSON = CallRest<T>();

   // Now depending on the type passed in, call a different
   // Process Function which expects a List<JSONUser> or
   // List<JSONCompany> parameter

   if (typeof(T) == typeof(JSONUser))
   {
       boolean result = ProcessUser(oJSON);
       ...
   }
   else if (typeof(T) == typeof(JSONCompany))
   {
       boolean result = ProcessCompany(oJSON);
       ...
   }
...
}

public boolean ProcessUser(List<JSONUser> JSONList)
{
    ...
}

public boolean ProcessCompany(List<JSONCompany> JSONList)
{
    ...
}

在我调用ProcessUser(oJSON)之前,一切都很好;

它说没有方法可以接受Generic.当我试图施展它时,它说

Cannot Covert Type System.Collection.Generic.List<T> to System.Collection.Generic.List<JSONUser>

希望这很清楚.

最佳答案 如果ProcessUser等人不需要列表并且可以仅使用IEnumerable< T>.然后你可以简化一下:

public boolean ProcessUser(IEnumerable<JSONUser> JSONList)
{
    ...
}

public boolean ProcessCompany(IEnumerable<JSONCompany> JSONList)
{
    ...
}

然后用以下方法调用它:

boolean result = ProcessUser(oJSON.Cast<JSONUser>());

否则你可以创建一个新列表:

boolean result = ProcessUser(oJSON.Cast<JSONUser>().ToList());

如果您只是迭代/修改列表中的对象而不是列表本身,那么这可能没问题. (添加/删除/排序/等)

点赞