Technical Specification: 36 Out of 49 Rated This Helpful
Technical Specification: 36 Out of 49 Rated This Helpful
February 2007
Applies to:
Visual Studio Code Name "Orcas"
.Net Framework 3.5
Summary: The Standard Query Operators is an API that enables querying of any .NET array or collection. The Standard
Query Operators API consists of the methods declared in the System.Query.Sequence static class in the assembly named
System.Query.dll. (35 printed pages)
Contents
Technical Specification
The Sequence Class
Restriction Operators
Projection Operators
Partitioning Operators
Join Operators
Concatenation Operator
Ordering Operators
Grouping Operators
Set Operators
Conversion Operators
Equality Operator
Element Operators
Generation Operators
Quantifiers
Aggregate Operators
Technical Specification
The Standard Query Operators is an API that enables querying of any .NET array or collection. The Standard Query
Operators API consists of the methods declared in the System.Query.Sequence static class in the assembly named
System.Query.dll.
The Standard Query Operators API complies with the .NET 2.0 Common Language Specification (CLS) and is usable with any
.NET language that supports generics. While not required, the experience of using the Standard Query Operators is
significantly enhanced with languages that support extension methods, lambda expressions, and native query syntax. The
future releases of C# 3.0 and Visual Basic 9.0 will include these features.
The Standard Query Operators operate on sequences. Any object that implements the interface IEnumerable<T> for some
type T is considered a sequence of that type.
The examples shown in this specification are all written in C# 3.0 and assume that the Standard Query Operators have been
imported with the using clause:
using System.Query;
The examples furthermore assume the existence of the following three variables:
In each of the Func types, the TArg0, TArg1, TArg2, and TArg3 type parameters represent argument types and the TResult
type parameter represents the result type.
The example below declares a local variable predicate of a delegate type that takes a Customer and returns bool. The
local variable is assigned an anonymous method that returns true if the given customer is located in London. The delegate
referenced by predicate is subsequently used to find all the customers in London.
The majority of the Standard Query Operators are extension methods that extend IEnumerable<T>. Taken together, the
methods form a complete query language for arrays and collections that implement IEnumerable<T>.
For further details on extension methods, please refer to the C# 3.0 and Visual Basic 9.0 Language Specifications.
Restriction Operators
Where
The Where operator filters a sequence based on a predicate.
The Where operator allocates and returns an enumerable object that captures the arguments passed to the operator. An
ArgumentNullException is thrown if either argument is null.
When the object returned by Where is enumerated, it enumerates the source sequence and yields those elements for which
the predicate function returns true. The first argument of the predicate function represents the element to test. The second
argument, if present, represents the zero-based index of the element within the source sequence.
The following example creates a sequence of those products that have a price greater than or equal to 10:
In a C# 3.0 query expression, a where clause translates to an invocation of Where. The example above is equivalent to the
translation of
IEnumerable<Product> x =
from p in products
where p.UnitPrice >= 10
select p;
Projection Operators
Select
The Select operator performs a projection over a sequence.
http://msdn.microsoft.com/en-us/library/bb394939.aspx 3/29
9/15/2014 The .NET Standard Query Operators
this IEnumerable<TSource> source,
Func<TSource, int, TResult> selector);
The Select operator allocates and returns an enumerable object that captures the arguments passed to the operator. An
ArgumentNullException is thrown if either argument is null.
When the object returned by Select is enumerated, it enumerates the source sequence and yields the results of evaluating
the selector function for each element. The first argument of the selector function represents the element to process. The
second argument, if present, represents the zero-based index of the element within the source sequence.
In a C# 3.0 query expression, a select clause translates to an invocation of Select. The example above is equivalent to the
translation of
The following example creates a list of objects containing the name and price of each product with a price greater than or
equal to 10:
var namesAndPrices =
products.
Where(p => p.UnitPrice >= 10).
Select(p => new { p.Name, p.UnitPrice }).
ToList();
The following example creates a sequence of the indices of those products that have a price greater than or equal to 10:
IEnumerable<int> indices =
products.
Select((product, index) => new { product, index }).
Where(x => x.product.UnitPrice >= 10).
Select(x => x.index);
SelectMany
The SelectMany operator performs a one-to-many element projection over a sequence.
http://msdn.microsoft.com/en-us/library/bb394939.aspx 4/29
9/15/2014 The .NET Standard Query Operators
this IEnumerable<TOuter> source,
Func<TOuter, int, IEnumerable<TInner>> selector,
Func<TOuter, TInner, TResult> resultSelector);
The SelectMany operator allocates and returns an enumerable object that captures the arguments passed to the operator.
An ArgumentNullException is thrown if either argument is null.
When the object returned by SelectMany is enumerated, it enumerates the source sequence, maps each element to an
enumerable object using the selector function, and enumerates the elements of each such enumerable object, yielding each
if no resultSelector is given, or else passing each to the resultSelector along with the corresponding source element and
yielding the resulting values. The first argument of the selector function represents the element to process. The second
argument, if present, represents the zero-based index of the element within the source sequence.
The following example creates a sequence of the orders of the customers in Denmark:
IEnumerable<Order> orders =
customers.
Where(c => c.Country == "Denmark").
SelectMany(c => c.Orders);
If the query had used Select instead of SelectMany, the result would have been of type IEnumerable<List<Order>>
instead of IEnumerable<Order>.
The following example creates a sequence of objects containing the customer name and order ID of the orders placed in
2005 by customers in Denmark:
var namesAndOrderIDs =
customers.
Where(c => c.Country == "Denmark").
SelectMany(c => c.Orders).
Where(o => o.OrderDate.Year == 2005).
Select(o => new { o.Customer.Name, o.OrderID });
In the example above, the Customer property is used to "navigate back" to fetch the Name property of the order's
customer. If an order had no Customer property (that is, if the relationship was unidirectional), an alternative solution is to
rewrite the query, keeping the current customer, c, in scope such that it can be referenced in the final Select:
var namesAndOrderIDs =
customers.
Where(c => c.Country == "Denmark").
SelectMany(c => c.Orders, (c,o) => new { c, o }).
Where(co => co.o.OrderDate.Year == 2005).
Select(co => new { co.c.Name, co.o.OrderID });
In a C# 3.0 query expression, all but the initial from clause translate to invocations of SelectMany. The example above is
equivalent to the translation of
var namesAndOrderIDs =
from c in customers
where c.Country == "Denmark"
from o in c.Orders
where o.OrderDate.Year == 2005
select new { c.Name, o.OrderID };
http://msdn.microsoft.com/en-us/library/bb394939.aspx 5/29
9/15/2014 The .NET Standard Query Operators
Partitioning Operators
Take
The Take operator yields a given number of elements from a sequence and then skips the remainder of the sequence.
The Take operator allocates and returns an enumerable object that captures the arguments passed to the operator. An
ArgumentNullException is thrown if the source argument is null.
When the object returned by Take is enumerated, it enumerates the source sequence and yields elements until the number
of elements given by the count argument have been yielded or the end of the source is reached. If the count argument is
less than or equal to zero, the source sequence is not enumerated and no elements are yielded.
The Take and Skip operators are functional complements: For a given sequence s, the concatenation of s.Take(n) and
s.Skip(n) yields the same sequence as s.
IEnumerable<Product> MostExpensive10 =
products.OrderByDescending(p => p.UnitPrice).Take(10);
Skip
The Skip operator skips a given number of elements from a sequence and then yields the remainder of the sequence.
The Skip operator allocates and returns an enumerable object that captures the arguments passed to the operator. An
ArgumentNullException is thrown if the source argument is null.
When the object returned by Skip is enumerated, it enumerates the source sequence, skipping the number of elements
given by the count argument and yielding the rest. If the source sequence contains fewer elements than the number given
by the count argument, nothing is yielded. If the count argument is less than or equal to zero, all elements of the source
sequence are yielded.
The Take and Skip operators are functional complements: Given a sequence s, the concatenation of s.Take(n) and
s.Skip(n) is the same sequence as s.
The following example creates a sequence of all but the most expensive 10 products:
IEnumerable<Product> AllButMostExpensive10 =
products.OrderByDescending(p => p.UnitPrice).Skip(10);
TakeWhile
The TakeWhile operator yields elements from a sequence while a test is true and then skips the remainder of the sequence.
http://msdn.microsoft.com/en-us/library/bb394939.aspx 6/29
9/15/2014 The .NET Standard Query Operators
The TakeWhile operator allocates and returns an enumerable object that captures the arguments passed to the operator.
An ArgumentNullException is thrown if either argument is null.
When the object returned by TakeWhile is enumerated, it enumerates the source sequence, testing each element using the
predicate function and yielding the element if the result was true. The enumeration stops when the predicate function
returns false or the end of the source sequence is reached. The first argument of the predicate function represents the
element to test. The second argument, if present, represents the zero-based index of the element within the source
sequence.
The TakeWhile and SkipWhile operators are functional complements: Given a sequence s and a pure function p, the
concatenation of s.TakeWhile(p) and s.SkipWhile(p) is the same sequence as s.
SkipWhile
The SkipWhile operator skips elements from a sequence while a test is true and then yields the remainder of the sequence.
The SkipWhile operator allocates and returns an enumerable object that captures the arguments passed to the operator.
An ArgumentNullException is thrown if either argument is null.
When the object returned by SkipWhile is enumerated, it enumerates the source sequence, testing each element using the
predicate function and skipping the element if the result was true. Once the predicate function returns false for an element,
that element and the remaining elements are yielded with no further invocations of the predicate function. If the predicate
function returns true for all elements in the sequence, no elements are yielded. The first argument of the predicate function
represents the element to test. The second argument, if present, represents the zero-based index of the element within the
source sequence.
The TakeWhile and SkipWhile operators are functional complements: Given a sequence s and a pure function p, the
concatenation of s.TakeWhile(p) and s.SkipWhile(p) is the same sequence as s.
Join Operators
Join
The Join operator performs an inner join of two sequences based on matching keys extracted from the elements.
http://msdn.microsoft.com/en-us/library/bb394939.aspx 7/29
9/15/2014 The .NET Standard Query Operators
IEnumerable<TInner> inner,
Func<TOuter, TKey> outerKeySelector,
Func<TInner, TKey> innerKeySelector,
Func<TOuter, TInner, TResult> resultSelector,
IEqualityComparer<TKey> comparer);
The Join operator allocates and returns an enumerable object that captures the arguments passed to the operator. An
ArgumentNullException is thrown if any argument is null.
The outerKeySelector and innerKeySelector arguments specify functions that extract the join key values from elements of
the outer and inner sequences, respectively. The resultSelector argument specifies a function that creates a result element
from two matching outer and inner sequence elements.
When the object returned by Join is enumerated, it first enumerates the inner sequence and evaluates the
innerKeySelector function once for each inner element, collecting the elements by their keys in a hash table. Once all inner
elements and keys have been collected, the outer sequence is enumerated. For each outer element, the outerKeySelector
function is evaluated and, if non-null, the resulting key is used to look up the corresponding inner elements in the hash
table. For each matching inner element (if any), the resultSelector function is evaluated for the outer and inner element pair,
and the resulting object is yielded.
If a non-null comparer argument is supplied, it is used to hash and compare the keys. Otherwise the default equality
comparer, EqualityComparer<TKey>.Default, is used.
The Join operator preserves the order of the outer sequence elements, and for each outer element, the order of the
matching inner sequence elements.
In relational database terms, the Join operator implements an inner equijoin. Other join operations, such as left outer join
and right outer join, have no dedicated standard query operators, but are subsets of the capabilities of the GroupJoin
operator.
The following example joins customers and orders on their customer ID property, producing a sequence of tuples with
customer name, order date, and order total:
var custOrders =
customers.
Join(orders, c => c.CustomerID, o => o.CustomerID,
(c, o) => new { c.Name, o.OrderDate, o.Total }
);
In a C# 3.0 query expression, a join clause translates to an invocation of Join. The example above is equivalent to the
translation of
var custOrders =
from c in customers
join o in orders on c.CustomerID equals o.CustomerID
select new { c.Name, o.OrderDate, o.Total };
GroupJoin
The GroupJoin operator performs a grouped join of two sequences based on matching keys extracted from the elements.
http://msdn.microsoft.com/en-us/library/bb394939.aspx 8/29
9/15/2014 The .NET Standard Query Operators
Func<TInner, TKey> innerKeySelector,
Func<TOuter, IEnumerable<TInner>, TResult> resultSelector);
public static IEnumerable<TResult> GroupJoin<TOuter, TInner, TKey,
TResult>(
this IEnumerable<TOuter> outer,
IEnumerable<TInner> inner,
Func<TOuter, TKey> outerKeySelector,
Func<TInner, TKey> innerKeySelector,
Func<TOuter, IEnumerable<TInner>, TResult> resultSelector,
IEqualityComparer<TKey> comparer);
The GroupJoin operator allocates and returns an enumerable object that captures the arguments passed to the operator.
An ArgumentNullException is thrown if any argument is null.
The outerKeySelector and innerKeySelector arguments specify functions that extract the join key values from elements of
the outer and inner sequences, respectively. The resultSelector argument specifies a function that creates a result element
from an outer sequence element and its matching inner sequence elements.
When the object returned by GroupJoin is enumerated, it first enumerates the inner sequence and evaluates the
innerKeySelector function once for each inner element, collecting the elements by their keys in a hash table. Once all inner
elements and keys have been collected, the outer sequence is enumerated. For each outer element, the outerKeySelector
function is evaluated, the resulting key is used to look up the corresponding inner elements in the hash table, the
resultSelector function is evaluated for the outer element and the (possibly empty) sequence of matching inner elements,
and the resulting object is yielded.
If a non-null comparer argument is supplied, it is used to hash and compare the keys. Otherwise the default equality
comparer, EqualityComparer<TKey>.Default, is used.
The GroupJoin operator preserves the order of the outer sequence elements, and for each outer element, it preserves the
order of the matching inner sequence elements.
The GroupJoin operator produces hierarchical results (outer elements paired with sequences of matching inner elements)
and has no direct equivalent in traditional relational database terms.
The following example performs a grouped join of customers with their orders, producing a sequence of tuples with
customer name and total of all orders:
var custTotalOrders =
customers.
GroupJoin(orders, c => c.CustomerID, o => o.CustomerID,
(c, co) => new { c.Name, TotalOrders = co.Sum(o => o.Total) }
);
In a C# 3.0 query expression, a join...into clause translates to an invocation of GroupJoin. The example above is equivalent
to the translation of:
var custTotalOrders =
from c in customers
join o in orders on c.CustomerID equals o.CustomerID into co
select new { c.Name, TotalOrders = co.Sum(o => o.Total) };
The GroupJoin operator implements a superset of inner joins and left outer joins—both can be written in terms of grouped
joins. For example, the inner join:
var custTotalOrders =
from c in customers
http://msdn.microsoft.com/en-us/library/bb394939.aspx 9/29
9/15/2014 The .NET Standard Query Operators
join o in orders on c.CustomerID equals o.CustomerID
select new { c.Name, o.OrderDate, o.Total };
var custTotalOrders =
from c in customers
join o in orders on c.CustomerID equals o.CustomerID into co
from o in co
select new { c.Name, o.OrderDate, o.Total };
You can turn the query into a left outer join by applying the DefaultIfEmpty operator to the grouped orders
var custTotalOrders =
from c in customers
join o in orders on c.CustomerID equals o.CustomerID into co
from o in co.DefaultIfEmpty(emptyOrder)
select new { c.Name, o.OrderDate, o.Total };
Concatenation Operator
Concat
The Concat operator concatenates two sequences.
The Concat operator allocates and returns an enumerable object that captures the arguments passed to the operator. An
ArgumentNullException is thrown if either argument is null.
When the object returned by Concat is enumerated, it enumerates the first sequence, yielding each element, and then it
enumerates the second sequence, yielding each element.
The following example extracts all distinct locations from the addresses of all customers:
IEnumerable<string> locations =
customers.Select(c => c.City).
Concat(customers.Select(c => c.Region)).
Concat(customers.Select(c => c.Country)).
Distinct();
An alternative way of concatenating sequences is to construct a sequence of sequences (such as an array of sequences) and
apply the SelectMany operator with an identity selector function. For example:
IEnumerable<string> locations =
new[] {
customers.Select(c => c.City),
http://msdn.microsoft.com/en-us/library/bb394939.aspx 10/29
9/15/2014 The .NET Standard Query Operators
customers.Select(c => c.Region),
customers.Select(c => c.Country),
}.
SelectMany(s => s).
Distinct();
Ordering Operators
OrderBy and ThenBy
Operators in the OrderBy/ThenBy family of operators order a sequence according to one or more keys.
The OrderBy, OrderByDescending, ThenBy, and ThenByDescending operators make up a family of operators that can be
composed to order a sequence by multiple keys. A composition of the operators has the form
where OrderBy(...) is an invocation of OrderBy or OrderByDescending and each ThenBy(...), if any, is an invocation of
ThenBy or ThenByDescending. The initial OrderBy or OrderByDescending establishes the primary ordering, the first
ThenBy or ThenByDescending establishes the secondary ordering, the second ThenBy or ThenByDescending establishes
the tertiary ordering, and so on. Each ordering is defined by:
A keySelector function that extracts the key value, of type TKey, from an element, of type TSource.
An optional comparer for comparing key values. If no comparer is specified or if the comparer argument is null, the
default comparer, Comparer<TKey>.Default, is used.
A sort direction. The OrderBy and ThenBy methods establish an ascending ordering, the OrderByDescending and
ThenByDescending methods establish a descending ordering.
When the object returned by one of the operators is enumerated, it first enumerates source, collecting all elements. It then
evaluates the keySelector function(s) once for each element, collecting the key values to order by. It then sorts the elements
according to the collected key values and the characteristics of each ordering. Finally, it yields the elements in the resulting
order.
Calling OrderBy or OrderByDescending on the result of an OrderBy/ThenBy operator will introduce a new primary
ordering, disregarding the previously established ordering.
The OrderBy/ThenBy operators perform a stable sort; that is, if the key values of two elements are equal, the order of the
elements is preserved. In contrast, an unstable sort does not preserve the order of elements that have equal key values.
The following example creates a sequence of all products, ordered first by category, then by descending price, and then by
name.
IEnumerable<Product> orderedProducts1 =
products.
OrderBy(p => p.Category).
ThenByDescending(p => p.UnitPrice).
ThenBy(p => p.Name);
In a C# 3.0 query expression, an orderby clause translates to invocations of OrderBy, OrderByDescending, ThenBy, and
ThenByDescending. The example above is equivalent to the translation of
IEnumerable<Product> orderedProducts1 =
from p in products
orderby p.Category, p.UnitPrice descending, p.Name
select p;
The following example creates a sequence of all beverage products ordered by case insensitive name:
IEnumerable<Product> orderedProducts2 =
products.
Where(p => p.Category == "Beverages").
OrderBy(p => p.Name, StringComparer.CurrentCultureIgnoreCase);
To order a sequence by the values of the elements themselves, specify the identity key selector x => x. For example:
IEnumerable<string> orderedProductNames =
products.
Where(p => p.Category == "Beverages").
Select(p => p.Name).
OrderBy(x => x);
Reverse
The Reverse operator reverses the elements of a sequence.
http://msdn.microsoft.com/en-us/library/bb394939.aspx 12/29
9/15/2014 The .NET Standard Query Operators
The Reverse operator allocates and returns an enumerable object that captures the source argument. An
ArgumentNullException is thrown if the source argument is null.
When the object returned by Reverse is enumerated, it enumerates the source sequence, collecting all elements, and then
yields the elements of the source sequence in reverse order.
Grouping Operators
GroupBy
The GroupBy operator groups the elements of a sequence.
The GroupBy operator allocates and returns an enumerable object that captures the arguments passed to the operator.
The comparer argument, if present, may be null. An ArgumentNullException is thrown if any other argument is null.
The keySelector argument specifies a function that extracts the key value from a source element. The elementSelector
argument, if present, specifies a function that maps a source element to a destination element. If no elementSelector is
specified, the source elements become the destination elements.
When the object returned by GroupBy is enumerated, it enumerates sourceand evaluates the keySelector and
elementSelector (if present) functions once for each source element. Once all key and destination element pairs have been
collected, a sequence of IGrouping<TKey, TElement> instances are yielded. Each IGrouping<TKey, TElement> instance
represents a sequence of destination elements with a particular key value. The groupings are yielded in the order in which
their key values first occurred in the source sequence, and destination elements within a grouping are yielded in the order in
which their source elements occurred in the source sequence. When creating the groupings, key values are compared using
the given comparer, or, if a null comparer was specified, using the default equality comparer,
EqualityComparer<TKey>.Default.
http://msdn.microsoft.com/en-us/library/bb394939.aspx 13/29
9/15/2014 The .NET Standard Query Operators
In a C# 3.0 query expression, a group...by clause translates to an invocation of GroupBy. The example above is equivalent
to the translation of
Note that the element and key selection expressions occur in the opposite order of the GroupBy operator.
Set Operators
Distinct
The Distinct operator eliminates duplicate elements from a sequence.
The Distinct operator allocates and returns an enumerable object that captures the source argument. An
ArgumentNullException is thrown if the source argument is null.
When the object returned by Distinct is enumerated, it enumerates the source sequence, yielding each element that has not
previously been yielded. If a non-null comparer argument is supplied, it is used to compare the elements. Otherwise the
default equality comparer, EqualityComparer<TSource>.Default, is used.
IEnumerable<string> productCategories =
products.Select(p => p.Category).Distinct();
Union
The Union operator produces the set union of two sequences.
The Union operator allocates and returns an enumerable object that captures the arguments passed to the operator. An
ArgumentNullException is thrown if any argument is null.
When the object returned by Union is enumerated, it enumerates the first and second sequences, in that order, yielding
each element that has not previously been yielded. If a non-null comparer argument is supplied, it is used to compare the
elements. Otherwise the default equality comparer, EqualityComparer<TSource>.Default, is used.
Intersect
The Intersect operator produces the set intersection of two sequences.
The Intersect operator allocates and returns an enumerable object that captures the arguments passed to the operator. An
ArgumentNullException is thrown if any argument is null.
When the object returned by Intersect is enumerated, it enumerates the first sequence, collecting all distinct elements of
that sequence. It then enumerates the second sequence, marking those elements that occur in both sequences. It finally
yields the marked elements in the order in which they were collected. If a non-null comparer argument is supplied, it is used
to compare the elements. Otherwise the default equality comparer, EqualityComparer<TSource>.Default, is used.
Except
The Except operator produces the set difference between two sequences.
The Except operator allocates and returns an enumerable object that captures the arguments passed to the operator. An
ArgumentNullException is thrown if any argument is null.
When the object returned by Except is enumerated, it enumerates the first sequence, collecting all distinct elements of that
sequence. It then enumerates the second sequence, removing those elements that were also contained in the first sequence.
It finally yields the remaining elements in the order in which they were collected. If a non-null comparer argument is
supplied, it is used to compare the elements. Otherwise the default equality comparer,
EqualityComparer<TSource>.Default, is used.
Conversion Operators
AsEnumerable
The AsEnumerable operator returns its argument typed as IEnumerable<TSource>.
http://msdn.microsoft.com/en-us/library/bb394939.aspx 15/29
9/15/2014 The .NET Standard Query Operators
The AsEnumerable operator simply returns the source argument. The operator has no effect other than to change the
compile-time type of the source argument to IEnumerable<TSource>.
The AsEnumerable operator can be used to choose between query operator implementations in cases where a collection
implements IEnumerable<T> but also has a different set of public query operators. For example, given a class Table<T>
that implements IEnumerable<T> as well as its own Where, Select, SelectMany, and so on, the query
will invoke the public Where operator of Table<T>. A Table<T> type that represents a database table would likely have a
Where operator that takes the predicate argument as an expression tree and converts the tree into SQL for remote
execution. If remote execution is not desired, for example because the predicate invokes a local method, the AsEnumerable
operator can be used to hide Table<T>'s operators and instead make the Standard Query Operators available:
ToArray
The ToArray operator creates an array from a sequence.
The ToArray operator enumerates the source sequence and returns an array containing the elements of the sequence. An
ArgumentNullException is thrown if the source argument is null.
The following example produces an array of the names of all countries in which there are customers:
string[] customerCountries =
customers.Select(c => c.Country).Distinct().ToArray();
ToList
The ToList operator creates a List<TSource> from a sequence.
The ToList operator enumerates the source sequence and returns a List<TSource> containing the elements of the
sequence. An ArgumentNullException is thrown if the source argument is null.
The following example produces a List<Customer> containing those customers that placed orders in 2005:
http://msdn.microsoft.com/en-us/library/bb394939.aspx 16/29
9/15/2014 The .NET Standard Query Operators
List<Customer> customersWithOrdersIn2005 =
customers.
Where(c => c.Orders.Any(o => o.OrderDate.Year == 2005)).
ToList();
ToDictionary
The ToDictionary operator creates a Dictionary<TKey,TElement> from a sequence.
The ToDictionary operator enumerates the source sequence and evaluates the keySelector and elementSelector functions
for each element to produce that element's key and value. The resulting key and value pairs are returned in a
Dictionary<TKey,TElement>. If no elementSelector was specified, the value for each element is simply the element itself.
An ArgumentNullException is thrown if the source, keySelector, or elementSelector argument is null or if a key value
produced by keySelector is null. An ArgumentException is thrown if keySelector produces a duplicate key value for two
elements. In the resulting dictionary, key values are compared using the given comparer, or, if a null comparer was
specified, using the default equality comparer, EqualityComparer<TKey>.Default.
The following example creates a Dictionary<int,Order> that maps from order ID to order for all orders in 2005:
Dictionary<int,Order> orders =
customers.
SelectMany(c => c.Orders).
Where(o => o.OrderDate.Year == 2005).
ToDictionary(o => o.OrderID);
The following example creates a Dictionary<string,decimal> that maps from category name to the maximum product
price in that category:
Dictionary<string,decimal> categoryMaxPrice =
products.
GroupBy(p => p.Category).
ToDictionary(g => g.Key, g => g.Group.Max(p => p.UnitPrice));
ToLookup
http://msdn.microsoft.com/en-us/library/bb394939.aspx 17/29
9/15/2014 The .NET Standard Query Operators
The ToLookup operator creates a Lookup<TKey, TElement> from a sequence.
Lookup<TKey, TElement> implements a one-to-many dictionary that maps keys to sequences of values. This differs from
Dictionary<TKey, TElement>, which implements a one-to-one dictionary that maps keys to single values. The functionality
provided by Lookup<TKey, TElement> is used in the implementations of the Join, GroupJoin, and GroupBy operators.
The ToLookup operator enumerates the source sequence and evaluates the keySelector and elementSelector functions
for each element to produce that element's key and value. The resulting key and value pairs are returned in a
Lookup<TKey, TElement>. If no elementSelector was specified, the value for each element is simply the element itself. An
ArgumentNullException is thrown if the source, keySelector, or elementSelector argument is null. When creating the
Lookup<TKey, TElement>, key values are compared using the given comparer, or, if a null comparer was specified, using
the default equality comparer, EqualityComparer<TKey>.Default.
The following example creates a Lookup<string, Product> that maps from category name to the sequence of products in
that category:
Lookup<string,Product> productsByCategory =
products.ToLookup(p => p.Category);
IEnumerable<Product> beverages = productsByCategory["Beverage"];
OfType
The OfType operator filters the elements of a sequence based on a type.
The OfType operator allocates and returns an enumerable object that captures the source argument. An
ArgumentNullException is thrown if the source argument is null.
When the object returned by OfType is enumerated, it enumerates the source sequence and yields those elements that are
http://msdn.microsoft.com/en-us/library/bb394939.aspx 18/29
9/15/2014 The .NET Standard Query Operators
of type TResult. Specifically, each element e for which e is TResult evaluates to true is yielded by evaluating (TResult)e.
Given a class Employee that inherits from a class Person, the following example returns all employees from a list of
persons:
Cast
The Cast operator casts the elements of a sequence to a given type.
The Cast operator allocates and returns an enumerable object that captures the source argument. An
ArgumentNullException is thrown if the source argument is null.
When the object returned by Cast is enumerated, it enumerates the source sequence and yields each element cast to type
TResult. An InvalidCastException is thrown if an element in the sequence cannot be cast to type TResult.
The Cast operator can be used to bridge between non-generic collections and the Standard Query Operators. For example,
the non-generic ArrayList does not implement IEnumerable<TResult>, but the Cast operator can be used to supply the
missing type information:
In a C# 3.0 query expression, an explicitly typed iteration variable translates to an invocation of Cast. The example above is
equivalent to the translation of:
Equality Operator
SequenceEqual
The SequenceEqual operator checks whether two sequences are equal.
http://msdn.microsoft.com/en-us/library/bb394939.aspx 19/29
9/15/2014 The .NET Standard Query Operators
IEnumerable<TSource> second,
IEqualityComparer<TSource> comparer);
The SequenceEqual operator enumerates the two source sequences in parallel and compares corresponding elements. If a
non-null comparer argument is supplied, it is used to compare the elements. Otherwise the default equality comparer,
EqualityComparer<TSource>.Default, is used. The method returns true if all corresponding elements compare equal and
the two sequences are of equal length. Otherwise, the method returns false. An ArgumentNullException is thrown if either
argument is null.
Element Operators
First
The First operator returns the first element of a sequence.
The First operator enumerates the source sequence and returns the first element for which the predicate function returns
true. If no predicate function is specified, the First operator simply returns the first element of the sequence.
The following example returns the first customer with a given phone number:
In the example above, an exception is thrown if no customer with the given phone number exists. To instead return a default
value when no element is found, use the FirstOrDefault operator.
FirstOrDefault
The FirstOrDefault operator returns the first element of a sequence, or a default value if no element is found.
The FirstOrDefault operator enumerates the source sequence and returns the first element for which the predicate function
returns true. If no predicate function is specified, the FirstOrDefault operator simply returns the first element of the
sequence.
An ArgumentNullException is thrown if any argument is null. If no element matches the predicate or if the source sequence
is empty, default(TSource) is returned. The default value for reference and nullable types is null.
Last
The Last operator returns the last element of a sequence.
http://msdn.microsoft.com/en-us/library/bb394939.aspx 20/29
9/15/2014 The .NET Standard Query Operators
The Last operator enumerates the source sequence and returns the last element for which the predicate function returned
true. If no predicate function is specified, the Last operator simply returns the last element of the sequence.
LastOrDefault
The LastOrDefault operator returns the last element of a sequence, or a default value if no element is found.
The LastOrDefault operator enumerates the source sequence and returns the last element for which the predicate function
returned true. If no predicate function is specified, the LastOrDefault operator simply returns the last element of the
sequence.
An ArgumentNullException is thrown if any argument is null. If no element matches the predicate or if the source sequence
is empty, default(TSource) is returned. The default value for reference and nullable types is null.
Single
The Single operator returns the single element of a sequence.
The Single operator enumerates the source sequence and returns the single element for which the predicate function
returned true. If no predicate function is specified, the Single operator simply returns the single element of the sequence.
The following example returns the single customer with a given customer ID:
int id = 12345;
Customer c = customers.Single(c => c.CustomerID == id);
In the example above, an exception is thrown if no customer or more than one customer with the given ID exists. To instead
return null when no element is found, use the SingleOrDefault operator.
SingleOrDefault
http://msdn.microsoft.com/en-us/library/bb394939.aspx 21/29
9/15/2014 The .NET Standard Query Operators
The SingleOrDefault operator returns the single element of a sequence, or a default value if no element is found.
The SingleOrDefault operator enumerates the source sequence and returns the single element for which the predicate
function returned true. If no predicate function is specified, the SingleOrDefault operator simply returns the single element
of the sequence.
ElementAt
The ElementAt operator returns the element at a given index in a sequence.
The ElementAt operator first checks whether the source sequence implements IList<TSource>. If it does, the source
sequence's implementation of IList<TSource> is used to obtain the element at the given index. Otherwise, the source
sequence is enumerated until index elements have been skipped, and the element found at that position in the sequence is
returned. An ArgumentNullException is thrown if the source argument is null. An ArgumentOutOfRangeException is
thrown if the index is less than zero or greater than or equal to the number of elements in the sequence.
Product thirdMostExpensive =
products.OrderByDescending(p => p.UnitPrice).ElementAt(2);
ElementAtOrDefault
The ElementAtOrDefault operator returns the element at a given index in a sequence, or a default value if the index is out
of range.
The ElementAtOrDefault operator first checks whether the source sequence implements IList<TSource>. If it does, the
source sequence's implementation of IList<TSource> is used to obtain the element at the given index. Otherwise, the
source sequence is enumerated until index elements have been skipped, and the element found at that position in the
sequence is returned. An ArgumentNullException is thrown if the source argument is null. If the index is less than zero or
greater than or equal to the number of elements in the sequence, default(TSource) is returned. The default value for
reference and nullable types is null.
DefaultIfEmpty
The DefaultIfEmpty operator supplies a default element for an empty sequence.
http://msdn.microsoft.com/en-us/library/bb394939.aspx 22/29
9/15/2014 The .NET Standard Query Operators
The DefaultIfEmpty operator allocates and returns an enumerable object that captures the arguments passed to the
operator. An ArgumentNullException is thrown if the source argument is null.
When the object returned by DefaultIfEmpty is enumerated, it enumerates the source sequence and yields its elements. If
the source sequence is empty, a single element with the given default value is yielded. If no default value argument is
specified, default(TSource) is yielded in place of an empty sequence. The default value for reference and nullable types is
null.
The DefaultIfEmpty operator can be combined with a grouping join to produce a left outer join. See the GroupJoin
section of this document for an example.
Generation Operators
Range
The Range operator generates a sequence of integral numbers.
The Range operator allocates and returns an enumerable object that captures the arguments. An
ArgumentOutOfRangeException is thrown if count is less than zero or if start + count - 1 is larger than int.MaxValue.
When the object returned by Range is enumerated, it yields count sequential integers starting with the value start.
The following example produces an array of the squares of the numbers from 0 to 99:
Repeat
The Repeat operator generates a sequence by repeating a value a given number of times.
The Repeat operator allocates and returns an enumerable object that captures the arguments. An
ArgumentOutOfRangeException is thrown if the specified count is less than zero. When the object returned by Repeat is
enumerated, it yields count occurrences of element.
The following example produces a long[] with 256 elements containing the value -1.
http://msdn.microsoft.com/en-us/library/bb394939.aspx 23/29
9/15/2014 The .NET Standard Query Operators
Empty
The Empty operator returns an empty sequence of a given type.
The Empty operator caches a single empty sequence of the given type. When the object returned by Empty is enumerated,
it yields nothing.
Quantifiers
Any
The Any operator checks whether any element of a sequence satisfies a condition.
The Any operator enumerates the source sequence and returns true if any element satisfies the test given by the predicate.
If no predicate function is specified, the Any operator simply returns true if the source sequence contains any elements.
The enumeration of the source sequence is terminated as soon as the result is known.
The following example checks whether any products with a price of 100 or more are out of stock.
All
The All operator checks whether all elements of a sequence satisfy a condition.
The All operator enumerates the source sequence and returns true if no element fails the test given by the predicate.
The enumeration of the source sequence is terminated as soon as the result is known.
http://msdn.microsoft.com/en-us/library/bb394939.aspx 24/29
9/15/2014 The .NET Standard Query Operators
The All operator returns true for an empty sequence. This is consistent with established predicate logic and other query
languages such as SQL.
The following example produces the names of the product categories for which all products are in stock:
IEnumerable<string> fullyStockedCategories =
products.
GroupBy(p => p.Category).
Where(g => g.Group.All(p => p.UnitsInStock > 0)).
Select(g => g.Key);
Contains
The Contains operator checks whether a sequence contains a given element.
The Contains operator first checks whether the source sequence implements ICollection<TSource>. If it does, the
Contains method in sequence's implementation of ICollection<TSource> is invoked to obtain the result. Otherwise, the
source sequence is enumerated to determine if it contains an element with the given value. If a matching element is found,
the enumeration of the source sequence is terminated at that point. If a non-null comparer argument is supplied, it is used
to compare the elements to the given value. Otherwise the default equality comparer,
EqualityComparer<TSource>.Default, is used.
Aggregate Operators
Count
The Count operator counts the number of elements in a sequence.
The Count operator without a predicate first checks whether the source sequence implements ICollection<TSource>. If it
does, the sequence's implementation of ICollection<TSource> is used to obtain the element count. Otherwise, the source
sequence is enumerated to count the number of elements.
The Count operator with a predicate enumerates the source sequence and counts the number of elements for which the
predicate function returns true.
For both Count operators, an ArgumentNullException is thrown if any argument is null, and an OverflowException is
thrown if the count exceeds int.MaxValue.
http://msdn.microsoft.com/en-us/library/bb394939.aspx 25/29
9/15/2014 The .NET Standard Query Operators
LongCount
The LongCount operator counts the number of elements in a sequence.
The LongCount operator enumerates the source sequence and counts the number of elements for which the predicate
function returns true. If no predicate function is specified, the LongCount operator simply counts all elements. The count of
elements is returned as a value of type long.
For both Count operators, an ArgumentNullException is thrown if any argument is null, and an OverflowException is
thrown if the count exceeds long.MaxValue.
Sum
The Sum operator computes the sum of a sequence of numeric values.
The Numeric type is one of int, int?, long, long?, float, float?, double, double?, decimal, or decimal?.
The Sum operator enumerates the source sequence, invokes the selector function for each element, and computes the sum
of the resulting values. If no selector function is specified, the sum of the elements themselves is computed. An
ArgumentNullException is thrown if any argument is null. For the Numeric types int, int?, long, long?, decimal, and
decimal?, if an intermediate result in computing the sum is too large to represent using the Numeric type, an
OverflowException is thrown. For float, float?, double, and double?, a positive or negative infinity is returned if an
intermediate result in computing the sum is too large to represent by using a double.
The Sum operator returns zero for an empty sequence. Furthermore, the operator does not include null values in the result.
(Null values can occur when the Numeric type is a nullable type.)
The following example produces a sequence of customer names and order totals for a given year:
http://msdn.microsoft.com/en-us/library/bb394939.aspx 26/29
9/15/2014 The .NET Standard Query Operators
Min
The Min operator finds the minimum of a sequence of numeric values.
The Numeric type is one of int, int?, long, long?, float, float?, double, double?, decimal, or decimal?.
The Min operator enumerates the source sequence, invokes the selector function for each element, and finds the minimum
of the resulting values. If no selector function is specified, the minimum of the elements themselves is computed. The values
are compared using their implementation of the IComparable<TSource> interface, or, if the values do not implement that
interface, the non-generic IComparable interface. An ArgumentNullException is thrown if any argument is null.
If the source type is a non-nullable value type and the source sequence is empty, an InvalidOperationException is thrown.
If the source type is a reference type or a nullable value type and the source sequence is empty or contains only null values,
null is returned.
The Min implementations for the Numeric types are optimizations of the more general generic operators.
The following example produces a sequence of name and lowest product price for each product category:
var minPriceByCategory =
products.
GroupBy(p => p.Category).
Select(g => new {
Category = g.Key,
MinPrice = g.Group.Min(p => p.UnitPrice)
});
Max
The Max operator finds the maximum of a sequence of numeric values.
The Numeric type is a type of int, int?, long, long?, float, float?, double, double?, decimal, or decimal?.
The Max operator enumerates the source sequence, invokes the selector function for each element, and finds the maximum
of the resulting values. If no selector function is specified, the maximum of the elements themselves is computed. The values
http://msdn.microsoft.com/en-us/library/bb394939.aspx 27/29
9/15/2014 The .NET Standard Query Operators
are compared using their implementation of the IComparable<TSource> interface, or, if the values do not implement that
interface, the non-generic IComparable interface. An ArgumentNullException is thrown if any argument is null.
If the source type is a non-nullable value type and the source sequence is empty, an InvalidOperationException is thrown.
If the source type is a reference type or a nullable value type and the source sequence is empty or contains only null values,
null is returned.
The Max implementations for the Numeric types are optimizations of the more general generic operators.
The following example finds the total of the largest order in 2005:
decimal largestOrder =
customers.
SelectMany(c => c.Orders).
Where(o => o.OrderDate.Year == 2005).
Max(o => o.Total);
Average
The Average operator computes the average of a sequence of numeric values.
The Numeric type is a type of int, int?, long, long?, float, float?, double, double?, decimal, or decimal?. When the
Numeric type is int or long, the Result type is double. When the Numeric type is int? or long?, the Result type is double?.
Otherwise, the Numeric and Result types are the same.
The Average operator enumerates the source sequence, invokes the selector function for each element, and computes the
average of the resulting values. If no selector function is specified, the average of the elements themselves is computed. An
ArgumentNullException is thrown if any argument is null.
For the Numeric types int, int?, long, or long?, if an intermediate result in computing the sum of the elements is too large
to represent in a long, an OverflowException is thrown. For the Numeric types decimal and decimal?, if an intermediate
result in computing the sum of the elements is too large to represent in a decimal, an OverflowException is thrown.
The Average operators for int?, long?, float?, double?, and decimal? return null if the source sequence is empty or
contains only null values. The other Average operators throw an InvalidOperationException if the source sequence is
empty.
The following example computes the average order total for each customer:
var averageOrderTotals =
customers.
Select(c => new {
c.Name,
AverageOrderTotal = c.Orders.Average(o => o.Total)
});
Aggregate
The Aggregate operator applies a function over a sequence.
http://msdn.microsoft.com/en-us/library/bb394939.aspx 28/29
9/15/2014 The .NET Standard Query Operators
The Aggregate operators with a seed value start by assigning the seed value to an internal accumulator. They then
enumerate the source sequence, repeatedly computing the next accumulator value by invoking the specified function with
the current accumulator value as the first argument and the current sequence element as the second argument. The
operator without a result selector returns the final accumulator value as the result. The operator with a result selector
passes the final accumulator value to the supplied result selector and returns the resulting value. An
ArgumentNullException is thrown if the source, func or resultSelector argument is null.
The Aggregate operator without a seed value uses the first element of the source sequence as the seed value, but
otherwise functions as described above. If the source sequence is empty, the Aggregate operator without a seed value
throws an InvalidOperationException.
The following example produces a sequence of category name and longest product name for each product category:
var longestNamesByCategory =
products.
GroupBy(p => p.Category).
Select(g => new {
Category = g.Key,
LongestName =
g.Group.
Select(p => p.Name).
Aggregate((s, t) => t.Length > s.Length ? t : s)
});
© 2014 Microsoft
http://msdn.microsoft.com/en-us/library/bb394939.aspx 29/29