给定其属性的列表中的项目索引

时间:2013-06-23 19:08:45

标签: c# linq

MyList List<Person>中,Person可能会将Name属性设置为“ComTruise”。我需要该列表中Person的索引。不是Person,只是它的索引。

我现在正在做的是:

string myName = ComTruise;
int thatIndex = MyList.SkipWhile(p => p.Name != myName).Count();

如何更好地完成或使用IndexOf方法执行相同的任务?

4 个答案:

答案 0 :(得分:31)

您可以使用FindIndex

string myName = "ComTruise";
int myIndex = MyList.FindIndex(p => p.Name == myName);

注意:如果在列表中找不到与提供的谓词定义的条件匹配的项,则FindIndex返回-1。

答案 1 :(得分:18)

因为它是ObservableCollection,你可以试试这个

int index = MyList.IndexOf(MyList.Where(p => p.Name == "ComTruise").FirstOrDefault());

如果您的收藏中不存在“ComTruise”,它将返回-1

如评论中所述,这会执行两次搜索。您可以使用for循环优化它。

int index = -1;
for(int i = 0; i < MyList.Count; i++)
{
    //case insensitive search
    if(String.Equals(MyList[i].Name, "ComTruise", StringComparison.OrdinalIgnoreCase)) 
    {
        index = i;
        break;
    } 
}

答案 2 :(得分:7)

编写一个执行此操作的简单扩展方法可能是有意义的:

public static int FindIndex<T>(
    this IEnumerable<T> collection, Func<T, bool> predicate)
{
    int i = 0;
    foreach (var item in collection)
    {
        if (predicate(item))
            return i;
        i++;
    }
    return -1;
}

答案 3 :(得分:0)

var p = MyList.Where(p => p.Name == myName).FirstOrDefault();
int thatIndex = -1;
if (p != null)
{
  thatIndex = MyList.IndexOf(p);
}

if (p != -1) ...