In this assignment, you will use the foundational Python skills you've been developing and apply them to analyze a small dataset. Many datasets you’ll be working with are structured as CSV or tabular representation - this assignment will be an introduction to reading, processing, and grouping rows and columns to calculate some interesting statistics. These skills will be very useful to have a strong foundation in when we work with much larger (and less complete) real-world datasets!
This assignment is broken in to two main parts, where each part mostly does the same computations in different ways. This is to give you the opportunity to compare/contrast different approaches to solving problems.
This assessment will show students have mastery in the following skills:
flake8
, test suites, course resources).Here are some baseline expectations we expect you to meet:
Follow the course collaboration policies
hw2_manual.py
: The file for you to put solutions to Part 0.hw2_pandas.py
: The file for you to put solutions to Part 1.hw2_test.py
: The file for you to put your tests for Part 0 and Part 1.cse163_utils.py
: A file where we will store utility functions for helping you write tests.run_hw2.py
: A client program provided to call your functions. This is just for your convenience.pokemon_box.csv
: A CSV file that stores information about Pokemon. This columns of this file are explained below.pokemon_test.csv
: A very small CSV file that stores information about Pokemon. This columns of this file are explained below.For this assignment, you will be working with a dataset of Pokemon that you have caught on your Pokemon journey so far. The file pokemon_box.csv
stores all the data about the captured Pokemon and has a format that looks like:
id | name | level | personality | type | weakness | atk | def | hp | stage |
---|---|---|---|---|---|---|---|---|---|
1 | Bulbasaur | 12 | Jolly | Grass | Fire | 45 | 50 | 112 | 1 |
... | ... | ... | ... | ... | ... | ... | ... | ... | ... |
Note that because this is a CSV file, the file contents have these cells separated by commas.
In this part of the assessment, you will write code to perform various analytical operations on data parsed from a file into the list of dictionaries represenation.
For this step of the assignment, you will be implementing various functions to answer questions about the dataset.
Each function should take the list returned by the cse163_utils.parse
function (provided for you) as the first argument, along with any other arguments specified in each problem. For example, for the third function, we would call filter_range(data, 1, 10)
where data
was the list returned by cse163_utils.parse
.
This data structure should not be modified by any function you write. Every problem that deals with strings should be case-sensitive (this means "chArIzard" is a different species than "Charizard"). You may make the following assumptions about the inputs:
None
.For each of the problems, we will use the file pokemon_test.csv
to show what should be returned.
id,name,level,personality,type,weakness,atk,def,hp,stage
59,Arcanine,35,impish,fire,water,50,55,90,2
59,Arcanine,35,gentle,fire,water,45,60,80,2
121,Starmie,67,sassy,water,electric,174,56,113,2
131,Lapras,72,lax,water,electric,107,113,29,1
hw2_manual.py
math
module, but you may not use any other imports to solve these problems.species_count
Write a function species_count
that returns the number of unique Pokemon species (determined by the name
attribute) found in the dataset. You may assume that the data is well formatted in the sense that you don't have to transform any values in the name
column.
For example, assuming we have parsed pokemon_test.csv
and stored it in a variable called data
:
species_count(data) # 3
max_level
Write a function max_level
that finds the Pokemon with the max level and returns a tuple of length 2, where the first element is the name
of the Pokemon and the second is its level
. If there is a tie, the Pokemon that appears earlier in the file should be returned.
For example, assuming we have parsed pokemon_test.csv
and stored it in a variable called data
:
max_level(data) # ('Lapras', 72)
filter_range
Write a function called filter_range
that takes as arguments a smallest (inclusive) and largest (exclusive) level value and returns a list of Pokemon names having a level within that range. The list should return the species names in the same order that they appear in the provided list of dictionaries.
For example, assuming we have parsed pokemon_test.csv
and stored it in a variable called data
:
filter_range(data, 30, 70) # ['Arcanine', 'Arcanine', 'Starmie']
mean_attack_for_type
Write a function called mean_attack_for_type
that takes a Pokemon type (string) as an argument and that returns the average attack stat for all the Pokemon in the dataset with that type.
If there are no Pokemon of the given type, this function should return None
.
For example, assuming we have parsed pokemon_test.csv
and stored it in a variable called data
:
mean_attack_for_type(data, 'fire') # 47.5
count_types
Write a function called count_types
that returns a dictionary with keys that are Pokemon types and values that are the number of times that type appears in the dataset.
The order of the keys in the returned dictionary does not matter. In terms of efficiency, your solution should NOT iterate over the whole dataset once for each type of Pokemon since that would be overly inefficient.
For example, assuming we have parsed pokemon_test.csv
and stored it in a variable called data
:
count_types(data) # {'fire': 2, 'water': 2}
mean_attack_per_type
Write a function called mean_attack_per_type
that calculates the average attack for every type of Pokemon in the dataset. This function should return a dictionary that has keys that are the Pokemon types and values that are the average attack for that Pokemon type.
The order of the keys in the returned dictionary does not matter. In terms of efficiency, your solution should NOT iterate over the whole dataset once for each type of Pokemon since that would be overly inefficient.
For example, assuming we have parsed pokemon_test.csv
and stored it in a variable called data
:
mean_attack_per_type(data) # {'fire': 47.5, 'water': 140.5}
In this part of the assessment, you will write code to do various analytical operations on CSV data. Sounds a bit like Déjà vu! The functions you write for this assignment are exactly the same, but instead you will be using the pandas
library to solve the functions.
For this step of the assignment, you will be implementing various functions to answer questions about the dataset. All of the problems are the same as Part 0 save for the fact that the input is now a DataFrame
; you can check back to that page to see any examples you might need for this part.
Each function should take the DataFrame
returned by the pd.read_csv
function as the first argument, along with any other arguments specified in each problem. For example, for the third function, we would call filter_range(data, 1, 10)
where data
was the DataFrame
returned by pd.read_csv
.
This data structure should not be modified by any function you write. Every problem that deals with strings should be case-sensitive (this means "chArIzard" is a different species than "Charizard"). You may make the following assumptions about the inputs:
DataFrame
is non-empty for all functions you implement.None
.pandas
wordbankBecause this is the first assignment where you are using pandas
, we will provide a "wordbank" of pandas
functions/features that you might want to use on these problems. A brief version this list is shown below and you can find more background information about what these items mean by reading this Jupyter Notebook. At the top-right of this page in Ed is a "Fork" button (looks like a fork in the road). This will make your own copy of this Notebook so you can run the code and experiment with anything there!
Not every entry in the wordbank will be necessarily used and you will probably use certain functions/features listed multiple times for this assignment.
DataFrame
DataFrame
(loc
)Series
groupby
min
max
idxmin
idxmax
count
mean
unique
When using data science libraries like pandas
, it's extremely helpful to actually interact with the tools your using so you can have a better idea about the shape of your data. The preferred practice by people in industry is to use a Jupyter Notebook, like we have been in lecture, to play around with the dataset to help figure out how to answer the questions you want to answer. This is incredibly helpful when you're first learning a tool as you can actually experiment and get real-time feedback if the code you wrote does what you want.
We recommend that you try figuring out how to solve these problems in a Jupyter Notebook so you can actually interact with the data. We have made a playground Jupyter Notebook for you to use that already has the data loaded. You will want to press the "Fork" button at the top-right (looks like a fork in the road) so you can get your own copy that you may edit.
Some of the functions below ask you to return a Python list
or dict
to keep it symmetric with Part 0. This will be difficult to do if you are working with pandas
objects and are asked to not use any loops! You will want to use the following fact: you can use Python's casting to convert a Series
into either a list
or a dict
.
For example, suppose I had the following CSV represented in a pandas
DataFrame
named data
:
name,age,species
Fido,4,dog
Meowrty,6,cat
Chester,1,dog
Phil,1,axolotl
Then I could convert a Series
derived from this DataFrame
to a list
or dict
with the following syntax:
names = data['name'] # Series
list(names) # ['Fido', 'Meowrty', 'Chester', 'Phil']
dict(names) # {0: 'Fido', 1: 'Meowrty', 2: 'Chester', 3: 'Phil'}
row = data.loc[1] # Series
list(row) # ['Meowrty', 6, 'cat']
dict(row) # {'name': 'Meowrty', 'age': 6, 'species': 'cat'}
This is not any sort of magic! For list
, it just uses the values in the Series
. For dict
, it uses the index as keys and the values as values.
hw2_pandas.py
math
and pandas
modules, but you may not use any other imports to solve these problems.pandas
objects. The goal of this part of the assignment is to use pandas
as a tool to help answer questions about your dataset.species_count
Write a function species_count
that returns the number of unique Pokemon species (determined by the name
attribute) found in the dataset. You may assume that the data is well formatted in the sense that you don't have to transform any values in the name
column.
max_level
Write a function max_level
that finds the Pokemon with the max level and returns a tuple of length 2, where the first element is the name
of the Pokemon and the second is its level
. If there is a tie, the Pokemon that appears earlier in the file should be returned.
filter_range
Write a function called filter_range
that takes as arguments a smallest (inclusive) and largest (exclusive) level value and returns a list of Pokemon names having a level within that range. The list should return the species names in the same order that they appear in the provided list of dictionaries.
Note that you will want to return a Python list for this function so you will have to convert from a pandas
object to a list.
mean_attack_for_type
Write a function called mean_attack_for_type
that takes a Pokemon type (string) as an argument and that returns the average attack stat for all the Pokemon in the dataset with that type.
If there are no Pokemon of the given type, this function should return None
.
count_types
Write a function called count_types
that returns a dictionary with keys that are Pokemon types and values that are the number of times that type appears in the dataset.
The order of the keys in the dictionary does not matter.
Note that you will want to return a Python dictionary for this function so you will have to convert from a pandas
object to a dictionary.
mean_attack_per_type
Write a function called mean_attack_per_type
that calculates the average attack for every type of Pokemon in the dataset. This function should return a dictionary that has keys that are the Pokemon types and values that are the average attack for that Pokemon type.
The order of the keys in the dictionary does not matter.
Note that you will want to return a Python dictionary for this function so you will have to convert from a pandas
object to a dictionary.
In this part of the assignment, you will write tests for your solutions in Part 0 and Part 1.
Like in Take-home Assessment 1, we have provided a function called assert_equals
that takes an expected value and the value returned by your function, and compares them: if they don't match, the function will crash the program and tell you what was wrong. You can see more instructions an example for tests from the Take-home Assessment 1 - Part 1 to see examples of how to call the tests.
Recall that on HW1, you had to use this absolute path (e.g. /home/song.txt
) on Ed in your testing program. This has to do with how Ed runs your program when marking it (it only copies your Python files in to its testing directory). You will need to continue to do this for future assignments.
What this means is in your hw2_test.py
, any place you specify a file name (e.g. song.txt
), you should use the absolute path on Ed instead (e.g. /home/song.txt
)
For full credit, your hw2_test.py
must satisfy all of the following conditions:
pokemon_box.csv
to count for your own test cases. The file is too large to be able to meaningfully come up with the correct answer on your own (e.g., it's not valid to run your code and then paste the output as the "correct output"). You should submit your own testing CSV files.hw2_manual.py
and hw2_pandas.py
that you were asked to write. It's okay to merge the test functions for the same problem in the different parts of the assessment since their outputs are the same. You should not organize your tests such that there are only two test functions (e.g., test_hw2_manual
and test_hw2_pandas
) as we want to separate the test functions by each of the problems in the spec. There might be some redundancy in your tests which is expected since it's hard to factor out the different function calls and input types.assert_equals
.test_funky_sum
)Your submission will be evaluated on the following dimensions:
flake8
A lot of students have been asking questions like "Can I use this method or can I use this language feature in this class?". The general answer to this question is it depends on what you want to use, what the problem is asking you to do and if there are any restrictions that problem places on your solution.
There is no automatic deduction for using some advanced feature or using material that we have not covered in class yet, but if it violates the restrictions of the assignment, it is possible you will lose points. It's not possible for us to list out every possible thing you can't use on the assignment, but we can say for sure that you are safe to use anything we have covered in class so far as long as it meets what the specification asks and you are appropriately using it as we showed in class.
For example, some things that are probably okay to use even though we didn't cover them:
update
method on the set
class even though I didn't show it in lecture. It was clear we talked about sets and that you are allowed to use them on future assignments and if you found a method on them that does what you need, it's probably fine as long as it isn't violating some explicit restriction on that assignment.
For example, some things that are probably not okay to use:
These are not allowed because they might make the problem trivially easy or violate what the learning objective of the problem is.
You should think about what the spec is asking you to do and as long as you are meeting those requirements, we will award credit. If you are concerned that an advanced feature you want to use falls in that second category above and might cost you points, then you should just not use it! These problems are designed to be solvable with the material we have learned so far so it's entirely not necessary to go look up a bunch of advanced material to solve them.
tl;dr; We will not be answering every question of "Can I use X" or "Will I lose points if I use Y" because the general answer is "You are not forbidden from using anything as long as it meets the spec requirements. If you're unsure if it violates a spec restriction, don't use it and just stick to what we learned before the assignment was released."
This assignment is due by Thursday, January 28 at . Please refer to the late policy for the policy on how late you may turn an assignment in.
You should submit your finished
hw2_manual.py
,
hw2_pandas.py
,
and hw2_test.py
on Ed.
You may submit your assignment as many times as you want until the deadline for the initial submission. Recall on Ed, you submit by pressing the "Mark" button. Work after the due date will not be accepted for an initial submission. Please see the syllabus for the policies on initial submissions and resubmissions.