Lambda expression (=>) operator defines a lambda expression

The => token is supported in two forms: as the lambda operator and as a separator of a member name and the member implementation in an expression body definition.

Lambda operator

In lambda expressions, the lambda operator => separates the input parameters on the left side from the lambda body on the right side.

The following example uses the LINQ feature with method syntax to demonstrate the usage of lambda expressions:

string[] words = { "bot", "apple", "apricot" };
int minimalLength = words
  .Where(w => w.StartsWith("a"))
  .Min(w => w.Length);
Console.WriteLine(minimalLength);   // output: 5

int[] numbers = { 4, 7, 10 };
int product = numbers.Aggregate(1, (interim, next) => interim * next);
Console.WriteLine(product);   // output: 280

Input parameters of a lambda expression are strongly typed at compile time. When the compiler can infer the types of input parameters, like in the preceding example, you may omit type declarations. If you need to specify the type of input parameters, you must do that for each parameter, as the following example shows:

int[] numbers = { 4, 7, 10 };
int product = numbers.Aggregate(1, (int interim, int next) => interim * next);
Console.WriteLine(product);   // output: 280

The following example shows how to define a lambda expression without input parameters:

Func<string> greet = () => "Hello, World!";
Console.WriteLine(greet());

For more information, see Lambda expressions.

Expression body definition

An expression body definition has the following general syntax:

member => expression;

where expression is a valid expression. The return type of expression must be implicitly convertible to the member's return type. If the member:

  • Has a void return type or
  • Is a:
    • Constructor
    • Finalizer
    • Property or indexer set accessor

expression must be a statement expression. Because the expression's result is discarded, the return type of that expression can be any type.

The following example shows an expression body definition for a Person.ToString method:

public override string ToString() => $"{fname} {lname}".Trim();

It's a shorthand version of the following method definition:

public override string ToString()
{
   return $"{fname} {lname}".Trim();
}

You can create expression body definitions for methods, operators, read-only properties, constructors, finalizers, and property and indexer accessors. For more information, see Expression-bodied members.

Operator overloadability

The => operator can't be overloaded.

C# language specification

For more information about the lambda operator, see the Anonymous function expressions section of the C# language specification.

See also