我错误地在SharePoint部分发布了这个问题。
我需要将一个模型映射到另一个模型。一切正常,但最后一个属性抛出TargetParameterCountException。抛出异常的属性称为" Item"这个属性不是我定义的,我假设这是字典中的属性。
我已经尝试使用所有五个参数而不是一个(如此处所述Moq + Unit Testing - System.Reflection.TargetParameterCountException: Parameter count mismatch)但不幸的是我会得到相同的异常。如果有人能帮助我,我将非常感激。
Kinde问候并感谢
桑德罗
这是源模型的摘录,所有其他属性以完全相同的方式实现:
public class DataModel : Dictionary<string, object> {}
public class DiscussionDataModel : DataModel
{
public DiscussionDataModel(Dictionary dictionary) : base(dictionary){}
public FieldUserValue Author
{
get { return (FieldUserValue) this["Author"]; }
set { this["Author"] = value; }
}
public double AverageRating
{
get { return (double) this["AverageRating"]; }
set { this["AverageRating"] = value; }
}
}
这是目标模型的摘录,所有其他属性都以完全相同的方式实现:
public class DiscussionModel : BaseModel
{
public FieldUserValue Author { get; set; }
public double AverageRating { get; set; }
}
这是将DataModel映射到BaseModel的通用扩展方法:
public static T ToModel(this DataModel dataModel) where T : BaseModel
{
try
{
T model = Activator.CreateInstance();
if (dataModel != null)
{
PropertyInfo[] propertyInfos = dataModel.GetType().GetProperties(BindingFlags.Instance | BindingFlags.Public);
foreach (PropertyInfo propertyInfo in propertyInfos)
{
object value = propertyInfo.GetValue(dataModel);
if (value == null) { break; }
PropertyInfo modelPropertyInfo = model.GetType().GetProperty(propertyInfo.Name);
modelPropertyInfo?.SetValue(model, value);
}
return model;
}
}
catch (Exception ex)
{
throw;
}
return null;
}
答案 0 :(得分:4)
问题是Item属性已编入索引,即它有一个参数。 C#通常不允许这样做,但其他.NET语言如VB.NET也是如此。因此,这个概念对于CLR是已知的,因此对于反射也是已知的。在C#中,只有一种方法可以创建索引属性,即通过索引器。这在CLR级别的作用是创建一个名为Item的索引属性,因此您可能只是偶然发现了一个索引器。
所以解决方案是检查属性信息是否有参数,如果是这种情况则继续for循环。你没有机会一般地知道要传递给索引属性的对象。