我有以下代码
List<int> GetIndices<T>(List<T> list, ?????? condition
{
var result =
list
.Select((p, index) => index)
.Where(condition);
return result.ToList();
}
我想称之为GetIndices(someList, (p, index) => (someList[index].Height < someList[index - 1].Height))
condition
的正确类型是什么?
答案 0 :(得分:4)
代码中存在错误:Where
需要一个返回bool
值并且列表元素类型为输入的委托。
var result = list
.Select((p, index) => index) // projects the element to it's index (of type int)
.Where(condition); // => expects Func<int, bool>
所以你需要Func<int,bool>
但是,根据您的规范,我认为您需要Func<T,int,bool>
,这意味着您必须将GetIndices
的实施重写为
var result = list
.Select((p, index) => new {p, index})
.Where(x => condition(x.p, x.index))
.Select(x => x.index);
答案 1 :(得分:1)
Func<T, bool>
应该做的伎俩但是你必须稍微修改你的lambda因为你不能传递索引(如果你想在Where
子句中使用条件)。您可以轻松地将lambda更改为:
p => someList[someList.IndexOf(p).Height < someList[someList.IndexOf(p)-1].Height
为了将来参考,一旦你学会了如何阅读它(这部分需要一点),扩展方法的MSDN文档就很棒了:
MSDN - Enumerable.Where Method
由于这是一个扩展方法,因此第一个参数(IEnumerable<TSource>
)是您调用方法的集合(在您的情况下为List<T>
)。
第二个参数是您需要匹配的参数。由于您的案例中Func<TSource, bool>
和TSource
的文档要求为T
,因此您获得了Func<T, bool>
答案 2 :(得分:1)
就像jeroenh意识到的那样,你需要捕获原始索引。您传递的Funct<T,int,bool>
条件只需要知道项及其索引,而不是查询中创建的匿名类型,因此传递的条件稍有变化。它还应该处理index == 0的情况,因此没有前面的项(index-1)。
class Program {
static void Main( string[] args ) {
var items = Item.GetItems();
// mind the case where index == 0 so you don't grab an item out of bounds
var ind = GetIndices( items,
( p, index ) => ( h.index == 0 ) ? false : p.Height < items[ index - 1 ].Height );
}
static List<int> GetIndices<T>( List<T> list, Func<T, int, bool> condition ) {
var res = list
.Select( ( item, index ) => new { item, index } ) // capture original index
.Where( h => condition( h.item, h.index ) )
.Select( h => h.index ); // reduce to the index again
return res.ToList();
}
}
class Item {
public int Height {
get;
set;
}
public Item( int h ) {
Height = h;
}
static public List<Item> GetItems() {
return new List<Item>( new[]{
new Item(1),
new Item(4),
new Item(2),
new Item(5)
} );
}
}
答案 3 :(得分:0)
尝试Func<bool>
。
或者更确切地说a variant具有正确数量的输入参数。