-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathapi.py
255 lines (220 loc) · 10.3 KB
/
api.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
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
import logging
import endpoints
from protorpc import remote, messages
from google.appengine.api import memcache
from google.appengine.ext import ndb
from google.appengine.api import taskqueue
from models import User, Game, Score
from models import StringMessage, NewGameForm, GameForm, MakeMoveForm,\
ScoreForms, GameForms, UserForm, UserForms
from utils import get_by_urlsafe, check_winner, check_solutions, check_usermove, points_for_valid_solution, stringToTuple
NEW_GAME_REQUEST = endpoints.ResourceContainer(NewGameForm)
GET_GAME_REQUEST = endpoints.ResourceContainer(
urlsafe_game_key=messages.StringField(1),)
MAKE_MOVE_REQUEST = endpoints.ResourceContainer(
MakeMoveForm,
urlsafe_game_key=messages.StringField(1),)
USER_REQUEST = endpoints.ResourceContainer(user_name=messages.StringField(1),
email=messages.StringField(2))
MEMCACHE_MOVES_REMAINING = 'MOVES_REMAINING'
@endpoints.api(name='boggleonlinegame', version='v1')
class boggleGameAPI(remote.Service):
"""Game API"""
@endpoints.method(request_message=USER_REQUEST,
response_message=StringMessage,
path='user',
name='create_user',
http_method='POST')
def create_user(self, request):
"""Create a User. Requires a unique username"""
if User.query(User.name == request.user_name).get():
raise endpoints.ConflictException(
'A User with that name already exists!')
user = User(name=request.user_name, email=request.email)
user.put()
return StringMessage(message='User {} created!'.format(
request.user_name))
@endpoints.method(response_message=UserForms,
path='users',
name='get_users',
http_method='GET')
def get_users(self, request):
"""Return all Users"""
users = User.query().fetch()
if len(users)<1:
raise endpoints.BadRequestException('Users not found!')
return UserForms(items=[user.to_form() for user in users])
@endpoints.method(response_message=UserForms,
path='user/ranking',
name='get_user_rankings',
http_method='GET')
def get_user_rankings(self, request):
"""Return all Users ranked by their win percentage"""
users = User.query(User.total_played > 0).fetch()
users = sorted(users, key=lambda x: x.win_percentage, reverse=True)
return UserForms(items=[user.to_form() for user in users])
@endpoints.method(request_message=NEW_GAME_REQUEST,
response_message=GameForm,
path='game',
name='new_game',
http_method='POST')
def new_game(self, request):
"""Creates new game"""
user_x = User.query(User.name == request.user_x).get()
user_o = User.query(User.name == request.user_o).get()
if not user_x and user_o:
raise endpoints.NotFoundException(
'One of users with that name does not exist!')
# make a new game
game = Game.new_game(user_x.key, user_o.key)
print game
# set user x and user o points to 0
user_x.points = 0
user_o.points = 0
return game.to_form()
@endpoints.method(request_message=GET_GAME_REQUEST,
response_message=GameForm,
path='game/{urlsafe_game_key}',
name='get_game',
http_method='GET')
def get_game(self, request):
"""Return the current game state."""
game = get_by_urlsafe(request.urlsafe_game_key, Game)
if game:
return game.to_form()
else:
raise endpoints.NotFoundException('Game not found!')
@endpoints.method(request_message=USER_REQUEST,
response_message=GameForms,
path='user/games',
name='get_user_games',
http_method='GET')
def get_user_games(self, request):
"""Return all User's active games"""
user = User.query(User.name == request.user_name).get()
if not user:
raise endpoints.BadRequestException('User not found!')
games = Game.query(ndb.OR(Game.user_x == user.key,
Game.user_o == user.key)).\
filter(Game.game_over == False)
return GameForms(items=[game.to_form() for game in games])
@endpoints.method(request_message=GET_GAME_REQUEST,
response_message=StringMessage,
path='game/{urlsafe_game_key}',
name='cancel_game',
http_method='DELETE')
def cancel_game(self, request):
"""Delete a game. Game must not have ended to be deleted"""
game = get_by_urlsafe(request.urlsafe_game_key, Game)
if game and not game.game_over:
game.key.delete()
return StringMessage(message='Game with key: {} deleted.'.
format(request.urlsafe_game_key))
elif game and game.game_over:
raise endpoints.BadRequestException('Game is already over!')
else:
raise endpoints.NotFoundException('Game not found!')
@endpoints.method(request_message=MAKE_MOVE_REQUEST,
response_message=GameForm,
path='game/{urlsafe_game_key}',
name='make_move',
http_method='PUT')
def make_move(self, request):
"""Makes a move. Returns a game state with message"""
winner = False
game = get_by_urlsafe(request.urlsafe_game_key, Game)
if not game:
raise endpoints.NotFoundException('Game not found')
if game.game_over:
raise endpoints.NotFoundException('Game already over')
user = User.query(User.name == request.user_name).get()
if user.key != game.next_move:
raise endpoints.BadRequestException('It\'s not your turn!')
# # Just a dummy signifier, what type of symbol is going down
x = True if user.key == game.user_x else False
# turns move into tuple by executing string
move = stringToTuple(request.move)
user_word = request.word
user_move = (user_word, move)
# Verify move is valid
if not check_usermove(user_move, game):
raise endpoints.BadRequestException('Invalid move! You must enter a valid word and move')
user.points += points_for_valid_solution(user_move)
# Append a move to the history
game.history.append({'Username':user.name, 'Move':user_move, 'Points Scored':user.points})
# remove solution from possible solution
game.all_solutions.remove(user_move)
game.next_move = game.user_o if x else game.user_x
user2 = User.query(User.key == game.next_move).get()
# check for winner if no more moves to play
if check_solutions(game):
if user.points>user2.points:
winner = user.key
elif user.points<user2.points:
winner = user2.key
else:
winner = False
if not winner and check_solutions(game):
# Just delete the game
game.key.delete()
raise endpoints.NotFoundException('Tie game, game deleted!')
if winner:
game.end_game(user.key)
else:
# Send reminder email
taskqueue.add(url='/tasks/send_move_email',
params={'user_key': game.next_move.urlsafe(),
'game_key': game.key.urlsafe()})
game.put()
return game.to_form()
@endpoints.method(request_message=GET_GAME_REQUEST,
response_message=StringMessage,
path='game/{urlsafe_game_key}/history',
name='get_game_history',
http_method='GET')
def get_game_history(self, request):
"""Return a Game's move history"""
game = get_by_urlsafe(request.urlsafe_game_key, Game)
if not game:
raise endpoints.NotFoundException('Game not found')
return StringMessage(message=str(game.history))
@endpoints.method(response_message=ScoreForms,
path='scores',
name='get_scores',
http_method='GET')
def get_scores(self, request):
"""Return all scores"""
return ScoreForms(items=[score.to_form() for score in Score.query()])
@endpoints.method(request_message=USER_REQUEST,
response_message=ScoreForms,
path='scores/user/{user_name}',
name='get_user_scores',
http_method='GET')
def get_user_scores(self, request):
"""Returns all of an individual User's scores"""
user = User.query(User.name == request.user_name).get()
if not user:
raise endpoints.NotFoundException(
'A User with that name does not exist!')
scores = Score.query(ndb.OR(Score.winner == user.key,
Score.loser == user.key))
return ScoreForms(items=[score.to_form() for score in scores])
@endpoints.method(response_message=StringMessage,
path='games/average_attempts',
name='get_average_attempts_remaining',
http_method='GET')
def get_average_attempts(self, request):
"""Get the cached average moves remaining"""
return StringMessage(message=memcache.get(MEMCACHE_MOVES_REMAINING) or '')
@staticmethod
def _cache_average_attempts():
"""Populates memcache with the average moves remaining of Games"""
games = Game.query(Game.game_over == False).fetch()
if games:
count = len(games)
total_attempts_remaining = sum([game.attempts_remaining
for game in games])
average = float(total_attempts_remaining)/count
memcache.set(MEMCACHE_MOVES_REMAINING,
'The average moves remaining is {:.2f}'.format(average))
api = endpoints.api_server([boggleGameAPI])