forked from ChadAMiller/hungergames
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Game.py
179 lines (135 loc) · 5.9 KB
/
Game.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
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
from __future__ import division, print_function
import random
# Primary engine for the game simulation. You shouldn't need to edit
# any of this if you're just testing strategies.
def payout(s1,s2):
if s1 == 'h':
if s2 == 'h':
return 0
else:
return -3
else:
if s2 == 'h':
return 1
else:
return -2
class GamePlayer(object):
'''
Wrapper class for players to keep track of food etc
Parent is the main game instance, so we can just ask
how many hunts have happened.
'''
def __init__(self, parent, player, food, hunts=0):
self.parent = parent
self.player = player
self.food = food
self.hunts = hunts
@property
def rep(self):
return self.hunts/self.parent.hunt_opportunities if self.parent.hunt_opportunities else 0
def __repr__(self):
return '{} {} {:.3f}'.format(self.player, self.food, self.rep)
def __str__(self):
return "Player {} now has {} food and a reputation of {:.3f}".format(self.player, self.food, self.rep)
class Game(object):
'''
Game(players, verbose=True, min_rounds=300, average_rounds=1000)
Primary game engine for the sim. players should be a list of players
as defined in Player.py or bots.py. verbose determines whether the game
will print the result of individual rounds to the console or not.
Per the rules, the game has a small but constant probability of ending
each round after min_rounds. The current defaults are completely arbitrary;
feel free to play with them.
Call game.play_game() to run the entire game at once, or game.play_round()
to run one round at a time.
See app.py for a bare-minimum test game.
'''
def __init__(self, players, verbose=True, min_rounds=300, average_rounds=1000):
self.verbose = verbose
self.max_rounds = min_rounds + int(random.expovariate(1/(average_rounds-min_rounds)))
self.round = 0
self.hunt_opportunities = 0
self.players = players # to set self.P
start_food = 300*(self.P-1)
self.players = [GamePlayer(self,p,start_food) for p in players]
@property
def m_bonus(self):
return 2*(self.P-1)
@property
def P(self):
return len(self.players)
def calculate_m(self):
return random.randrange(1, self.P*(self.P-1))
def play_round(self):
# Get beginning of round stats
self.round += 1
if(self.verbose):
print ("\nBegin Round " + str(self.round) + ":")
m = self.calculate_m()
# Beginning of round setup
random.shuffle(self.players)
reputations = list(player.rep for player in self.players)
# Get player strategies
strategies = []
for i,p in enumerate(self.players):
opp_reputations = reputations[:i]+reputations[i+1:]
strategy = p.player.hunt_choices(self.round, p.food, p.rep, m, opp_reputations)
strategy.insert(i,'s')
strategies.append(strategy)
# Perform the hunts
self.hunt_opportunities += self.P-1
results = [[] for j in range(self.P)]
for i in range(self.P):
for j in range(self.P):
if i!=j:
results[i].append(payout(strategies[i][j], strategies[j][i]))
total_hunts = sum(s.count('h') for s in strategies)
if (self.verbose):
print ("There were {} hunts of {} needed for bonus".format(total_hunts, m))
if total_hunts >= m:
bonus = self.m_bonus
if (self.verbose):
print("Cooperation Threshold Acheived. Bonus of {} awarded to each player".format(self.m_bonus))
else:
bonus = 0
# Award food and let players run cleanup tasks
for strat, result, player in zip(strategies, results, self.players):
food = sum(result)
hunts = strat.count('h')
player.food += food+bonus
player.hunts += hunts
player.player.hunt_outcomes(result)
player.player.round_end(bonus, m, total_hunts)
if self.verbose:
newlist = sorted(self.players, key=lambda x: x.food, reverse=True)
for p in newlist:
print (p)
if self.game_over():
print ("Game Completed after {} rounds".format(self.round))
raise StopIteration
def game_over(self):
starved = [p for p in self.players if p.food <= 0]
for p in starved:
print ("{} has starved and been eliminated in round {}".format(p.player.name, self.round))
self.players = [p for p in self.players if p.food > 0]
return (self.P < 2) or (self.round > self.max_rounds)
def play_game(self):
'''
Preferred way to run the game to completion
Written this way so that I can step through rounds one at a time
'''
print ("Playing the game to the end:")
while True:
try:
self.play_round()
except StopIteration:
if len(self.players) <= 0:
print ("Everyone starved")
elif (len(self.players) == 1):
print ("The winner is: " + self.players[0].player.name)
else:
survivors = sorted(self.players, key=lambda player: player.food, reverse=True)
print ("The winner is: " + survivors[0].player.name)
print ("Multiple survivors:")
print (survivors)
break