-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathargs_problem_set_solved.py
68 lines (47 loc) · 2.05 KB
/
args_problem_set_solved.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
# ============== PART 1 ==============
# Write a function called contains_pickle that accepts any number of arguments.
# The function should return True if it is passed "pickle" as one of the args
# Otherwise it should return False
# contains_pickle("red", 45, "pickle", []) --> True
# contains_pickle(1,2, "blue") ---------------> False
""" def contains_pickle(*args):
if "pickle" in args:
return True
return False """
# ⬇️ shorten version
def contains_pickle(*args):
return "pickle" in args
print(contains_pickle("red", 45, "pickle", []))
print(contains_pickle(1, 2, "blue"))
# ============== PART 2 ==============
# Write a function called count_fails that counts up the number of failing test scores it is passes
# It should accept any number of arguments
# It should return a count of how many args are less than or equal to 50
# count_fails(99,48,79,36) -------> 2
# count_fails(85,78,91) ----------> 0
# count_fails(50,41,47,74,76,81) -> 3
def count_fails(*scores):
fails = 0
for num in scores:
if num <= 50:
fails += 1
return fails
print(count_fails(99, 48, 79, 36))
print(count_fails(85, 78, 91))
print(count_fails(50, 41, 47, 74, 76, 81))
# ============== PART 3 ==============
# Write a function called get_top_students that helps teachers find their A-grade students!
# It should accept any number of student=score keyword arguments like colt=78 or elton=98
# It should return a list containing the names of students who scored 90 or above
# get_top_students(tim=91, stacy=83, carlos=97, jim=69) -> ['tim', 'carlos']
# get_top_students(colt=61, elton=76) -------------------> []
# get_top_students(kitty=80, blue=95, toad=91)-----------> ['blue', 'toad']
def get_top_students(**kwargs):
top_students = []
for k, v in kwargs.items(): # return tuple pairs(key, value)
if v >= 90:
top_students.append(k)
return top_students
print(get_top_students(tim=91, stacy=83, carlos=97, jim=69))
print(get_top_students(colt=61, elton=76))
print(get_top_students(kitty=80, blue=95, toad=91))