这里我有一个简单的例子,在字符串列表中查找一个项。通常我使用for循环或匿名委托来这样做:

int GetItemIndex(string search)
{
   int found = -1;
   if ( _list != null )
   {
     foreach (string item in _list) // _list is an instance of List<string>
     {
        found++;
        if ( string.Equals(search, item) )
        {
           break;
        }
      }
      /* Use an anonymous delegate
      string foundItem = _list.Find( delegate(string item) {
         found++;
         return string.Equals(search, item);
      });
      */
   }
   return found;
}

LINQ对我来说是新的。我可以使用LINQ在列表中查找项目吗?如果这是可能的,怎么做?


当前回答

这种方法更简单、更安全

var lOrders = new List<string>();

bool insertOrderNew = lOrders。Find(r => r == "1234") == null ?True: false

其他回答

你想要列表中的项目还是实际的项目本身(假设项目本身)。

这里为你提供了一些选择:

string result = _list.First(s => s == search);

string result = (from s in _list
                 where s == search
                 select s).Single();

string result = _list.Find(search);

int result = _list.IndexOf(search);

下面是一种重写你的方法来使用LINQ的方法:

public static int GetItemIndex(string search)
{
    List<string> _list = new List<string>() { "one", "two", "three" };

    var result = _list.Select((Value, Index) => new { Value, Index })
            .SingleOrDefault(l => l.Value == search);

    return result == null ? -1 : result.Index;
}

因此,用

GetItemIndex("two")将返回1,

and

GetItemIndex("notthere")将返回-1。

参考:linqsamples.com

你想在对象列表中搜索一个对象。

这将帮助您在Linq列表搜索中获得第一个或默认值。

var item = list.FirstOrDefault(items =>  items.Reference == ent.BackToBackExternalReferenceId);

or

var item = (from items in list
    where items.Reference == ent.BackToBackExternalReferenceId
    select items).FirstOrDefault();

我曾经使用字典,这是一种索引列表,它会在我想要的时候给我想要的东西。

Dictionary<string, int> margins = new Dictionary<string, int>();
margins.Add("left", 10);
margins.Add("right", 10);
margins.Add("top", 20);
margins.Add("bottom", 30);

例如,每当我想访问我的边距值时,我在字典中寻址:

int xStartPos = margins["left"];
int xLimitPos = margins["right"];
int yStartPos = margins["top"];
int yLimitPos = margins["bottom"];

所以,根据你在做什么,字典可能很有用。

这种方法更简单、更安全

var lOrders = new List<string>();

bool insertOrderNew = lOrders。Find(r => r == "1234") == null ?True: false