Reputation: 1679
Say I have the following code:
class SampleClass
{
public int Id {get; set;}
public string Name {get; set;}
}
List<SampleClass> myList = new List<SampleClass>();
//list is filled with objects
...
string nameToExtract = "test";
So my question is what List function can I use to extract from myList
only the objects that have a Name property that matches my nameToExtract
string.
I apologize in advance if this question is really simple/obvious.
Upvotes: 113
Views: 248619
Reputation: 269
list.Any(x=>x.name==string)
Could check any name prop included by list.
Upvotes: 26
Reputation: 16708
You can use the Enumerable.Where extension method:
var matches = myList.Where(p => p.Name == nameToExtract);
Returns an IEnumerable<SampleClass>
. Assuming you want a filtered List
, simply call .ToList()
on the above.
By the way, if I were writing the code above today, I'd do the equality check differently, given the complexities of Unicode string handling:
var matches = myList.Where(p => String.Equals(p.Name, nameToExtract, StringComparison.CurrentCulture));
Upvotes: 151
Reputation: 269278
Further to the other answers suggesting LINQ, another alternative in this case would be to use the FindAll
instance method:
List<SampleClass> results = myList.FindAll(x => x.Name == nameToExtract);
Upvotes: 5
Reputation: 1849
using System.Linq;
list.Where(x=> x.Name == nameToExtract);
Edit: misread question (now all matches)
Upvotes: 3