您好 MVC 和 LINQ 专家,
我有一个看起来像这样的模型:
public class SomeClass : IValidatableObject
{
public string SomeString { get; set; }
public string SomeString2 { get; set; }
public int SomeInteger { get; set; }
public IEnumerable<ValidationResult> Validate(ValidationContext validationContext)
{
//... IF there is some error...THEN
yield return new ValidationResult("Some Error Message.", GetFieldNames(() => new []{ this.SomeString }));
}
}
如您所见,我正在调用 GetFieldNames,它接受一个表达式,并将表达式成员作为字符串数组返回给您。根据我最近阅读的一本书,将错误链接到字段的方法是将其作为字符串传递,如下所示:
yield return new ValidationResult("Some Error Message.", new []{ "SomeString" }));
但我想成为强类型,所以这是我写的方法:
public static string[] GetFieldNames(Expression<Func<object[]>> exp)
{
//Build a string that will in the end look like this: field1,field2,field3
//Then we split(',') it into an array and return that string array.
string fieldnames = "";
MemberExpression body = exp.Body as MemberExpression;
if (body == null)
{
NewArrayExpression ubody = (NewArrayExpression)exp.Body;
foreach(MemberExpression exp2 in ubody.Expressions)
{
fieldnames += exp2.Member.Name + ",";
}
fieldnames = fieldnames.TrimEnd(',');
}
if(fieldnames.Length > 0)
return fieldnames.Split(',');
else
return new string[]{};
}
当前使用情况:
GetFieldNames(() => new[] { this.SomeString , this.SomeString2 });
输出:
{ "SomeString" , "SomeString2" }
这工作正常。
问题是,如果我按如下方式使用它,它会给我一个错误(编译时):
GetFieldNames(() => new[] { this.SomeString , this.SomeInteger });
错误:
No best type found for implicitly-typed array
我想要的输出:
{ "SomeString" , "SomeInteger" }
我不能传入对象数组,因为 int 不是复杂类型。
如何使用int
and向函数传递表达式数组string
?