De kracht van NumPy-arrays

Efficiënte Python-code schrijven

Logan Thomas

Scientific Software Technical Trainer, Enthought

Overzicht van NumPy-arrays

  • Alternatief voor Python-lijsten
nums_list = list(range(5))
[0, 1, 2, 3, 4]
import numpy as np

nums_np = np.array(range(5))
array([0, 1, 2, 3, 4])
Efficiënte Python-code schrijven
# Homogeniteit van NumPy-arrays
nums_np_ints = np.array([1, 2, 3])
array([1, 2, 3])
nums_np_ints.dtype
dtype('int64')
nums_np_floats = np.array([1, 2.5, 3])
array([1. , 2.5, 3. ])
nums_np_floats.dtype
dtype('float64')
Efficiënte Python-code schrijven

Broadcasting met NumPy-arrays

  • Python-lijsten ondersteunen geen broadcasting
nums = [-2, -1, 0, 1, 2]
nums ** 2
TypeError: unsupported operand type(s) for ** or pow(): 'list' and 'int'
Efficiënte Python-code schrijven
  • List-aanpak
# For-lus (inefficiënte optie)
sqrd_nums = []
for num in nums:
    sqrd_nums.append(num ** 2)
print(sqrd_nums)
[4, 1, 0, 1, 4]
# List-comprehension (beter maar niet best)
sqrd_nums  = [num ** 2 for num in nums]

print(sqrd_nums)
[4, 1, 0, 1, 4]
Efficiënte Python-code schrijven

Broadcasting met NumPy-arrays

  • NumPy-broadcasting voor de winst!
nums_np = np.array([-2, -1, 0, 1, 2])
nums_np ** 2
array([4, 1, 0, 1, 4])
Efficiënte Python-code schrijven

Basis 1D-indexering (lists)

nums = [-2, -1, 0, 1, 2]
nums[2]
0
nums[-1]
2
nums[1:4]
[-1, 0, 1]

Basis 1D-indexering (arrays)

nums_np = np.array(nums)
nums_np[2]
0
nums_np[-1]
2
nums_np[1:4]
array([-1, 0, 1])
Efficiënte Python-code schrijven
# 2-D list
nums2 = [ [1, 2, 3],
          [4, 5, 6] ]

  • Basis 2D-indexering (lists)
nums2[0][1]
2
[row[0] for row in nums2]
[1, 4]
# 2-D array

nums2_np = np.array(nums2)

  • Basis 2D-indexering (arrays)
nums2_np[0,1]
2
nums2_np[:,0]
array([1, 4])
Efficiënte Python-code schrijven

Booleaanse indexering in NumPy-arrays

nums = [-2, -1, 0, 1, 2]
nums_np =  np.array(nums)
  • Booleaanse indexering
nums_np > 0
array([False, False, False,  True,  True])
nums_np[nums_np > 0]
array([1, 2])
Efficiënte Python-code schrijven
  • Geen booleaanse indexering voor lists
# For-lus (inefficiënte optie)
pos = []
for num in nums:
    if num > 0:
        pos.append(num)
print(pos)
[1, 2]
# List-comprehension (beter maar niet best)
pos = [num for num in nums if num > 0]
print(pos)
[1, 2]
Efficiënte Python-code schrijven

Laten we oefenen met krachtige NumPy-arrays!

Efficiënte Python-code schrijven

Preparing Video For Download...