title_meta | title | description | attachments | lessons | |||||||||||||||
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
Chapter 4 |
NumPy |
NumPy is a fundamental Python package to efficiently practice data science. Learn to work with powerful tools in the NumPy array, and get started with data exploration. |
|
type: VideoExercise
key: f4545baa53
xp: 50
@projector_key
a0487c26210f6b71ea98f917734cea3a
type: NormalExercise
key: 84cab9d170
lang: python
xp: 100
skills:
- 2
In this chapter, we're going to dive into the world of baseball. Along the way, you'll get comfortable with the basics of numpy
, a powerful package to do data science.
A list baseball
has already been defined in the Python script, representing the height of some baseball players in centimeters. Can you add some code here and there to create a numpy
array from it?
@instructions
- Import the
numpy
package asnp
, so that you can refer tonumpy
withnp
. - Use
np.array()
to create anumpy
array frombaseball
. Name this arraynp_baseball
. - Print out the type of
np_baseball
to check that you got it right.
@hint
import numpy as np
will do the trick. Now, you have to usenp.fun_name()
whenever you want to use anumpy
function.np.array()
should take on inputbaseball
. Assign the result of the function call tonp_baseball
.- To print out the type of a variable
x
, simply typeprint(type(x))
.
@pre_exercise_code
import numpy as np
@sample_code
# Create list baseball
baseball = [180, 215, 210, 210, 188, 176, 209, 200]
# Import the numpy package as np
# Create a numpy array from baseball: np_baseball
# Print out type of np_baseball
@solution
# Create list baseball
baseball = [180, 215, 210, 210, 188, 176, 209, 200]
# Import the numpy package as np
import numpy as np
# Create a NumPy array from baseball: np_baseball
np_baseball = np.array(baseball)
# Print out type of np_baseball
print(type(np_baseball))
@sct
predef_msg = "You don't have to change or remove the predefined variables."
Ex().has_import("numpy")
Ex().check_correct(
check_object("np_baseball"),
multi(
check_object("baseball", missing_msg=predef_msg).has_equal_value(incorrect_msg=predef_msg),
check_function("numpy.array").check_args(0).has_equal_ast()
)
)
Ex().has_printout(0)
success_msg("Great job!")
type: NormalExercise
key: e7e25a89ea
lang: python
xp: 100
skills:
- 2
You are a huge baseball fan. You decide to call the MLB (Major League Baseball) and ask around for some more statistics on the height of the main players. They pass along data on more than a thousand players, which is stored as a regular Python list: height_in
. The height is expressed in inches. Can you make a numpy
array out of it and convert the units to meters?
height_in
is already available and the numpy
package is loaded, so you can start straight away (Source: stat.ucla.edu).
@instructions
- Create a
numpy
array fromheight_in
. Name this new arraynp_height_in
. - Print
np_height_in
. - Multiply
np_height_in
with0.0254
to convert all height measurements from inches to meters. Store the new values in a new array,np_height_m
. - Print out
np_height_m
and check if the output makes sense.
@hint
- Use
np.array()
and pass itheight
. Store the result innp_height_in
. - To print out a variable
x
, typeprint(x)
in the Python script. - Perform calculations as if
np_height_in
is a single number:np_height_in * conversion_factor
is part of the answer. - To print out a variable
x
, typeprint(x)
in the Python script.
@pre_exercise_code
import pandas as pd
mlb = pd.read_csv("http://assets.datacamp.com/course/intro_to_python/baseball.csv")
height_in = mlb['Height'].tolist()
import numpy as np
@sample_code
# height_in is available as a regular list
# Import numpy
import numpy as np
# Create a numpy array from height_in: np_height_in
# Print out np_height_in
# Convert np_height_in to m: np_height_m
# Print np_height_m
@solution
# height_in is available as a regular list
# Import numpy
import numpy as np
# Create a numpy array from height_in: np_height_in
np_height_in = np.array(height_in)
# Print out np_height_in
print(np_height_in)
# Convert np_height_in to m: np_height_m
np_height_m = np_height_in * 0.0254
# Print np_height_m
print(np_height_m)
@sct
Ex().has_import("numpy", same_as = False)
Ex().check_correct(
has_printout(0),
check_correct(
check_object('np_height_in').has_equal_value(),
check_function('numpy.array').check_args(0).has_equal_ast()
)
)
Ex().check_correct(
has_printout(1),
check_object("np_height_m").has_equal_value(incorrect_msg = "Use `np_height_in * 0.0254` to calculate `np_height_m`.")
)
success_msg("Nice! In the blink of an eye, `numpy` performs multiplications on more than 1000 height measurements.")
type: NormalExercise
key: 689fdbc950
lang: python
xp: 100
skills:
- 2
The MLB also offers to let you analyze their weight data. Again, both are available as regular Python lists: height_in
and weight_lb
. height_in
is in inches and weight_lb
is in pounds.
It's now possible to calculate the BMI of each baseball player. Python code to convert height_in
to a numpy
array with the correct units is already available in the workspace. Follow the instructions step by step and finish the game!
@instructions
- Create a
numpy
array from theweight_lb
list with the correct units. Multiply by0.453592
to go from pounds to kilograms. Store the resultingnumpy
array asnp_weight_kg
. - Use
np_height_m
andnp_weight_kg
to calculate the BMI of each player. Use the following equation: $$ \mathrm{BMI} = \frac{\mathrm{weight (kg)}}{\mathrm{height (m)}^2}$$ Save the resultingnumpy
array asbmi
. - Print out
bmi
.
@hint
- Use a similar approach as the code that calculates
np_height_m
. This time, though, the you have to work withweight
and multiply with0.453592
. - To calculate the
bmi
, you will need the/
and**
operators. - To print out a variable
x
, typeprint(x)
in the script.
@pre_exercise_code
import pandas as pd
mlb = pd.read_csv("http://assets.datacamp.com/course/intro_to_python/baseball.csv")
height_in = mlb['Height'].tolist()
weight_lb = mlb['Weight'].tolist()
import numpy as np
@sample_code
# height_in and weight_lb are available as regular lists
# Import numpy
import numpy as np
# Create array from height_in with metric units: np_height_m
np_height_m = np.array(height_in) * 0.0254
# Create array from weight_lb with metric units: np_weight_kg
# Calculate the BMI: bmi
# Print out bmi
@solution
# height_in and weight_lb are available as regular lists
# Import numpy
import numpy as np
# Create array from height_in with metric units: np_height_m
np_height_m = np.array(height_in) * 0.0254
# Create array from weight_lb with metric units: np_weight_kg
np_weight_kg = np.array(weight_lb) * 0.453592
# Calculate the BMI: bmi
bmi = np_weight_kg / np_height_m ** 2
# Print out bmi
print(bmi)
@sct
Ex().has_import('numpy')
# check np_height_m
msg = "The variable `np_height_m` was defined for you. You don't have to change or remove it!"
Ex().check_object("np_height_m", missing_msg=msg).has_equal_value(incorrect_msg = msg)
# check np_weight_kg
Ex().check_correct(
check_object("np_weight_kg").has_equal_value(),
multi(
check_function("numpy.array", index=1).check_args(0).has_equal_ast(),
has_code('0.453592', not_typed_msg="Make sure to multiply `np.array(weight_lb)` with `0.453592` to get the weights in kg.")
)
)
# check bmi
patt = "You need to use `%s` in your calculation of `bmi`."
Ex().check_correct(
has_printout(0),
check_correct(
check_object('bmi').has_equal_value(),
multi(
has_code('np_weight_kg', not_typed_msg = patt % 'np_weight_kg'),
has_code('np_height_m', not_typed_msg = patt % 'np_height_m'),
has_code('**', pattern = False, not_typed_msg = patt % '**')
)
)
)
success_msg("Cool! Time to step up your game!")
type: NormalExercise
key: ef6add980e
lang: python
xp: 100
skills:
- 2
To subset both regular Python lists and numpy
arrays, you can use square brackets:
x = [4 , 9 , 6, 3, 1]
x[1]
import numpy as np
y = np.array(x)
y[1]
For numpy
specifically, you can also use boolean numpy
arrays:
high = y > 5
y[high]
The code that calculates the BMI of all baseball players is already included. Follow the instructions and reveal interesting things from the data!
@instructions
- Create a boolean
numpy
array: the element of the array should beTrue
if the corresponding baseball player's BMI is below 21. You can use the<
operator for this. Name the arraylight
. - Print the array
light
. - Print out a
numpy
array with the BMIs of all baseball players whose BMI is below 21. Uselight
inside square brackets to do a selection on thebmi
array.
@hint
bmi > 30
will give you a booleannumpy
array in which the elements areTrue
if the corresponding player's BMI is over 30.- To print out a variable
x
, typeprint(x)
in the Python script. bmi[light]
will return the array you need. Don't forget to wrap aprint()
call around it!
@pre_exercise_code
import pandas as pd
mlb = pd.read_csv("http://assets.datacamp.com/course/intro_to_python/baseball.csv")
height_in = mlb['Height'].tolist()
weight_lb = mlb['Weight'].tolist()
import numpy as np
@sample_code
# height_in and weight_lb are available as a regular lists
# Import numpy
import numpy as np
# Calculate the BMI: bmi
np_height_m = np.array(height_in) * 0.0254
np_weight_kg = np.array(weight_lb) * 0.453592
bmi = np_weight_kg / np_height_m ** 2
# Create the light array
# Print out light
# Print out BMIs of all baseball players whose BMI is below 21
@solution
# height_in and weight_lb are available as a regular lists
# Import numpy
import numpy as np
# Calculate the BMI: bmi
np_height_m = np.array(height_in) * 0.0254
np_weight_kg = np.array(weight_lb) * 0.453592
bmi = np_weight_kg / np_height_m ** 2
# Create the light array
light = bmi < 21
# Print out light
print(light)
# Print out BMIs of all baseball players whose BMI is below 21
print(bmi[light])
@sct
msg = "You don't have to change or remove the predefined variables `np_height_m`, `np_weight_kg`, or `bmi`."
Ex().multi(
check_object("np_height_m", missing_msg=msg).has_equal_value(incorrect_msg = msg),
check_object("np_weight_kg", missing_msg=msg).has_equal_value(incorrect_msg = msg),
check_object("bmi", missing_msg=msg).has_equal_value(incorrect_msg = msg)
)
Ex().check_correct(
multi(
has_printout(0),
has_printout(1)
),
check_object("light").has_equal_value(incorrect_msg = "Use `bmi < 21` to define `light`")
)
success_msg("Wow! It appears that only 11 of the more than 1000 baseball players have a BMI under 21!")
type: MultipleChoiceExercise
key: 3662ff6637
lang: python
xp: 50
skills:
- 2
As Hugo explained before, numpy
is great for doing vector arithmetic. If you compare its functionality with regular Python lists, however, some things have changed.
First of all, numpy
arrays cannot contain elements with different types. If you try to build such a list, some of the elements' types are changed to end up with a homogeneous list. This is known as type coercion.
Second, the typical arithmetic operators, such as +
, -
, *
and /
have a different meaning for regular Python lists and numpy
arrays.
Have a look at this line of code:
np.array([True, 1, 2]) + np.array([3, 4, False])
Can you tell which code chunk builds the exact same Python object? The numpy
package is already imported as np
, so you can start experimenting in the IPython Shell straight away!
@possible_answers
np.array([True, 1, 2, 3, 4, False])
np.array([4, 3, 0]) + np.array([0, 2, 2])
np.array([1, 1, 2]) + np.array([3, 4, -1])
np.array([0, 1, 2, 3, 4, 5])
@hint
Copy the different code chunks and paste them in the IPython Shell. See which output matches the one generated by np.array([True, 1, 2]) + np.array([3, 4, False])
.
@pre_exercise_code
import numpy as np
@sct
msg1 = msg3 = msg4 = "Incorrect. Try out the different code chunks and see which one matches the target code chunk."
msg2 = "Great job! `True` is converted to 1, `False` is converted to 0."
Ex().has_chosen(2, [msg1, msg2, msg3, msg4])
type: NormalExercise
key: fcb2a9007b
lang: python
xp: 100
skills:
- 2
You've seen it with your own eyes: Python lists and numpy
arrays sometimes behave differently. Luckily, there are still certainties in this world. For example, subsetting (using the square bracket notation on lists or arrays) works exactly the same. To see this for yourself, try the following lines of code in the IPython Shell:
x = ["a", "b", "c"]
x[1]
np_x = np.array(x)
np_x[1]
The script in the editor already contains code that imports numpy
as np
, and stores both the height and weight of the MLB players as numpy
arrays.
@instructions
- Subset
np_weight_lb
by printing out the element at index 50. - Print out a sub-array of
np_height_in
that contains the elements at index 100 up to and including index 110.
@hint
- Make sure to wrap a
print()
call around your subsetting operations. - Use
[100:111]
to get the elements from index 100 up to and including index 110.
@pre_exercise_code
import pandas as pd
mlb = pd.read_csv("http://assets.datacamp.com/course/intro_to_python/baseball.csv")
height_in = mlb['Height'].tolist()
weight_lb = mlb['Weight'].tolist()
@sample_code
# height_in and weight_lb are available as a regular lists
# Import numpy
import numpy as np
# Store weight and height lists as numpy arrays
np_weight_lb = np.array(weight_lb)
np_height_in = np.array(height_in)
# Print out the weight at index 50
# Print out sub-array of np_height_in: index 100 up to and including index 110
@solution
# height_in and weight_lb are available as a regular lists
# Import numpy
import numpy as np
# Store weight and height lists as numpy arrays
np_weight_lb = np.array(weight_lb)
np_height_in = np.array(height_in)
# Print out the weight at index 50
print(np_weight_lb[50])
# Print out sub-array of np_height_in: index 100 up to and including index 110
print(np_height_in[100:111])
@sct
Ex().has_import("numpy", same_as=False)
msg = "You don't have to change or remove the predefined variables."
Ex().multi(
check_object("np_height_in", missing_msg=msg).has_equal_value(incorrect_msg = msg),
check_object("np_weight_lb", missing_msg=msg).has_equal_value(incorrect_msg = msg)
)
Ex().has_printout(0)
Ex().has_printout(1)
success_msg("Nice! Time to learn something new: 2D NumPy arrays!")
type: VideoExercise
key: 1241efac7a
xp: 50
@projector_key
ae3238dcc7feb9adecfee0c395fc8dc8
type: NormalExercise
key: 5cb045bb13
lang: python
xp: 100
skills:
- 2
Before working on the actual MLB data, let's try to create a 2D numpy
array from a small list of lists.
In this exercise, baseball
is a list of lists. The main list contains 4 elements. Each of these elements is a list containing the height and the weight of 4 baseball players, in this order. baseball
is already coded for you in the script.
@instructions
- Use
np.array()
to create a 2Dnumpy
array frombaseball
. Name itnp_baseball
. - Print out the type of
np_baseball
. - Print out the
shape
attribute ofnp_baseball
. Usenp_baseball.shape
.
@hint
baseball
is already coded for you in the script. Callnp.array()
on it and store the resulting 2Dnumpy
array innp_baseball
.- Use
print()
in combination withtype()
for the second instruction. np_baseball.shape
will give you the dimensions of thenp_baseball
. Make sure to wrap aprint()
call around it.
@pre_exercise_code
@sample_code
# Create baseball, a list of lists
baseball = [[180, 78.4],
[215, 102.7],
[210, 98.5],
[188, 75.2]]
# Import numpy
import numpy as np
# Create a 2D numpy array from baseball: np_baseball
# Print out the type of np_baseball
# Print out the shape of np_baseball
@solution
# Create baseball, a list of lists
baseball = [[180, 78.4],
[215, 102.7],
[210, 98.5],
[188, 75.2]]
# Import numpy
import numpy as np
# Create a 2D numpy array from baseball: np_baseball
np_baseball = np.array(baseball)
# Print out the type of np_baseball
print(type(np_baseball))
# Print out the shape of np_baseball
print(np_baseball.shape)
@sct
msg = "You don't have to change or remove the predefined variables."
Ex().check_object("baseball", missing_msg=msg).has_equal_value(incorrect_msg = msg)
Ex().has_import("numpy", same_as = False)
Ex().check_correct(
multi(
has_printout(0),
has_printout(1)
),
check_correct(
check_object('np_baseball').has_equal_value(),
check_function('numpy.array').check_args(0).has_equal_ast()
)
)
success_msg("Great! You're ready to convert the actual MLB data to a 2D `numpy` array now!")
type: NormalExercise
key: 5df25d0b7b
lang: python
xp: 100
skills:
- 2
You have another look at the MLB data and realize that it makes more sense to restructure all this information in a 2D numpy
array. This array should have 1015 rows, corresponding to the 1015 baseball players you have information on, and 2 columns (for height and weight).
The MLB was, again, very helpful and passed you the data in a different structure, a Python list of lists. In this list of lists, each sublist represents the height and weight of a single baseball player. The name of this embedded list is baseball
.
Can you store the data as a 2D array to unlock numpy
's extra functionality?
@instructions
- Use
np.array()
to create a 2Dnumpy
array frombaseball
. Name itnp_baseball
. - Print out the
shape
attribute ofnp_baseball
.
@hint
baseball
is already available in the Python environment. Callnp.array()
on it and store the resulting 2Dnumpy
array innp_baseball
.np_baseball.shape
will give the dimensions of thenp_baseball
. Make sure to wrap aprint()
call around it.
@pre_exercise_code
import pandas as pd
baseball = pd.read_csv("http://assets.datacamp.com/course/intro_to_python/baseball.csv")[['Height', 'Weight']].to_numpy().tolist()
import numpy as np
@sample_code
# baseball is available as a regular list of lists
# Import numpy package
import numpy as np
# Create a 2D numpy array from baseball: np_baseball
# Print out the shape of np_baseball
@solution
# baseball is available as a regular list of lists
# Import numpy package
import numpy as np
# Create a 2D numpy array from baseball: np_baseball
np_baseball = np.array(baseball)
# Print out the shape of np_baseball
print(np_baseball.shape)
@sct
Ex().has_import("numpy", same_as = False)
Ex().check_correct(
has_printout(0),
check_correct(
check_object('np_baseball').has_equal_value(),
check_function('numpy.array').check_args(0).has_equal_ast()
)
)
success_msg("Slick! Time to show off some killer features of multi-dimensional `numpy` arrays!")
type: NormalExercise
key: aeca4977f0
lang: python
xp: 100
skills:
- 2
If your 2D numpy
array has a regular structure, i.e. each row and column has a fixed number of values, complicated ways of subsetting become very easy. Have a look at the code below where the elements "a"
and "c"
are extracted from a list of lists.
# regular list of lists
x = [["a", "b"], ["c", "d"]]
[x[0][0], x[1][0]]
# numpy
import numpy as np
np_x = np.array(x)
np_x[:, 0]
For regular Python lists, this is a real pain. For 2D numpy
arrays, however, it's pretty intuitive! The indexes before the comma refer to the rows, while those after the comma refer to the columns. The :
is for slicing; in this example, it tells Python to include all rows.
The code that converts the pre-loaded baseball
list to a 2D numpy
array is already in the script. The first column contains the players' height in inches and the second column holds player weight, in pounds. Add some lines to make the correct selections. Remember that in Python, the first element is at index 0!
@instructions
- Print out the 50th row of
np_baseball
. - Make a new variable,
np_weight_lb
, containing the entire second column ofnp_baseball
. - Select the height (first column) of the 124th baseball player in
np_baseball
and print it out.
@hint
- You need row index 49 in the first instruction! More specifically, you'll want to use
[49, :]
. - To select the entire second column, you'll need
[:, 1]
. - For the last instruction, use
[123, 0]
; don't forget to wrap it all in aprint()
statement.
@pre_exercise_code
import pandas as pd
baseball = pd.read_csv("http://assets.datacamp.com/course/intro_to_python/baseball.csv")[['Height', 'Weight']].to_numpy().tolist()
import numpy as np
@sample_code
# baseball is available as a regular list of lists
# Import numpy package
import numpy as np
# Create np_baseball (2 cols)
np_baseball = np.array(baseball)
# Print out the 50th row of np_baseball
# Select the entire second column of np_baseball: np_weight_lb
# Print out height of 124th player
@solution
# baseball is available as a regular list of lists
# Import numpy package
import numpy as np
# Create np_baseball (2 cols)
np_baseball = np.array(baseball)
# Print out the 50th row of np_baseball
print(np_baseball[49,:])
# Select the entire second column of np_baseball: np_weight_lb
np_weight_lb = np_baseball[:,1]
# Print out height of 124th player
print(np_baseball[123, 0])
@sct
msg = "You don't have to change or remove the predefined variables."
Ex().multi(
has_import("numpy", same_as = False),
check_object("np_baseball", missing_msg=msg).has_equal_value(incorrect_msg = msg)
)
Ex().has_printout(0)
Ex().check_object('np_weight_lb').has_equal_value(incorrect_msg = "You can use `np_baseball[:,1]` to define `np_weight_lb`. This will select the entire first column.")
Ex().has_printout(1)
success_msg("This is going well!")
type: NormalExercise
key: 1c2378b677
lang: python
xp: 100
skills:
- 2
Remember how you calculated the Body Mass Index for all baseball players? numpy
was able to perform all calculations element-wise (i.e. element by element). For 2D numpy
arrays this isn't any different! You can combine matrices with single numbers, with vectors, and with other matrices.
Execute the code below in the IPython shell and see if you understand:
import numpy as np
np_mat = np.array([[1, 2],
[3, 4],
[5, 6]])
np_mat * 2
np_mat + np.array([10, 10])
np_mat + np_mat
np_baseball
is coded for you; it's again a 2D numpy
array with 3 columns representing height (in inches), weight (in pounds) and age (in years).
@instructions
- You managed to get hold of the changes in height, weight and age of all baseball players. It is available as a 2D
numpy
array,updated
. Addnp_baseball
andupdated
and print out the result. - You want to convert the units of height and weight to metric (meters and kilograms, respectively). As a first step, create a
numpy
array with three values:0.0254
,0.453592
and1
. Name this arrayconversion
. - Multiply
np_baseball
withconversion
and print out the result.
@hint
np_baseball + updated
will do an element-wise summation of the twonumpy
arrays.- Create a
numpy
array withnp.array()
; the input is a regular Python list with three elements. np_baseball * conversion
will work, without extra work. Try out it! Make sure to wrap it in aprint()
call.
@pre_exercise_code
import pandas as pd
import numpy as np
baseball = pd.read_csv("http://assets.datacamp.com/course/intro_to_python/baseball.csv")[['Height', 'Weight', 'Age']].to_numpy().tolist()
n = len(baseball)
updated = np.array(pd.read_csv("http://assets.datacamp.com/course/intro_to_python/update.csv", header = None))
import numpy as np
@sample_code
# baseball is available as a regular list of lists
# updated is available as 2D numpy array
# Import numpy package
import numpy as np
# Create np_baseball (3 cols)
np_baseball = np.array(baseball)
# Print out addition of np_baseball and updated
# Create numpy array: conversion
# Print out product of np_baseball and conversion
@solution
# baseball is available as a regular list of lists
# updated is available as 2D numpy array
# Import numpy package
import numpy as np
# Create np_baseball (3 cols)
np_baseball = np.array(baseball)
# Print out addition of np_baseball and updated
print(np_baseball + updated)
# Create numpy array: conversion
conversion = np.array([0.0254, 0.453592, 1])
# Print out product of np_baseball and conversion
print(np_baseball * conversion)
@sct
Ex().has_import("numpy")
msg = "You don't have to change or remove the predefined variables."
Ex().check_object("np_baseball", missing_msg=msg).has_equal_value(incorrect_msg = msg)
Ex().has_printout(0)
Ex().check_correct(
has_printout(1),
check_correct(
check_object('conversion').has_equal_value(),
check_function('numpy.array', index = 1).check_args(0).has_equal_value()
)
)
success_msg("Great job! Notice how with very little code, you can change all values in your `numpy` data structure in a very specific way. This will be very useful in your future as a data scientist!")
type: VideoExercise
key: 287995e488
xp: 50
@projector_key
34495ba457d74296794d2a122c9b6e19
type: NormalExercise
key: 509c588eb6
lang: python
xp: 100
skills:
- 2
You now know how to use numpy
functions to get a better feeling for your data. It basically comes down to importing numpy
and then calling several simple functions on the numpy
arrays:
import numpy as np
x = [1, 4, 8, 10, 12]
np.mean(x)
np.median(x)
The baseball data is available as a 2D numpy
array with 3 columns (height, weight, age) and 1015 rows. The name of this numpy
array is np_baseball
. After restructuring the data, however, you notice that some height values are abnormally high. Follow the instructions and discover which summary statistic is best suited if you're dealing with so-called outliers.
@instructions
- Create
numpy
arraynp_height_in
that is equal to first column ofnp_baseball
. - Print out the mean of
np_height_in
. - Print out the median of
np_height_in
.
@hint
- Use 2D
numpy
subsetting:[:,0]
is a part of the solution. - If
numpy
is imported asnp
, you can usenp.mean()
to get the mean of a NumPy array. Don't forget to throw in aprint()
call. - For the last instruction, use
np.median()
.
@pre_exercise_code
import pandas as pd
np_baseball = pd.read_csv("http://assets.datacamp.com/course/intro_to_python/baseball.csv")[['Height', 'Weight', 'Age']].to_numpy()
np_baseball[slice(0, 1015, 50), 0] = np_baseball[slice(0, 1015, 50), 0]*1000
import numpy as np
@sample_code
# np_baseball is available
# Import numpy
import numpy as np
# Create np_height_in from np_baseball
# Print out the mean of np_height_in
# Print out the median of np_height_in
@solution
# np_baseball is available
# Import numpy
import numpy as np
# Create np_height_in from np_baseball
np_height_in = np_baseball[:,0]
# Print out the mean of np_height_in
print(np.mean(np_height_in))
# Print out the median of np_height_in
print(np.median(np_height_in))
@sct
Ex().has_import("numpy", same_as = False)
Ex().check_object("np_height_in").has_equal_value(incorrect_msg = "You can use `np_baseball[:,0]` to select the first column from `np_baseball`"),
Ex().check_correct(
has_printout(0),
check_function('numpy.mean').has_equal_value()
)
Ex().check_correct(
has_printout(1),
check_function('numpy.median').has_equal_value()
)
success_msg("An average height of 1586 inches, that doesn't sound right, does it? However, the median does not seem affected by the outliers: 74 inches makes perfect sense. It's always a good idea to check both the median and the mean, to get an idea about the overall distribution of the entire dataset.")
type: NormalExercise
key: '4409948807'
lang: python
xp: 100
skills:
- 2
Because the mean and median are so far apart, you decide to complain to the MLB. They find the error and send the corrected data over to you. It's again available as a 2D NumPy array np_baseball
, with three columns.
The Python script in the editor already includes code to print out informative messages with the different summary statistics. Can you finish the job?
@instructions
- The code to print out the mean height is already included. Complete the code for the median height. Replace
None
with the correct code. - Use
np.std()
on the first column ofnp_baseball
to calculatestddev
. ReplaceNone
with the correct code. - Do big players tend to be heavier? Use
np.corrcoef()
to store the correlation between the first and second column ofnp_baseball
incorr
. ReplaceNone
with the correct code.
@hint
- Use
np.median()
to calculate the median. Make sure to select to correct column first! - Subset the same column when calculating the standard deviation with
np.std()
. - Use
np_baseball[:, 0]
andnp_baseball[:, 1]
to select the first and second columns; these are the inputs tonp.corrcoef()
.
@pre_exercise_code
import pandas as pd
np_baseball = pd.read_csv("http://assets.datacamp.com/course/intro_to_python/baseball.csv")[['Height', 'Weight', 'Age']].to_numpy()
import numpy as np
@sample_code
# np_baseball is available
# Import numpy
import numpy as np
# Print mean height (first column)
avg = np.mean(np_baseball[:,0])
print("Average: " + str(avg))
# Print median height. Replace 'None'
med = None
print("Median: " + str(med))
# Print out the standard deviation on height. Replace 'None'
stddev = None
print("Standard Deviation: " + str(stddev))
# Print out correlation between first and second column. Replace 'None'
corr = None
print("Correlation: " + str(corr))
@solution
# np_baseball is available
# Import numpy
import numpy as np
# Print mean height (first column)
avg = np.mean(np_baseball[:,0])
print("Average: " + str(avg))
# Print median height. Replace 'None'
med = np.median(np_baseball[:,0])
print("Median: " + str(med))
# Print out the standard deviation on height. Replace 'None'
stddev = np.std(np_baseball[:,0])
print("Standard Deviation: " + str(stddev))
# Print out correlation between first and second column. Replace 'None'
corr = np.corrcoef(np_baseball[:,0], np_baseball[:,1])
print("Correlation: " + str(corr))
@sct
Ex().has_import("numpy")
msg = "You shouldn't change or remove the predefined `avg` variable."
Ex().check_object("avg", missing_msg=msg).has_equal_value(incorrect_msg=msg)
missing = "Have you used `np.median()` to calculate the median?"
incorrect = "To calculate `med`, pass the first column of `np_baseball` to `numpy.median()`. The example of `np.mean()` shows how it's done."
Ex().check_correct(
check_object("med").has_equal_value(),
check_function("numpy.median", index=0, missing_msg=missing).check_args(0).has_equal_value(incorrect_msg=incorrect)
)
missing = "Have you used `np.std()` to calculate the standard deviation?"
incorrect = "To calculate `stddev`, pass the first column of `np_baseball` to `numpy.std()`. The example of `np.mean()` shows how it's done."
Ex().check_correct(
check_object("stddev").has_equal_value(),
check_function("numpy.std", index=0, missing_msg=missing).check_args(0).has_equal_value(incorrect_msg=incorrect)
)
missing = "Have you used `np.corrcoef()` to calculate the correlation?"
incorrect1 = "To calculate `corr`, the first argument to `np.corrcoef()` should be the first column of `np_baseball`, similar to how did it before."
incorrect2 = "To calculate `corr`, the second argument to `np.corrcoef()` should be the second column of `np_baseball`. Instead of `[:,0]`, use `[:,1]` this time."
Ex().check_correct(
check_object("corr").has_equal_value(),
check_function("numpy.corrcoef", index=0, missing_msg=missing).multi(
check_args(0, missing_msg=incorrect1).has_equal_value(incorrect_msg=incorrect1),
check_args(1, missing_msg=incorrect2).has_equal_value(incorrect_msg=incorrect2)
)
)
success_msg("Great! Time to use all of your new data science skills in the last exercise!")
type: NormalExercise
key: e125cad8a5
lang: python
xp: 100
skills:
- 2
In the last few exercises you've learned everything there is to know about heights and weights of baseball players. Now it's time to dive into another sport: soccer.
You've contacted FIFA for some data and they handed you two lists. The lists are the following:
positions = ['GK', 'M', 'A', 'D', ...]
heights = [191, 184, 185, 180, ...]
Each element in the lists corresponds to a player. The first list, positions
, contains strings representing each player's position. The possible positions are: 'GK'
(goalkeeper), 'M'
(midfield), 'A'
(attack) and 'D'
(defense). The second list, heights
, contains integers representing the height of the player in cm. The first player in the lists is a goalkeeper and is pretty tall (191 cm).
You're fairly confident that the median height of goalkeepers is higher than that of other players on the soccer field. Some of your friends don't believe you, so you are determined to show them using the data you received from FIFA and your newly acquired Python skills.
@instructions
- Convert
heights
andpositions
, which are regular lists, to numpy arrays. Call themnp_heights
andnp_positions
. - Extract all the heights of the goalkeepers. You can use a little trick here: use
np_positions == 'GK'
as an index fornp_heights
. Assign the result togk_heights
. - Extract all the heights of all the other players. This time use
np_positions != 'GK'
as an index fornp_heights
. Assign the result toother_heights
. - Print out the median height of the goalkeepers using
np.median()
. ReplaceNone
with the correct code. - Do the same for the other players. Print out their median height. Replace
None
with the correct code.
@hint
- Use
np.array()
to convert the lists to numpy arrays. - You should use
np_heights[np_positions == 'GK']
to extract the heights of all goalkeepers. Don't forget to assign the result togk_heights
. - You should use
np_heights[np_positions != 'GK']
to extract the heights of all other players. Don't forget to assign the result toother_heights
. - Print out the median height of the goalkeepers using
np.median(gk_heights)
. - Print out the median height of the other players using
np.median(other_heights)
.
@pre_exercise_code
import pandas as pd
fifa = pd.read_csv("http://assets.datacamp.com/course/intro_to_python/fifa.csv", skipinitialspace=True, usecols=['position', 'height'])
positions = list(fifa.position)
heights = list(fifa.height)
@sample_code
# heights and positions are available as lists
# Import numpy
import numpy as np
# Convert positions and heights to numpy arrays: np_positions, np_heights
# Heights of the goalkeepers: gk_heights
# Heights of the other players: other_heights
# Print out the median height of goalkeepers. Replace 'None'
print("Median height of goalkeepers: " + str(None))
# Print out the median height of other players. Replace 'None'
print("Median height of other players: " + str(None))
@solution
# heights and positions are available as lists
# Import numpy
import numpy as np
# Convert positions and heights to numpy arrays: np_positions, np_heights
np_positions = np.array(positions)
np_heights = np.array(heights)
# Heights of the goalkeepers: gk_heights
gk_heights = np_heights[np_positions == 'GK']
# Heights of the other players: other_heights
other_heights = np_heights[np_positions != 'GK']
# Print out the median height of goalkeepers. Replace 'None'
print("Median height of goalkeepers: " + str(np.median(gk_heights)))
# Print out the median height of other players. Replace 'None'
print("Median height of other players: " + str(np.median(other_heights)))
@sct
Ex().has_import("numpy")
msg_gk_heights = "You can use `[np_positions == 'GK']` as an index of `np_heights` to find the heights of all goalkeepers, `gk_heights`."
msg_other_heights = "You can use `[np_positions != 'GK']` as an index of `np_heights` to find the heights of all other players, `other_heights`."
Ex().check_correct(
multi(
has_printout(0),
has_printout(1)
),
multi(
check_correct(
multi(
check_object('gk_heights').has_equal_value(incorrect_msg=msg_gk_heights),
check_object('other_heights').has_equal_value(incorrect_msg=msg_other_heights)
),
multi(
check_correct(
check_object("np_positions").has_equal_value(incorrect_msg="Assign the numpy array version of `positions` to `np_positions`."),
check_function('numpy.array', index=0).check_args(0).has_equal_ast()
),
check_correct(
check_object("np_heights").has_equal_value(incorrect_msg="Assign the numpy array version of `heights` to `np_heights`."),
check_function('numpy.array', index=1).check_args(0).has_equal_ast()
)
)
),
check_function('str', index=0),
check_function('numpy.median', index=0),
check_function('str', index=1),
check_function('numpy.median', index=1)
)
)
success_msg("Wonderful! You were right and the disbelievers were wrong! This exercise marks the end of the Intro to Python for Data Science course. See you in another course!")