Lecture 4 (4/4/22)

Last time we covered:

  • Data structures: lists, dictionaries, sets

  • Loops & conditions

Today’s agenda:

  • Datahub

  • Functions

  • numpy basics

First, a little motivation

jobs

Datahub

  • This week’s lab will be available on datahub.ucsd.edu during the first lab session today.

  • In lab, Purva will go over how to pull assignments down on datahub and help you work through the lab problems.

  • This lab will be coding practice that should help a lot with this week’s problem set :) and will be due next week before lab.

Functions

Understanding why we use functions, how to write them, and how things can go wrong are really important to coding at all levels. I can’t stress this enough!

We won’t have as much time to dedicate to functions as we should so if any of this feels shaky, please reach out!

  1. What are functions for?

  2. How to write them

  3. If time: scoping

"""
Function cookbook
    def name_of_function([optional: parameters]):
        CODE HERE
        [optional: return X]
    
"""

# Simple example: how to add two numbers
def add_two_numbers(num1, num2):
    num1 += 1
    return num1 + num2


num1 = 5
num2 = 6
new_number = add_two_numbers(num1, num2)
new_number

num1
5
# More tricky example: let's solve the fizzbuzz problem using a function!
# See: https://en.wikipedia.org/wiki/Fizz_buzz

# Write a function called fizz_buzz that takes in a list of numbers from 1 - 1000 and return a new list modified
# to match the rules of fizz buzz
# If a number is divisible by 3: we replace it with "fizz"
# If a number is divisible by 5: we replace it with "buzz"
# If a number is divisible by 3 *and* 5, we replace it with "fizzbuzz"
# Otherwise, we keep the same number

def fizz_buzz(number_list):
    # iterate through each number in the list (`for` loop)
    # check if the number is divisible by 3 *and* 5
    # if it is: replace with "fizzbuzz"
    # if it isn't: check if the number is divisible by 3
        # if it is: replace with "fizz"
    # check if the number is divisible by 5
        # if it is: replace with "buzz"
    # if it isn't divisible by any of these: maybe put the original number in there?
    for i in range(len(number_list)):
        if number_list[i] % 3 == 0 and number_list[i] % 5 == 0:
            number_list[i] = "fizzbuzz"
        elif number_list[i] % 3 == 0:
            number_list[i] = "fizz"
        elif number_list[i] % 5 == 0:
            number_list[i] = "buzz"

    return number_list


test_list = list(range(1, 21))
# test_list
fizz_buzz_test = fizz_buzz(test_list)
fizz_buzz_test

real_list_for_real = list(range(1, 1001))
fizz_buzz_supreme = fizz_buzz(real_list_for_real)
# fizz_buzz_supreme
# If time: function scope
# Ex. passing in the fizzbuzz list, modifying in the function w/o returning it

That’s it on functions. You’re going to practice writing a relatively simple function in this week’s lab. This week’s problem set will involve several problems that require slighly more complex functions, so if this still feels shaky by the end of this week, come on by office hours!

Numpy!

First, what is numpy??

Numpy is a python library that’s made to support fast and reliable scientific computing. Cool.

import numpy as np

For our purposes, there are two primary things we need to know about numpy:

  1. It’s based around using numpy arrays instead of traditional python lists

  2. It offers a wide range of mathematical tools and operations over these arrays

What’s the difference?

boring_list = [1, 2, 3, 4, 5, 6]
cool_array = np.array([1, 2, 3, 4, 5, 6])

print(type(boring_list))
print(type(cool_array))
<class 'list'>
<class 'numpy.ndarray'>
# How to square our list of numbers above?

y = [val**2 for val in boring_list] # traditional python list comprehension

y = np.square(cool_array) # numpy syntax: we do the operation over the array (no iteration, nice tidy operation)

y
array([ 1,  4,  9, 16, 25, 36])

There’s a lot more to say about numpy arrays and array operations than we’ll have time for.

It’s worth peeking a bit at their website to get a deeper explanation of some of this stuff.

Numpy arrays: more than meets the eye

One important and fundamental difference between numpy arrays and python lists is that arrays have to have the same kind of object inside them.

First, this helps avoid some of the pitfalls of traditional python lists.

confusing_list = [1, 2, '3', '4', 5.0]
confusing_list # python lets us put different kinds of stuff in a list...
[1, 2, '3', '4', 5.0]
# ...but when we try to do operations with it, that can get us into trouble
[elem + 1 for elem in confusing_list]
---------------------------------------------------------------------------
TypeError                                 Traceback (most recent call last)
<ipython-input-8-1dc3831acc0c> in <module>
      1 # ...but when we try to do operations with it, that can get us into trouble
----> 2 [elem + 1 for elem in confusing_list]

<ipython-input-8-1dc3831acc0c> in <listcomp>(.0)
      1 # ...but when we try to do operations with it, that can get us into trouble
----> 2 [elem + 1 for elem in confusing_list]

TypeError: can only concatenate str (not "int") to str
clear_array = np.array([1, 2, '3', '4', 5.0])
clear_array # numpy automatically chooses a format for these values
array(['1', '2', '3', '4', '5.0'], dtype='<U21')
clear_array = np.array([1, 2, '3', '4', 5.0], dtype='float') # or we can set one ourselves
clear_array
array([1., 2., 3., 4., 5.])
clear_array + 1 # that lets us operate on them super easily
array([2., 3., 4., 5., 6.])

Second, operating with numpy arrays can make our code a lot cleaner.

import random

# Let's make a python list of 10000 random values between 0 and 1
x = [random.random() for _ in range(10000)]
print(x[:10])
[0.2557036705828336, 0.20398105230929153, 0.30811096409414773, 0.6693682188083684, 0.922077832394906, 0.5377597708136663, 0.34675628181791607, 0.6264793412027415, 0.04093056574940557, 0.5941577345073501]
# Now, we want a new list that calculates 1/x
y = []
for value in x:
    y.append(1/value)
print(y[:10])
[3.9107768680858896, 4.902416124825772, 3.2455839503797588, 1.493946040312809, 1.0845071477347061, 1.859566397997629, 2.8838698891260646, 1.5962218292468475, 24.431619296992565, 1.6830547545243297]
# The code above is pretty clunky. With numpy, it's super straightforward.
array_x = np.asarray(x)

array_y = 1/array_x
array_y
array([3.91077687, 4.90241612, 3.24558395, ..., 1.84035722, 3.84648772,
       5.19533272])

Third, this makes operations with numpy arrays way faster. Like, a lot.

import random
x = [random.random() for _ in range(10000)] 
array_x = np.asarray(x)
# How long does it take to square everything in our list with normal python operations?
%timeit y = [val**2 for val in x]
1.01 ms ± 27.2 µs per loop (mean ± std. dev. of 7 runs, 1000 loops each)
# What about with numpy?
%timeit array_y = np.square(array_x)
6.48 µs ± 101 ns per loop (mean ± std. dev. of 7 runs, 100000 loops each)

Why are numpy operations so different from operating on python lists?

Numpy operations use vectorization on numpy arrays, meaning that the the operation is performed on the whole array at once (for the person coding), rather than having to iterate through the list (source).

numpy

Numpy arrays -> matrices

The numpy array generalizes to matrices and supports a lot of simple slicing and dicing.

While we likely won’t use numpy matrices as much in this course, it’s worth knowing about them.

a = np.ones((3, 2))
print(a)

rng = np.random.default_rng(0)
a = rng.random((3, 2))
print(a)
[[1. 1.]
 [1. 1.]
 [1. 1.]]
[[0.63696169 0.26978671]
 [0.04097352 0.01652764]
 [0.81327024 0.91275558]]
print(a.ndim) # number of dimensions
print(a.shape) # number of values in each dimension
print(a.size) # total number of cells
2
(3, 2)
6
print(np.max(a)) # maximum operation over the whole matrix
print(np.max(a, axis = 0)) # maximum operation can specify an "axis": 0 (columns) or 1 (rows)
0.9127555772777217
[0.81327024 0.91275558]

One more thing: pandas is built on numpy

It’s good to be familiar with numpy syntax and functions:

  • Sometimes we’ll use them in our code (esp. the super fast numpy operations)

  • And some things we do in pandas will be similar to numpy