Here’s a detailed guide with examples for joining, splitting, searching, sorting, filtering, and
iterating in NumPy.
1. Join Arrays
You can join arrays using functions like np.concatenate, np.stack, np.hstack, and
np.vstack.
Examples:
import numpy as np
# Concatenate
a = np.array([1, 2])
b = np.array([3, 4])
print(np.concatenate((a, b))) # Output: [1 2 3 4]
# Stack
print(np.stack((a, b), axis=0)) # Output: [[1 2]
                       #       [3 4]]
# Horizontal Stack
print(np.hstack((a, b))) # Output: [1 2 3 4]
# Vertical Stack
print(np.vstack((a, b))) # Output: [[1 2]
                  #       [3 4]]
2. Split Arrays
You can split arrays using functions like np.split, np.hsplit, and np.vsplit.
Examples:
# Split equally
arr = np.array([1, 2, 3, 4, 5, 6])
print(np.split(arr, 3)) # Output: [array([1, 2]), array([3, 4]), array([5, 6])]
# Horizontal Split
matrix = np.array([[1, 2], [3, 4], [5, 6]])
print(np.hsplit(matrix, 2)) # Output: [array([[1],
                     #        [3],
                     #        [5]]), array([[2],
                     #                    [4],
                     #                    [6]])]
# Vertical Split
print(np.vsplit(matrix, 3)) # Output: [array([[1, 2]]), array([[3, 4]]), array([[5, 6]])]
3. Search in Arrays
You can search for specific values or conditions using np.where, np.searchsorted, or
np.nonzero.
Examples:
# Where
arr = np.array([10, 20, 30, 40])
print(np.where(arr == 20)) # Output: (array([1]),)
# Searchsorted
sorted_arr = np.array([1, 3, 5, 7])
print(np.searchsorted(sorted_arr, 4)) # Output: 2
# Nonzero
print(np.nonzero(arr > 25)) # Output: (array([2, 3]),)
4. Sort Arrays
You can sort arrays using np.sort.
Examples:
# Sort
arr = np.array([3, 1, 4, 2])
print(np.sort(arr)) # Output: [1 2 3 4]
# Sort multidimensional array
matrix = np.array([[3, 2], [1, 4]])
print(np.sort(matrix, axis=0)) # Output: [[1 2]
                        #       [3 4]]
5. Filter Arrays
You can filter arrays using boolean indexing or np.extract.
Examples:
# Boolean Indexing
arr = np.array([10, 20, 30, 40])
filter = arr > 20
print(arr[filter]) # Output: [30 40]
# Extract
print(np.extract(filter, arr)) # Output: [30 40]
6. Iterate Over Arrays
You can iterate using loops or np.nditer.
Examples:
# Iterating over 1D array
arr = np.array([1, 2, 3])
for x in arr:
   print(x) # Output: 1 2 3
# Iterating over 2D array
matrix = np.array([[1, 2], [3, 4]])
for x in np.nditer(matrix):
   print(x) # Output: 1 2 3 4
# Enumerate with index
for idx, x in np.ndenumerate(matrix):
   print(idx, x) # Output: (0, 0) 1, (0, 1) 2, (1, 0) 3, (1, 1) 4
These examples demonstrate the versatility of NumPy operations. Let me know if you'd like
more details on any specific topic!