...

/

Solution: Find Min and Max from a 2-D NumPy Array

Solution: Find Min and Max from a 2-D NumPy Array

This lesson gives a detailed review of the solution to the challenge in the previous lesson.

We'll cover the following...

Solution #

Press + to interact
def getMinMax(arr):
res = []
for i in range(arr.shape[0]): # Traverse over each row
res.append(arr[i].min()) # Store minimum element in list
res.append(arr[i].max()) # Store maximum element in list
return res
# Test Code
arr = np.random.randint(1,100, size=(5,5))
print("The Original Array:")
print(arr)
res_arr = getMinMax(arr)
print("\nThe Resultnt list with min & max values:")
print(res_arr)

Explanation

A function getMinMax is declared with arr passed to it as a parameter.

...