I have the following list:
class Person
{
public String Name { get; set; }
public String LastName { get; set; }
public Stri
In addition to Darin Dimitrov's answer, here is the same in query syntax:
var groupByCityQuery = from person in personList
group person by person.City into grouping
select grouping;
Judging by this comment: No, I wan't a list containing all the Persons that contains 1 as a city and another that contains 2 as a city...
We can do something like this:
var city1People = personList.Where(x => x.city == "1").ToList();
var city2People = personList.Where(x => x.city == "2").ToList();
if this is something more dynamic, like you're going to have N cities and want an individual list of people per city, you're going to need to return a collection of lists.
You could use LINQ to group the persons list by city:
var groupedPersons = personList.GroupBy(x => x.City);
foreach (var g in groupedPersons)
{
string city = g.Key;
Console.WriteLine(city);
foreach (var person in g)
{
Console.WriteLine("{0} {1}", person.Name, person.LastName);
}
}