177k views
0 votes
Write a Python function filter_evens ( ) that takes the list of integers as input, and returns a new list containing only the even numbers from the original list, sorted in ascending order.

Example usage:
input_list =[5,2,7,10,8,3,4]
output_list = filter_evens(input_list)
print(output_list)
Expected output if you execute the example above:
[2,4,8,10]

User ATG
by
7.6k points

1 Answer

2 votes

Final answer:

To write the filter_evens() function in Python, you can use list comprehension along with the sorted() function to filter out the even numbers and sort them in ascending order.

Step-by-step explanation:

To write the filter_evens() function in Python, you can use list comprehension along with the sorted() function to filter out the even numbers and sort them in ascending order. Here is an example of how you can implement this function:

def filter_evens(input_list):
evens = [num for num in input_list if num % 2 == 0]
sorted_evens = sorted(evens)
return sorted_evens

input_list = [5, 2, 7, 10, 8, 3, 4]
output_list = filter_evens(input_list)
print(output_list)

A Python function named filter_evens is defined to return a sorted list of even numbers extracted from an input list of integers.

The student is asking for a Python function that filters out even numbers from a given list and returns them sorted in ascending order. The function, named filter_evens(), should take a list of integers as its argument. Here is how you could define such a function:

def filter_evens(numbers):
# Using a list comprehension to filter out even numbers and sort them
return sorted([num for num in numbers if num % 2 == 0])

To use the function, you would simply call it with the specific list of numbers:

input_list = [5,2,7,10,8,3,4]
output_list = filter_evens(input_list)
print(output_list) # This will print [2,4,8,10]

User David Velasquez
by
7.5k points