public class EcImageWrapper
{
//etc...
public IQueryable<EcFieldWrapper> ListOfFields
{
get
{
//logic here
return this.listOfFields.AsQueryable();
}
}
public EcFieldWrapper FindBy(Expression<Func<EcFieldWrapper, int, bool>> predicate)
{
return this.ListOfFields.Where(predicate).SingleOrDefault();
}
public EcFieldWrapper FindByName(string fieldName)
{
return this.FindBy(x => x.Name.ToUpper() == fieldName.ToUpper());
//error here, wanting 3 arguments
//which makes sense as the above Expression has 3
//but i don't know how to get around this
}
出于某种原因,表达式&gt;是否要求我使用3个参数,过去我只使用2作为有问题的实例。但是,现在我想在这个实例中对一个集合进行查找。
我收到以下错误:
Delegate 'System.Func<MSDORCaptureUE.Wrappers.EcFieldWrapper,int,bool>' does not take 1 arguments
The best overloaded method match for 'CaptureUE.Wrappers.EcImageWrapper.FindBy(System.Linq.Expressions.Expression<System.Func<CaptureUE.Wrappers.EcFieldWrapper,int,bool>>)' has some invalid arguments
Argument 1: cannot convert from 'string' to 'System.Linq.Expressions.Expression<System.Func<CaptureUE.Wrappers.EcFieldWrapper,int,bool>>'
期望的结果: 能够在类EcImageWrapper的实例中使用返回类型EcFieldWrapper的谓词和EcFieldWrapper的谓词类型
为什么需要3?为什么选择int?
答案 0 :(得分:5)
现有方法不需要3个参数 - 它需要Expression<Func<EcFieldWrapper, int, bool>>
,因为这是您声明要接受的方法。那将是这样的:
// This version ignores the index, but you could use it if you wanted to.
(value, index) => value.Name.ToUpper() == fieldName.ToUpper()
index
将是集合中的位置,因为您正在调用Queryable.Where
的{{3}}。
假设您不想索引,我强烈怀疑您只想将FindBy
方法更改为:
public EcFieldWrapper FindBy(Expression<Func<EcFieldWrapper, bool>> predicate)
{
return this.ListOfFields.Where(predicate).SingleOrDefault();
}
或者更简单地说,使用接受谓词的SingleOrDefault
重载:
public EcFieldWrapper FindBy(Expression<Func<EcFieldWrapper, bool>> predicate)
{
return this.ListOfFields.SingleOrDefault(predicate);
}
这应该可以正常工作 - 如果没有,你应该告诉我们你尝试时会发生什么。
答案 1 :(得分:0)
无需Find
方法。在FindByName
。
public EcFieldWrapper FindByName(string fieldName)
{
fieldName = fieldName.ToUpper();
return ListOfFields
.SingleOrDefeault(x => x.Name.ToUpper() == fieldName);
}