This problem set contains several written questions, alongside some
small coding problems. All of your written responses should be formatted
using the LaTeX typesetting language in the ps1.tex
starter
file.
You went through the process of getting started with LaTeX in the Software Installation Guide, but for a quick start we recommend using the online platform Overleaf for LaTeX.
Overleaf also provides many tutorials to help you get started with LaTeX.
Tip: See this
tutorial for instructions on how to upload a .tex
file
to Overleaf.
To obtain the starter files for this assignment:
csc110/assignments/
folder.ps1
folder that contains the
assignment’s starter files!You can then see these files in your PyCharm csc110
project.
Professor Chirly is teaching a class with three assignments.
At the end of the semester, she has student grades, and wants to determine the average across assignments. Rather than weighing each assignment equally, Professor Chirly calculates a student’s average by giving their best assignment a weighting of 40%, second best of 35%, and lowest of 25%.
For example, if Sadia’s assignment scores were 60%, 90%, and 70%, her weighted assignment grade would be \[ 0.4 \times 0.9 + 0.35 \times 0.7 + 0.25 \times 0.6 = 0.755,\] or 75.5%.
Professor Chirly writes a small program to perform this calculation, with the “main” function:
def class_average(class_grades: list) -> float:
"""Return the weighted average grade of students for all grades in class_grades.
Each element of class_grades is itself a list, containing three floats
representing the grades of a particular student on the three assignments.
"""
She also writes three tests using pytest
for this
function. You can find the code for her program and tests in the starter
file ps1_part1.py
.
When Professor Chirly runs pytest
to test her work, she
sees the following output (some extraneous text has been removed):
============================= test session starts ==============================
collecting ... collected 3 items
ps1_part1.py::test_class_average_single_student_equal PASSED [ 33%]
ps1_part1.py::test_section_average_many_students_equal FAILED [ 66%]
ps1_part1.py::test_class_average_many_students_different FAILED [100%]
=================================== FAILURES ===================================
___________________ test_section_average_many_students_equal ___________________
def test_section_average_many_students_equal() -> None:
"""Test class_average when there are a lot of students in a section,
and all students have the same grade on each assignment.
"""
grades = [['80.0', '80.0', '80.0'],
['90.0', '90.0', '90.0'],
['97.0', '97.0', '97.0'],
['68.0', '68.0', '68.0'],
['77.0', '77.0', '77.0']]
# DO NOT MODIFY ANY OF THE BELOW LINES IN THIS TEST
expected = 82.4
> actual = class_average(grades)
ps1_part1.py:95:
_ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _
ps1_part1.py:44: in class_average
student_averages = [student_average(grades) for grades in class_grades]
ps1_part1.py:44: in <listcomp>
student_averages = [student_average(grades) for grades in class_grades]
_ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _
grades = ['80.0', '80.0', '80.0']
def student_average(grades: list) -> float:
"""Return the weighted average of a student's grades.
You may ASSUME that:
- grades consists of exactly three float values
"""
# Sort the student's grades
sorted_grades = sorted(grades)
# These are the weights for the assignment grades
weights = [0.4, 0.35, 0.25]
return (
> weights[0] * sorted_grades[0] +
weights[1] * sorted_grades[1] +
weights[2] * sorted_grades[2]
)
E TypeError: can't multiply sequence by non-int of type 'float'
ps1_part1.py:63: TypeError
__________________ test_class_average_many_students_different __________________
def test_class_average_many_students_different() -> None:
"""Test class_average when there are a lot of students in a section.
"""
grades = [[80.0, 70.0, 75.0],
[90.0, 78.0, 65.0],
[66.0, 74.0, 60.0],
[60.0, 55.0, 75.0],
[82.0, 80.0, 88.0],
[50.0, 88.0, 73.0]]
# DO NOT MODIFY ANY OF THE BELOW LINES IN THIS TEST
expected = 74.15
actual = class_average(grades)
> assert math.isclose(actual, expected)
E assert False
E + where False = <built-in function isclose>(71.27499999999999, 74.15)
E + where <built-in function isclose> = math.isclose
ps1_part1.py:112: AssertionError
=========================== short test summary info ============================
FAILED ps1_part1.py::test_section_average_many_students_equal - TypeError: can...
FAILED ps1_part1.py::test_class_average_many_students_different - assert False
========================= 2 failed, 1 passed in 0.08s ==========================
Following this
tutorial, upload the included ps1.tex.zip
file to
Overleaf. Then, in your ps1.tex
file within Overleaf,
please answer the following questions about this program and
pytest
report. Write your responses in Part 1 of
ps1.tex
, filling in the places marked with TODOs.
Looking at the pytest
report, identify which tests,
if any, passed, and which tests failed. You can just state the name of
the tests and whether they passed/failed, and do not need to give
explanations here.
For each failing test from the pytest
report, there is exactly one statement of code per test causing
it to fail (Note that in Chirly’s code, there are some single statements
that are broken up into multiple lines for readability purposes – this
still counts as a single statement of code despite the multiple
lines).
The incorrect code statement may occur either within the test function itself, or Chirly’s original program functions.
For each failing test:
Explain in 2-3 sentences (plain English, not code) what error is causing the test to fail and why.
Edit ps1_part1.py
by fixing the function code and/or
the tests so that all tests pass. Each failing test should be fixed by
changing exactly one statement of code per test. The
changes must be to fix errors only; the original purpose of the
functions and tests must remain the same. Rule: Do not modify any
of the expected
, actual
or assert
lines for any test. These lines are all
correct.
For each test that passed on the original code (before your changes in question 2), explain why that test passed even though there were errors in the Python file.
We’ve included two short readings to help prepare you for this part of the problem set below.
Any
type
annotationSometimes we want to specify the that the type of a value could be
anything (e.g., if we’re writing a function that takes a list of any
type and returns its first element). We annotate such types using
Any
:
from typing import Any
# This function could return a value of any type
def get_first(items: list) -> Any:
return items[0]
Warning: beginners often get lazy with their type
annotations, and tend to write Any
even when a more
specific type annotation is appropriate. While this will cause code
analysis tools (like PyCharm or python_ta
) to be satisfied
and not report errors, overuse of Any
completely defeats
the purpose of type annotations! Remember that we use type annotations
as a form of communication, to tell other programmers how to
use our function or class. With this goal in mind, we should always
prefer giving specific type annotations to convey the most information
possible, and only use Any
when absolutely necessary.
Sometimes, we need to express that the type of a parameter or return
value is a function. To do so, we use the Callable
type
from the collections.abc
module. This type takes two
expressions in square brackets:
For example, the type Callable[[int, str], bool]
is a
type expression for a function that takes two arguments, an integer and
a string, and returns a boolean. Below, the type annotation for
compare_nums
declares that it can take any function that
takes two integers and returns a boolean:
from collections.abc import Callable
def compare_nums(num1: int, num2: int,
int, int], bool]) -> int:
comp: Callable[[if comp(num1, num2):
return num1
else:
return num2
def is_twice_as_big(num1: int, num2: int) -> bool:
return num1 >= 2 * num2
>>> compare_nums(10, 3, is_twice_as_big)
10
>>> compare_nums(10, 6, is_twice_as_big)
6
The function is_twice_as_big
matches the type annotation
for comp
, and we pass it as the last argument to
compare_nums
. The compare_nums
function is
then able to call comp
(which refers to
is_twice_as_big
) to perform the comparison.
Note the difference between a function call and passing in a
function as an argument. If we wanted to call the function
is_twice_as_big
, we would include brackets after the
function name: e.g. is_twice_as_big()
. However, when we
pass in the function as an argument, we do not include these brackets
(e.g. compare_nums(10, 3, is_twice_as_big)
).
Consider the following two statements in predicate logic (extra parentheses added for clarity):
We will be working with these two statements mathematically and in Python.
In ps1.tex
, provide a definition of a set \(S\), and predicates \(P\) (with domain \(S\)) and \(Q\) (with domain \(S \times S\)), that makes one of the above
statements True and the other statement False.
Your set \(S\) must be non-empty and your predicates may not be constant functions (i.e., always True or always False regardless of any changes in the values of \(x\) and/or \(y\)). Briefly justify your response (no formal proofs are necessary).
Next, in ps1_part2.py
, your task is to
translate the above two statements into Python functions. This
will be a new experience! Read through the docstrings of
statement1
and statement2
so that you
understand how to do this translation.
Tip: this is a tricky problem, so we recommend starting by expressing simpler statements, like \(\forall x \in S,~ P(x)\) and \(\forall x \in S,~ \exists y \in S,~ Q(x, y)\). You can write helper functions here to break down each statement.
Next, in the last part of ps1_part2.py
you’ll define
a simple unit test to demonstrate that your functions
statement1
and statement2
aren’t identical.
Follow the instructions in the unit test
test_statements_different
; you can translate your response
to Question 1 into Python, or come up with a different set of
definitions.
Please proofread and test your work carefully before your final submission! As we explain in Running and Testing Your Code Before Submission, it is essential that your submitted code not contain syntax errors. Python files that contain syntax errors will receive a grade of 0 on any automated tests. You have lots of time to work on this problem set and check your work (and right-click -> “Run in Python Console”), so please make sure to do this regularly and fix syntax errors right away.
You should also run PythonTA as you are working on your problem set
(we have included code to do so at the bottom of each .py
file) to help identify common logical, design, and style errors, and fix
them as they come up. For instructions on how to run PythonTA, please
check out the Assignment
1 PythonTA Guide. You should fix all PythonTA
errors, including any that may have already existed within the starter
files.
ps1.tex
,
ps1.pdf
, ps1_part1.py
and
ps1_part2.py
. Please note that MarkUs is picky with
filenames, and so your filenames must match these exactly, including
using lowercase letters. Please check out the
Overleaf tutorial on exporting project files to learn how to
download your ps1.tex
and ps1.pdf
files from
Overleaf. Be sure to submit both the .tex
file and the .pdf
file.Remember, you can submit your files multiple times before the due date. So you can aim to submit your work early, and if you find an error or a place to improve before the due date, you can still make your changes and resubmit your work.
After you’ve submitted your work, please give yourself a well-deserved pat on the back and go take a rest or go for a walk and relax in nature, listening to the sounds of birds, or just enjoy this video of Professor Chirly proofreading Sadia’s PhD thesis: