Annotated follow-along guide: Hello, Python!
The power of Python
Annotated follow-along guide: Hello, Python!
This notebook contains the code used in the instructional videos from Module 1: Hello, Python!.
Introduction
This follow-along guide is an annotated Jupyter Notebook organized to match the content from each module. It contains the same code shown in the videos for the module. In addition to content that is identical to what is covered in the videos, you’ll find additional information throughout the guide to explain the purpose of each concept covered, why the code is written in a certain way, and tips for running the code.
As you watch each of the following videos, an in-video message will appear to advise you that the video you are viewing contains coding instruction and examples. The in-video message will direct you to the relevant section in the notebook for the specific video you are viewing. Follow along in the notebook as the instructor discusses the code.
To skip directly to the code for a particular video, use the following links:
- Discover more about Python
- Jupyter Notebook
- Object-oriented programming
- Variables and data types
- Create precise variable names
- Data types and conversions
1. Discover more about Python
Source: "Discover more about Python" - Google Advanced Data Analytics Professional Certificate
# Print to the console.
print("Hello, world!")
Hello, world!
# Print to the console.
print(22)
22
# Simple arithmetic
(5 + 4) / 3
3.0
# Assign variables.
country = 'Brazil'
age = 30
print(country)
print(age)
Brazil
30
# Evaluations
# Double equals signs are used to check equivalency.
10**3 == 1000
True
# Evaluations
# A single equals sign is reserved for assignment statements.
10 ** 3 = 1000
File "<ipython-input-6-8baa8abf97f4>", line 3
10 ** 3 = 1000
^
SyntaxError: can't assign to operator
# Evaluations
# Double equals signs are used to check equivalency.
10 * 3 == 40
False
# Evaluations
# Double equals signs are used to check equivalency.
10 * 3 == age
True
# Conditional statements
if age >= 18:
print('adult')
else:
print('minor')
adult
# Loops
for number in [1, 2, 3, 4, 5]:
print(number)
1
2
3
4
5
# Loops
my_list = [3, 6, 9]
for x in my_list:
print(x / 3)
1.0
2.0
3.0
# Functions
def is_adult(age):
if age >= 18:
print('adult')
else:
print('minor')
# Use the function that was just created.
is_adult(14)
minor
# Use the built-in sorted() function.
new_list = [20, 25, 10, 5]
sorted(new_list)
[5, 10, 20, 25]
2. Jupyter Notebooks
NOTE: The import statements cell must be run before running some of the following cells. This setup step was not shown in the instructional video, but you will learn about import statements later in this course.
# Import statements.
import warnings
warnings.filterwarnings('ignore')
import numpy as np
import pandas as pd
import matplotlib.pyplot as plt
from mpl_toolkits.mplot3d import Axes3D
import seaborn as sns
# Create a list.
my_list = [10, 'gold', 'dollars']
# Use the helper function to calculate F1 score used in the following graphics.
def f1_score(precision, recall):
score = 2*precision*recall / (precision + recall)
score = np.nan_to_num(score)
return score
# Generate a graph of F1 score for different precision and recall scores.
x = np.linspace(0, 1, 101)
y = np.linspace(0, 1, 101)
X, Y = np.meshgrid(x, y)
Z = f1_score(X, Y)
fig = plt.figure()
fig.set_size_inches(10, 10)
ax = plt.axes(projection='3d')
ax.plot_surface(X, Y, Z, rstride=2, cstride=3, cmap='plasma')
ax.set_title('$F_{1}$ of precision, recall', size=18)
ax.set_xlabel('x')
ax.set_ylabel('y')
ax.set_zlabel('z')
ax.view_init(35, -65)
NOTE: The following cells use markdown (like this cell) to create formatted text like headers and bullets, tables, and mathematical equations. You can select any cell and enter into edit mode to view the markdown text. Then run the cell to view the rendered output.
Section 2
- Part 1:
- Part 2:
Title | Author | Date |
---|---|---|
The Art of War | Sun Tzu | 5th cent. BCE |
Don Quixote de la Mancha | Miguel de Cervantes Saavedra | 1605 |
Pride and Prejudice | Jane Austen | 1813 |
$$ \int_0^\infty \frac{x^3}{e^x-1}\,dx = \frac{\pi^4}{15} $$
3. Object-oriented programming
# Assign a string to a variable and check its type.
magic = 'HOCUS POCUS'
print(type(magic))
<class 'str'>
# Use the swapcase() string method to convert from caps to lowercase.
magic = 'HOCUS POCUS'
magic = magic.swapcase()
magic
'hocus pocus'
# Use the replace() string method to replace some letters with other letters.
magic = magic.replace('cus', 'key')
magic
'hokey pokey'
# Use the split() string method to split the string into two strings.
magic = magic.split()
magic
['hokey', 'pokey']
# Set up the cell to create the `planets` dataframe.
# (This cell was not shown in the instructional video.)
import pandas as pd
data = [['Mercury', 2440, 0], ['Venus', 6052, 0,], ['Earth', 6371, 1],
['Mars', 3390, 2], ['Jupiter', 69911, 80], ['Saturn', 58232, 83],
['Uranus', 25362, 27], ['Neptune', 24622, 14]
]
cols = ['Planet', 'radius_km', 'moons']
planets = pd.DataFrame(data, columns=cols)
# Display the `planets` dataframe.
planets
Planet | radius_km | moons | |
---|---|---|---|
0 | Mercury | 2440 | 0 |
1 | Venus | 6052 | 0 |
2 | Earth | 6371 | 1 |
3 | Mars | 3390 | 2 |
4 | Jupiter | 69911 | 80 |
5 | Saturn | 58232 | 83 |
6 | Uranus | 25362 | 27 |
7 | Neptune | 24622 | 14 |
# Use the shape dataframe attribute to check the number of rows and columns.
planets.shape
(8, 3)
# Use the columns dataframe attribute to check column names.
planets.columns
Index(['Planet', 'radius_km', 'moons'], dtype='object')
4. Variables and data types
# Assign a list containing players' ages.
age_list = [34, 25, 23, 19, 29]
# Find the maximum age and assign to `max_age` variable.
max_age = max(age_list)
max_age
34
# Convert `max_age` to a string.
max_age = str(max_age)
max_age
'34'
# Reassign the value of `max_age`.
max_age = 'ninety-nine'
max_age
'ninety-nine'
# FIRST, RE-RUN THE SECOND CELL IN THIS VIDEO.
# Check the value contained in `max_age` (SHOULD OUTPUT 34).
max_age
'ninety-nine'
# Find the minimum age and assign to `min_age` variable.
min_age = min(age_list)
# Subtract `min_age` from `max_age`
max_age - min_age
---------------------------------------------------------------------------
TypeError Traceback (most recent call last)
<ipython-input-20-cd60915be1ae> in <module>
3
4 # Subtract `min_age` from `max_age`
----> 5 max_age - min_age
TypeError: unsupported operand type(s) for -: 'str' and 'int'
5. Create precise variable names
# Trying to assign a value to a reserved keyword will return a syntax error.
else = 'everyone loves some esparagus'
File "<ipython-input-55-1f1f078fc2a2>", line 2
else = 'everyone loves some esparagus'
^
SyntaxError: invalid syntax
# The word "asparagus" is misspelled. That's allowed.
esparagus = 'everyone loves some esparagus'
# Order of operations
2 * (3 + 4)
14
# Order of operations
(2 * 3) + 4
10
# Order of operations
3 + 4 * 10
43
6. Data types and conversions
# Addition of 2 ints
print(7+8)
15
# Addition of 2 strings
print("hello " + "world")
hello world
# You cannot add a string to an integer.
print(7+"8")
---------------------------------------------------------------------------
TypeError Traceback (most recent call last)
<ipython-input-62-199724c0b4c0> in <module>
1 # You cannot add a string to an integer
----> 2 print(7+"8")
TypeError: unsupported operand type(s) for +: 'int' and 'str'
# The type() function checks the data type of an object.
type("A")
str
# The type() function checks the data type of an object.
type(2)
int
# The type() function checks the data type of an object.
type(2.5)
float
# Implicit conversion
print(1 + 2.5)
3.5
# Explicit conversion (The str() function converts a number to a string.)
print("2 + 2 = " + str(2 + 2))
2 + 2 = 4
Congratulations! You’ve completed this lab. However, you may not notice a green check mark next to this item on Coursera’s platform. Please continue your progress regardless of the check mark. Just click on the “save” icon at the top of this notebook to ensure your work has been logged.