29.8k views
2 votes
Write a function that takes two arguments. The first argument is a list of integers, the second argument is an integer k. The function returns a list that contains those elements greater than k. Write the main function and call the function accordingly.

[You need to use loop to perform the task]
For example,
[1,2,3,4], 2 => [3,4]
[1,2,3,4], 5 => []

User Kinda
by
7.8k points

1 Answer

4 votes

Final answer:

A function in Python, filter_greater_than_k, is written to return a list of elements from a given list that are greater than a specified integer k. The function is tested in the main block, where it successfully filters the lists according to the specified k value.

Step-by-step explanation:

Writing a Function to Filter a List

To create a function that filters out integers greater than a given number k from a list, one can define a function in Python using a loop to iterate over the list and compare each element with k. If an element is greater than k, it will be added to a new list which will be returned at the end of the function. Below is an example implementation:

def filter_greater_than_k(lst, k):
result = []
for num in lst:
if num > k:
result.append(num)
return result

if __name__ == "__main__":
print(filter_greater_than_k([1, 2, 3, 4], 2))
print(filter_greater_than_k([1, 2, 3, 4], 5))

When this code is executed, it will display the outputs [3, 4] and [] for the respective function calls, as these are the elements from each list that are greater than the given k value.

User Chani
by
6.7k points