-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtest_classes.rb
executable file
·99 lines (78 loc) · 1.57 KB
/
test_classes.rb
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
95
96
97
98
99
# Testing classes and instance variables,
# as in Chapter 13 of Chris Pine's Learn to Program book.
class Die
def roll
1 + rand(6)
end
end
dice = [Die.new, Die.new]
dice.each do |die|
puts die.roll
end
puts # blank space
class Die
def roll
@num_showing = 1 + rand(6)
end
def showing
@num_showing
end
end
die = Die.new
die.roll
puts die.showing
puts die.showing
die.roll
puts die.showing
puts die.showing
puts # blank space
puts "We should see nothing, here:"
puts Die.new.showing
puts # blank space
# Following in the footsteps of the test on line 39, we can use "initialize"
# to set up a .roll for our Die object upon its creation
class Die
def initialize
roll
end
def roll
@num_showing = 1 + rand(6)
end
def showing
@num_showing
end
end
puts "This time, however, we should see a number:"
puts Die.new.showing
puts # blank space
class Die
def initialize
roll
end
def roll
@num_showing = 1 + rand(6)
end
def showing
@num_showing
end
def cheat(cheat_num)
# This will force num_showing to be whatever we want, within a sensible range (1-6)
# Otherwise, we still get a randomly rolled number
@num_showing = cheat_num if (cheat_num > 0 && cheat_num < 7) else showing
end
end
puts "We can cheat for a 1:"
puts Die.new.cheat(1)
puts "...a 4:"
puts Die.new.cheat(4)
puts "...a 2:"
puts Die.new.cheat(2)
puts "...a 6:"
puts Die.new.cheat(6)
puts "Now to try some things out of the range."
puts "...a 0:"
puts Die.new.cheat(0)
puts "...a -4:"
puts Die.new.cheat(-4)
puts "...a 7:"
puts Die.new.cheat(7)