Exploring Python Lambda Functions

5 0 0
                                    

Python lambda functions are a way to create small, anonymous functions on the fly. They're useful when you need a quick function for a short period of time, especially as an argument to higher-order functions like 'map()', 'filter()', or 'sorted()'. Here's a basic rundown:

Syntax

The syntax for a lambda function is:

'''python

lambda arguments: expression

'''

- 'lambda': Keyword indicating it's a lambda function.

- 'arguments': A comma-separated list of arguments (like function parameters).

- 'expression': An expression that is evaluated and returned.

Example

Here's a simple example of a lambda function that adds two numbers:

'''python

add = lambda x, y: x + y

print(add(2, 3)) Output: 5

'''

Use Cases

1. Sorting with Custom Key: You can use lambda functions to sort items in a list based on custom criteria.

'''python

points = [(1, 2), (3, 1), (2, 4)]

sorted_points = sorted(points, key=lambda point: point[1])

print(sorted_points) Output: [(3, 1), (1, 2), (2, 4)]

'''

2. Filtering Lists: Lambda functions can be used with 'filter()' to filter out elements based on a condition.

'''python

numbers = [1, 2, 3, 4, 5, 6]

even_numbers = list(filter(lambda x: x % 2 == 0, numbers))

print(even_numbers) Output: [2, 4, 6]

'''

3. Mapping Values: Use lambda with 'map()' to apply a function to each item in a list.

'''python

numbers = [1, 2, 3, 4]

squares = list(map(lambda x: x 2, numbers))

print(squares) Output: [1, 4, 9, 16]

'''

Limitations

- Single Expression: Lambda functions can only contain a single expression. They cannot include statements or multiple expressions.

- Readability: Overusing lambda functions can sometimes make your code harder to read and debug, especially if the lambda functions become too complex.

They're great for short-term, simple operations but might not be the best choice for more complex function logic where a regular function might be clearer.

You've reached the end of published parts.

⏰ Last updated: Aug 03 ⏰

Add this story to your Library to get notified about new parts!

Exploring Python Lambda FunctionsWhere stories live. Discover now