Part 99 Lambda expression in c#



Text version of the video
http://csharp-video-tutorials.blogspot.com/2014/03/part-99-lambda-expression-in-c_23.html

Healthy diet is very important both for the body and mind. If you like Aarvi Kitchen recipes, please support by sharing, subscribing and liking our YouTube channel. Hope you can help.
https://www.youtube.com/channel/UC7sEwIXM_YfAMyonQCrGfWA/?sub_confirmation=1

Slides
http://csharp-video-tutorials.blogspot.com/2014/03/part-99-lambda-expression-in-c.html

All C# Text Articles
http://csharp-video-tutorials.blogspot.com/p/free-c-video-tutorial-for-beginners.html

All C# Slides
http://csharp-video-tutorials.blogspot.com/p/c.html

All Dot Net and SQL Server Tutorials in English
https://www.youtube.com/user/kudvenkat/playlists?view=1&sort=dd

All Dot Net and SQL Server Tutorials in Arabic
https://www.youtube.com/c/KudvenkatArabic/playlists

In this video we will discuss, what lambda expressions are with an example. We will be working with the same example that we worked with in Part 98.

Anonymous methods and Lambda expressions are very similar. Anonymous methods were introduced in C# 2 and Lambda expressions in C# 3.

To find an employee with Id = 102, using anonymous method
Employee employee = listEmployees.Find(delegate(Employee Emp) { return Emp.ID == 102; });

To find an employee with Id = 102, using lambda expression
Employee employee = listEmployees.Find(Emp =] Emp.ID == 102);

You can also explicitly specify the Input type but not required
employee = listEmployees.Find((Employee Emp) =] Emp.ID == 102);

Notice that with a Lambda expression you don’t have to use the delegate keyword explicitly and you dont’t have to specify the input parameter type explicitly. The parameter type is inferred. Lambda expressions are more convenient to use than anonymous methods. Lambda expressions are particularly helpful for writing LINQ query expressions.

=] is called lambda operator and read as GOES TO.

In most of the cases Lambda expressions supersedes anonymous methods. To my knowledge, the only time I prefer to use anonymous methods over lambdas is, when we have to omit the parameter list when it’s not used within the body.

Anonymous methods allow the parameter list to be omitted entirely when it’s not used within the body, where as with lambda expressions this is not the case.

For example, with anonymous method notice that we have omitted the parameter list as we are not using them within the body
Button1.Click += delegate
{
MessageBox.Show(“Button Clicked”);
};

The above code can be rewritten using lambda expression as shown below. Notice that with lambda we cannot omit the parameter list.
Button1.Click += (eventSender, eventAgrs) =]
{
MessageBox.Show(“Button Clicked”);
};

Comments are closed.