-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathDS3_starter.py
94 lines (71 loc) · 2.44 KB
/
DS3_starter.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
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
# import the random module
import random
# create the class Dice
class Dice:
# create the constructor (__init__) method
# it takes as input the number sides and if none is specified use 6
# it sets the dice object's number of sides (instance variable)
# it sets the list that tracks the rolls to the empty list (instance variable)
def __init__(self, sides=6):
self.sides = sides
self.rolls = []
# create the __str__ method
# it returns "Last roll: value" where value is the last value in the list that tracks the rolls
def __str__(self):
if len(self.rolls) == 0:
return "This die has yet to be rolled."
else:
return "Last roll: " + str(self.rolls[-1])
# create the roll method
# it randomly picks a value from 1 to the number of sides this dice object has
# it adds that value to the end of the list that tracks all the rolls
# it returns the value
def roll(self):
rolled = random.randint(1, self.sides)
self.rolls.append(rolled)
return rolled
# create the num_rolls method
# uses user input to quantify the amount of rolls
# it asks the users, "How many times do you want to roll?"
# prints out each roll
def num_rolls(self):
num = int(input("How many times do you want to roll? "))
for i in range(num):
print(self.roll())
# BONUS
# create the print_count_for_num method
# it will count how many times the passed number has been rolled and print
# number was rolled x times - where number is the number and x is the count
def print_count_for_num(self, num):
total = 0
for i in self.rolls:
if num == i:
total += 1
print(str(num) + " was rolled " + str(total) + " times")
# main function
def main():
# Create an instance
three_sided = Dice(3)
print("Three sides dice")
# Roll dice 5 times
for i in range(5):
print(three_sided.roll())
# Print last roll
print(three_sided)
# Create an instance
six_sided = Dice()
print("\nSix sides dice")
# Roll dice 5 times
for i in range(5):
print(six_sided.roll())
# Print last roll
print(six_sided)
# prompts for user input
dice = Dice()
dice.num_rolls()
# BONUS quiz
# Print accumulation
print("\nFrequency of 3")
dice.print_count_for_num(3)
if __name__ == "__main__":
main()