]> de.git.xonotic.org Git - xonotic/xonstat.git/blob - xonstat/views/player.py
Show player medals on the player_info page.
[xonotic/xonstat.git] / xonstat / views / player.py
1 import datetime
2 import logging
3 import pyramid.httpexceptions
4 import sqlalchemy as sa
5 import sqlalchemy.sql.functions as func
6 import sqlalchemy.sql.expression as expr
7 from calendar import timegm
8 from collections import namedtuple
9 from webhelpers.paginate import Page
10 from xonstat.models import *
11 from xonstat.util import page_url, to_json, pretty_date, datetime_seconds
12 from xonstat.util import is_cake_day, verify_request
13 from xonstat.views.helpers import RecentGame, recent_games_q
14 from urllib import unquote
15
16 log = logging.getLogger(__name__)
17
18
19 def player_index_data(request):
20     if request.params.has_key('page'):
21         current_page = request.params['page']
22     else:
23         current_page = 1
24
25     try:
26         player_q = DBSession.query(Player).\
27                 filter(Player.player_id > 2).\
28                 filter(Player.active_ind == True).\
29                 filter(sa.not_(Player.nick.like('Anonymous Player%'))).\
30                 order_by(Player.player_id.desc())
31
32         players = Page(player_q, current_page, items_per_page=25, url=page_url)
33
34     except Exception as e:
35         players = None
36         raise e
37
38     return {'players':players
39            }
40
41
42 def player_index(request):
43     """
44     Provides a list of all the current players.
45     """
46     return player_index_data(request)
47
48
49 def player_index_json(request):
50     """
51     Provides a list of all the current players. JSON.
52     """
53     return [{'status':'not implemented'}]
54
55
56 def get_games_played(player_id):
57     """
58     Provides a breakdown by gametype of the games played by player_id.
59
60     Returns a list of namedtuples with the following members:
61         - game_type_cd
62         - games
63         - wins
64         - losses
65         - win_pct
66
67     The list itself is ordered by the number of games played
68     """
69     GamesPlayed = namedtuple('GamesPlayed', ['game_type_cd', 'games', 'wins',
70         'losses', 'win_pct'])
71
72     raw_games_played = DBSession.query('game_type_cd', 'wins', 'losses').\
73             from_statement(
74                 "SELECT game_type_cd, "
75                        "SUM(win) wins, "
76                        "SUM(loss) losses "
77                 "FROM   (SELECT g.game_id, "
78                                "g.game_type_cd, "
79                                "CASE "
80                                  "WHEN g.winner = pgs.team THEN 1 "
81                                  "WHEN pgs.scoreboardpos = 1 THEN 1 "
82                                  "ELSE 0 "
83                                "END win, "
84                                "CASE "
85                                  "WHEN g.winner = pgs.team THEN 0 "
86                                  "WHEN pgs.scoreboardpos = 1 THEN 0 "
87                                  "ELSE 1 "
88                                "END loss "
89                         "FROM   games g, "
90                                "player_game_stats pgs "
91                         "WHERE  g.game_id = pgs.game_id "
92                         "AND pgs.player_id = :player_id "
93                         "AND g.players @> ARRAY[:player_id]) win_loss "
94                 "GROUP  BY game_type_cd "
95             ).params(player_id=player_id).all()
96
97     games_played = []
98     overall_games = 0
99     overall_wins = 0
100     overall_losses = 0
101     for row in raw_games_played:
102         games = row.wins + row.losses
103         overall_games += games
104         overall_wins += row.wins
105         overall_losses += row.losses
106         win_pct = float(row.wins)/games * 100
107
108         games_played.append(GamesPlayed(row.game_type_cd, games, row.wins,
109             row.losses, win_pct))
110
111     try:
112         overall_win_pct = float(overall_wins)/overall_games * 100
113     except:
114         overall_win_pct = 0.0
115
116     games_played.append(GamesPlayed('overall', overall_games, overall_wins,
117         overall_losses, overall_win_pct))
118
119     # sort the resulting list by # of games played
120     games_played = sorted(games_played, key=lambda x:x.games)
121     games_played.reverse()
122
123     return games_played
124
125
126 def get_overall_stats(player_id):
127     """
128     Provides a breakdown of stats by gametype played by player_id.
129
130     Returns a dictionary of namedtuples with the following members:
131         - total_kills
132         - total_deaths
133         - k_d_ratio
134         - last_played (last time the player played the game type)
135         - last_played_epoch (same as above, but in seconds since epoch)
136         - last_played_fuzzy (same as above, but in relative date)
137         - total_playing_time (total amount of time played the game type)
138         - total_playing_time_secs (same as the above, but in seconds)
139         - total_pickups (ctf only)
140         - total_captures (ctf only)
141         - cap_ratio (ctf only)
142         - total_carrier_frags (ctf only)
143         - game_type_cd
144         - game_type_descr
145
146     The key to the dictionary is the game type code. There is also an
147     "overall" game_type_cd which sums the totals and computes the total ratios.
148     """
149     OverallStats = namedtuple('OverallStats', ['total_kills', 'total_deaths',
150         'k_d_ratio', 'last_played', 'last_played_epoch', 'last_played_fuzzy',
151         'total_playing_time', 'total_playing_time_secs', 'total_pickups', 'total_captures', 'cap_ratio',
152         'total_carrier_frags', 'game_type_cd', 'game_type_descr'])
153
154     raw_stats = DBSession.query('game_type_cd', 'game_type_descr',
155             'total_kills', 'total_deaths', 'last_played', 'total_playing_time',
156             'total_pickups', 'total_captures', 'total_carrier_frags').\
157             from_statement(
158                 "SELECT g.game_type_cd, "
159                        "gt.descr game_type_descr, "
160                        "Sum(pgs.kills)         total_kills, "
161                        "Sum(pgs.deaths)        total_deaths, "
162                        "Max(pgs.create_dt)     last_played, "
163                        "Sum(pgs.alivetime)     total_playing_time, "
164                        "Sum(pgs.pickups)       total_pickups, "
165                        "Sum(pgs.captures)      total_captures, "
166                        "Sum(pgs.carrier_frags) total_carrier_frags "
167                 "FROM   games g, "
168                        "cd_game_type gt, "
169                        "player_game_stats pgs "
170                 "WHERE  g.game_id = pgs.game_id "
171                   "AND  g.game_type_cd = gt.game_type_cd "
172                   "AND  g.players @> ARRAY[:player_id] "
173                   "AND  pgs.player_id = :player_id "
174                 "GROUP  BY g.game_type_cd, game_type_descr "
175                 "UNION "
176                 "SELECT 'overall'              game_type_cd, "
177                        "'Overall'              game_type_descr, "
178                        "Sum(pgs.kills)         total_kills, "
179                        "Sum(pgs.deaths)        total_deaths, "
180                        "Max(pgs.create_dt)     last_played, "
181                        "Sum(pgs.alivetime)     total_playing_time, "
182                        "Sum(pgs.pickups)       total_pickups, "
183                        "Sum(pgs.captures)      total_captures, "
184                        "Sum(pgs.carrier_frags) total_carrier_frags "
185                 "FROM   player_game_stats pgs "
186                 "WHERE  pgs.player_id = :player_id "
187             ).params(player_id=player_id).all()
188
189     # to be indexed by game_type_cd
190     overall_stats = {}
191
192     for row in raw_stats:
193         # individual gametype ratio calculations
194         try:
195             k_d_ratio = float(row.total_kills)/row.total_deaths
196         except:
197             k_d_ratio = None
198
199         try:
200             cap_ratio = float(row.total_captures)/row.total_pickups
201         except:
202             cap_ratio = None
203
204         # everything else is untouched or "raw"
205         os = OverallStats(total_kills=row.total_kills,
206                 total_deaths=row.total_deaths,
207                 k_d_ratio=k_d_ratio,
208                 last_played=row.last_played,
209                 last_played_epoch=timegm(row.last_played.timetuple()),
210                 last_played_fuzzy=pretty_date(row.last_played),
211                 total_playing_time=row.total_playing_time,
212                 total_playing_time_secs=int(datetime_seconds(row.total_playing_time)),
213                 total_pickups=row.total_pickups,
214                 total_captures=row.total_captures,
215                 cap_ratio=cap_ratio,
216                 total_carrier_frags=row.total_carrier_frags,
217                 game_type_cd=row.game_type_cd,
218                 game_type_descr=row.game_type_descr)
219
220         overall_stats[row.game_type_cd] = os
221
222     # We have to edit "overall" stats to exclude deaths in CTS.
223     # Although we still want to record deaths, they shouldn't
224     # count towards the overall K:D ratio.
225     if 'cts' in overall_stats:
226         os = overall_stats['overall']
227
228         try:
229             k_d_ratio = float(os.total_kills)/(os.total_deaths - overall_stats['cts'].total_deaths)
230         except:
231             k_d_ratio = None
232
233         non_cts_deaths = os.total_deaths - overall_stats['cts'].total_deaths
234
235
236         overall_stats['overall'] = OverallStats(
237                 total_kills             = os.total_kills,
238                 total_deaths            = non_cts_deaths,
239                 k_d_ratio               = k_d_ratio,
240                 last_played             = os.last_played,
241                 last_played_epoch       = os.last_played_epoch,
242                 last_played_fuzzy       = os.last_played_fuzzy,
243                 total_playing_time      = os.total_playing_time,
244                 total_playing_time_secs = os.total_playing_time_secs,
245                 total_pickups           = os.total_pickups,
246                 total_captures          = os.total_captures,
247                 cap_ratio               = os.cap_ratio,
248                 total_carrier_frags     = os.total_carrier_frags,
249                 game_type_cd            = os.game_type_cd,
250                 game_type_descr         = os.game_type_descr)
251
252     return overall_stats
253
254
255 def get_fav_maps(player_id, game_type_cd=None):
256     """
257     Provides a breakdown of favorite maps by gametype.
258
259     Returns a dictionary of namedtuples with the following members:
260         - game_type_cd
261         - map_name (map name)
262         - map_id
263         - times_played
264
265     The favorite map is defined as the map you've played the most
266     for the given game_type_cd.
267
268     The key to the dictionary is the game type code. There is also an
269     "overall" game_type_cd which is the overall favorite map. This is
270     defined as the favorite map of the game type you've played the
271     most. The input parameter game_type_cd is for this.
272     """
273     FavMap = namedtuple('FavMap', ['map_name', 'map_id', 'times_played', 'game_type_cd'])
274
275     raw_favs = DBSession.query('game_type_cd', 'map_name',
276             'map_id', 'times_played').\
277             from_statement(
278                 "SELECT game_type_cd, "
279                        "name map_name, "
280                        "map_id, "
281                        "times_played "
282                 "FROM   (SELECT g.game_type_cd, "
283                                "m.name, "
284                                "m.map_id, "
285                                "Count(*) times_played, "
286                                "Row_number() "
287                                  "OVER ( "
288                                    "partition BY g.game_type_cd "
289                                    "ORDER BY Count(*) DESC, m.map_id ASC) rank "
290                         "FROM   games g, "
291                                "player_game_stats pgs, "
292                                "maps m "
293                         "WHERE  g.game_id = pgs.game_id "
294                                "AND g.map_id = m.map_id "
295                                "AND g.players @> ARRAY[:player_id]"
296                                "AND pgs.player_id = :player_id "
297                         "GROUP  BY g.game_type_cd, "
298                                   "m.map_id, "
299                                   "m.name) most_played "
300                 "WHERE  rank = 1 "
301                 "ORDER BY  times_played desc "
302             ).params(player_id=player_id).all()
303
304     fav_maps = {}
305     overall_fav = None
306     for row in raw_favs:
307         fv = FavMap(map_name=row.map_name,
308             map_id=row.map_id,
309             times_played=row.times_played,
310             game_type_cd=row.game_type_cd)
311
312         # if we aren't given a favorite game_type_cd
313         # then the overall favorite is the one we've
314         # played the most
315         if overall_fav is None:
316             fav_maps['overall'] = fv
317             overall_fav = fv.game_type_cd
318
319         # otherwise it is the favorite map from the
320         # favorite game_type_cd (provided as a param)
321         # and we'll overwrite the first dict entry
322         if game_type_cd == fv.game_type_cd:
323             fav_maps['overall'] = fv
324
325         fav_maps[row.game_type_cd] = fv
326
327     return fav_maps
328
329
330 def get_ranks(player_id):
331     """
332     Provides a breakdown of the player's ranks by game type.
333
334     Returns a dictionary of namedtuples with the following members:
335         - game_type_cd
336         - rank
337         - max_rank
338
339     The key to the dictionary is the game type code. There is also an
340     "overall" game_type_cd which is the overall best rank.
341     """
342     Rank = namedtuple('Rank', ['rank', 'max_rank', 'percentile', 'game_type_cd'])
343
344     raw_ranks = DBSession.query("game_type_cd", "rank", "max_rank").\
345             from_statement(
346                 "select pr.game_type_cd, pr.rank, overall.max_rank "
347                 "from player_ranks pr,  "
348                    "(select game_type_cd, max(rank) max_rank "
349                     "from player_ranks  "
350                     "group by game_type_cd) overall "
351                 "where pr.game_type_cd = overall.game_type_cd  "
352                 "and max_rank > 1 "
353                 "and player_id = :player_id "
354                 "order by rank").\
355             params(player_id=player_id).all()
356
357     ranks = {}
358     found_top_rank = False
359     for row in raw_ranks:
360         rank = Rank(rank=row.rank,
361             max_rank=row.max_rank,
362             percentile=100 - 100*float(row.rank-1)/(row.max_rank-1),
363             game_type_cd=row.game_type_cd)
364
365
366         if not found_top_rank:
367             ranks['overall'] = rank
368             found_top_rank = True
369         elif rank.percentile > ranks['overall'].percentile:
370             ranks['overall'] = rank
371
372         ranks[row.game_type_cd] = rank
373
374     return ranks;
375
376
377 def get_elos(player_id):
378     """
379     Provides a breakdown of the player's elos by game type.
380
381     Returns a dictionary of namedtuples with the following members:
382         - player_id
383         - game_type_cd
384         - games
385         - elo
386
387     The key to the dictionary is the game type code. There is also an
388     "overall" game_type_cd which is the overall best rank.
389     """
390     raw_elos = DBSession.query(PlayerElo).filter_by(player_id=player_id).\
391             order_by(PlayerElo.elo.desc()).all()
392
393     elos = {}
394     found_max_elo = False
395     for row in raw_elos:
396         if not found_max_elo:
397             elos['overall'] = row
398             found_max_elo = True
399
400         elos[row.game_type_cd] = row
401
402     return elos
403
404
405 def get_recent_games(player_id, limit=10):
406     """
407     Provides a list of recent games for a player. Uses the recent_games_q helper.
408     """
409     # recent games played in descending order
410     rgs = recent_games_q(player_id=player_id, force_player_id=True).limit(limit).all()
411     recent_games = [RecentGame(row) for row in rgs]
412
413     return recent_games
414
415
416 def get_accuracy_stats(player_id, weapon_cd, games):
417     """
418     Provides accuracy for weapon_cd by player_id for the past N games.
419     """
420     # Reaching back 90 days should give us an accurate enough average
421     # We then multiply this out for the number of data points (games) to
422     # create parameters for a flot graph
423     try:
424         raw_avg = DBSession.query(func.sum(PlayerWeaponStat.hit),
425                 func.sum(PlayerWeaponStat.fired)).\
426                 filter(PlayerWeaponStat.player_id == player_id).\
427                 filter(PlayerWeaponStat.weapon_cd == weapon_cd).\
428                 one()
429
430         avg = round(float(raw_avg[0])/raw_avg[1]*100, 2)
431
432         # Determine the raw accuracy (hit, fired) numbers for $games games
433         # This is then enumerated to create parameters for a flot graph
434         raw_accs = DBSession.query(PlayerWeaponStat.game_id,
435             PlayerWeaponStat.hit, PlayerWeaponStat.fired).\
436                 filter(PlayerWeaponStat.player_id == player_id).\
437                 filter(PlayerWeaponStat.weapon_cd == weapon_cd).\
438                 order_by(PlayerWeaponStat.game_id.desc()).\
439                 limit(games).\
440                 all()
441
442         # they come out in opposite order, so flip them in the right direction
443         raw_accs.reverse()
444
445         accs = []
446         for i in range(len(raw_accs)):
447             accs.append((raw_accs[i][0], round(float(raw_accs[i][1])/raw_accs[i][2]*100, 2)))
448     except:
449         accs = []
450         avg = 0.0
451
452     return (avg, accs)
453
454
455 def get_damage_stats(player_id, weapon_cd, games):
456     """
457     Provides damage info for weapon_cd by player_id for the past N games.
458     """
459     try:
460         raw_avg = DBSession.query(func.sum(PlayerWeaponStat.actual),
461                 func.sum(PlayerWeaponStat.hit)).\
462                 filter(PlayerWeaponStat.player_id == player_id).\
463                 filter(PlayerWeaponStat.weapon_cd == weapon_cd).\
464                 one()
465
466         avg = round(float(raw_avg[0])/raw_avg[1], 2)
467
468         # Determine the damage efficiency (hit, fired) numbers for $games games
469         # This is then enumerated to create parameters for a flot graph
470         raw_dmgs = DBSession.query(PlayerWeaponStat.game_id,
471             PlayerWeaponStat.actual, PlayerWeaponStat.hit).\
472                 filter(PlayerWeaponStat.player_id == player_id).\
473                 filter(PlayerWeaponStat.weapon_cd == weapon_cd).\
474                 order_by(PlayerWeaponStat.game_id.desc()).\
475                 limit(games).\
476                 all()
477
478         # they come out in opposite order, so flip them in the right direction
479         raw_dmgs.reverse()
480
481         dmgs = []
482         for i in range(len(raw_dmgs)):
483             # try to derive, unless we've hit nothing then set to 0!
484             try:
485                 dmg = round(float(raw_dmgs[i][1])/raw_dmgs[i][2], 2)
486             except:
487                 dmg = 0.0
488
489             dmgs.append((raw_dmgs[i][0], dmg))
490     except Exception as e:
491         dmgs = []
492         avg = 0.0
493
494     return (avg, dmgs)
495
496
497 def get_player_medals(player_id):
498     """Retrieves the list of medals the player has received from tournaments or
499     other contests."""
500     try:
501         medals = DBSession.query(PlayerMedal)\
502                 .filter(PlayerMedal.player_id==player_id)\
503                 .order_by(PlayerMedal.place)\
504                 .order_by(PlayerMedal.create_dt)\
505                 .all()
506
507         return medals
508     
509     except Exception as e:
510         log.debug(e)
511         return []
512
513
514 def player_info_data(request):
515     player_id = int(request.matchdict['id'])
516     if player_id <= 2:
517         player_id = -1;
518
519     try:
520         player = DBSession.query(Player).filter_by(player_id=player_id).\
521                 filter(Player.active_ind == True).one()
522
523         games_played   = get_games_played(player_id)
524         overall_stats  = get_overall_stats(player_id)
525         fav_maps       = get_fav_maps(player_id)
526         elos           = get_elos(player_id)
527         ranks          = get_ranks(player_id)
528         medals         = get_player_medals(player_id)
529         recent_games   = get_recent_games(player_id)
530         cake_day       = is_cake_day(player.create_dt)
531
532     except Exception as e:
533         raise pyramid.httpexceptions.HTTPNotFound
534
535         ## do not raise application exceptions here (only for debugging)
536         # raise e
537
538     return {'player':player,
539             'games_played':games_played,
540             'overall_stats':overall_stats,
541             'fav_maps':fav_maps,
542             'elos':elos,
543             'ranks':ranks,
544             'medals':medals,
545             'recent_games':recent_games,
546             'cake_day':cake_day,
547             }
548
549
550 def player_info(request):
551     """
552     Provides detailed information on a specific player
553     """
554     return player_info_data(request)
555
556
557 def player_info_json(request):
558     """
559     Provides detailed information on a specific player. JSON.
560     """
561
562     # All player_info fields are converted into JSON-formattable dictionaries
563     player_info = player_info_data(request)
564
565     player = player_info['player'].to_dict()
566
567     games_played = {}
568     for game in player_info['games_played']:
569         games_played[game.game_type_cd] = to_json(game)
570
571     overall_stats = {}
572     for gt,stats in player_info['overall_stats'].items():
573         overall_stats[gt] = to_json(stats)
574
575     elos = {}
576     for gt,elo in player_info['elos'].items():
577         elos[gt] = to_json(elo.to_dict())
578
579     ranks = {}
580     for gt,rank in player_info['ranks'].items():
581         ranks[gt] = to_json(rank)
582
583     fav_maps = {}
584     for gt,mapinfo in player_info['fav_maps'].items():
585         fav_maps[gt] = to_json(mapinfo)
586
587     recent_games = [g.to_dict() for g in player_info['recent_games']]
588
589     return [{
590         'player':           player,
591         'games_played':     games_played,
592         'overall_stats':    overall_stats,
593         'fav_maps':         fav_maps,
594         'elos':             elos,
595         'ranks':            ranks,
596         'recent_games':     recent_games,
597     }]
598
599
600 def player_game_index_data(request):
601     try:
602         player_id = int(request.matchdict['player_id'])
603     except:
604         player_id = -1
605
606     game_type_cd = None
607     game_type_descr = None
608
609     if request.params.has_key('type'):
610         game_type_cd = request.params['type']
611         try:
612             game_type_descr = DBSession.query(GameType.descr).\
613                 filter(GameType.game_type_cd == game_type_cd).\
614                 one()[0]
615         except Exception as e:
616             pass
617
618     else:
619         game_type_cd = None
620         game_type_descr = None
621
622     if request.params.has_key('page'):
623         current_page = request.params['page']
624     else:
625         current_page = 1
626
627     try:
628         player = DBSession.query(Player).\
629                 filter_by(player_id=player_id).\
630                 filter(Player.active_ind == True).\
631                 one()
632
633         rgs_q = recent_games_q(player_id=player.player_id,
634             force_player_id=True, game_type_cd=game_type_cd)
635
636         games = Page(rgs_q, current_page, items_per_page=20, url=page_url)
637
638         # replace the items in the canned pagination class with more rich ones
639         games.items = [RecentGame(row) for row in games.items]
640
641         games_played = get_games_played(player_id)
642
643     except Exception as e:
644         raise e
645         player = None
646         games = None
647         game_type_cd = None
648         game_type_descr = None
649         games_played = None
650
651     return {
652             'player_id':player.player_id,
653             'player':player,
654             'games':games,
655             'game_type_cd':game_type_cd,
656             'game_type_descr':game_type_descr,
657             'games_played':games_played,
658            }
659
660
661 def player_game_index(request):
662     """
663     Provides an index of the games in which a particular
664     player was involved. This is ordered by game_id, with
665     the most recent game_ids first. Paginated.
666     """
667     return player_game_index_data(request)
668
669
670 def player_game_index_json(request):
671     """
672     Provides an index of the games in which a particular
673     player was involved. This is ordered by game_id, with
674     the most recent game_ids first. Paginated. JSON.
675     """
676     return [{'status':'not implemented'}]
677
678
679 def player_accuracy_data(request):
680     player_id = request.matchdict['id']
681     allowed_weapons = ['nex', 'rifle', 'shotgun', 'uzi', 'minstanex']
682     weapon_cd = 'nex'
683     games = 20
684
685     if request.params.has_key('weapon'):
686         if request.params['weapon'] in allowed_weapons:
687             weapon_cd = request.params['weapon']
688
689     if request.params.has_key('games'):
690         try:
691             games = request.params['games']
692
693             if games < 0:
694                 games = 20
695             if games > 50:
696                 games = 50
697         except:
698             games = 20
699
700     (avg, accs) = get_accuracy_stats(player_id, weapon_cd, games)
701
702     # if we don't have enough data for the given weapon
703     if len(accs) < games:
704         games = len(accs)
705
706     return {
707             'player_id':player_id,
708             'player_url':request.route_url('player_info', id=player_id),
709             'weapon':weapon_cd,
710             'games':games,
711             'avg':avg,
712             'accs':accs
713             }
714
715
716 def player_accuracy(request):
717     """
718     Provides the accuracy for the given weapon. (JSON only)
719     """
720     return player_accuracy_data(request)
721
722
723 def player_accuracy_json(request):
724     """
725     Provides a JSON response representing the accuracy for the given weapon.
726
727     Parameters:
728        weapon = which weapon to display accuracy for. Valid values are 'nex',
729                 'shotgun', 'uzi', and 'minstanex'.
730        games = over how many games to display accuracy. Can be up to 50.
731     """
732     return player_accuracy_data(request)
733
734
735 def player_damage_data(request):
736     player_id = request.matchdict['id']
737     allowed_weapons = ['grenadelauncher', 'electro', 'crylink', 'hagar',
738             'rocketlauncher', 'laser']
739     weapon_cd = 'rocketlauncher'
740     games = 20
741
742     if request.params.has_key('weapon'):
743         if request.params['weapon'] in allowed_weapons:
744             weapon_cd = request.params['weapon']
745
746     if request.params.has_key('games'):
747         try:
748             games = request.params['games']
749
750             if games < 0:
751                 games = 20
752             if games > 50:
753                 games = 50
754         except:
755             games = 20
756
757     (avg, dmgs) = get_damage_stats(player_id, weapon_cd, games)
758
759     # if we don't have enough data for the given weapon
760     if len(dmgs) < games:
761         games = len(dmgs)
762
763     return {
764             'player_id':player_id,
765             'player_url':request.route_url('player_info', id=player_id),
766             'weapon':weapon_cd,
767             'games':games,
768             'avg':avg,
769             'dmgs':dmgs
770             }
771
772
773 def player_damage_json(request):
774     """
775     Provides a JSON response representing the damage for the given weapon.
776
777     Parameters:
778        weapon = which weapon to display damage for. Valid values are
779          'grenadelauncher', 'electro', 'crylink', 'hagar', 'rocketlauncher',
780          'laser'.
781        games = over how many games to display damage. Can be up to 50.
782     """
783     return player_damage_data(request)
784
785
786 def player_hashkey_info_data(request):
787     # hashkey = request.matchdict['hashkey']
788
789     # the incoming hashkey is double quoted, and WSGI unquotes once...
790     # hashkey = unquote(hashkey)
791
792     # if using request verification to obtain the hashkey
793     (idfp, status) = verify_request(request)
794     log.debug("d0_blind_id verification: idfp={0} status={1}\n".format(idfp, status))
795
796     log.debug("\n----- BEGIN REQUEST BODY -----\n" + request.body +
797             "----- END REQUEST BODY -----\n\n")
798
799     # if config is to *not* verify requests and we get nothing back, this
800     # query will return nothing and we'll 404.
801     try:
802         player = DBSession.query(Player).\
803                 filter(Player.player_id == Hashkey.player_id).\
804                 filter(Player.active_ind == True).\
805                 filter(Hashkey.hashkey == idfp).one()
806
807         games_played      = get_games_played(player.player_id)
808         overall_stats     = get_overall_stats(player.player_id)
809         fav_maps          = get_fav_maps(player.player_id)
810         elos              = get_elos(player.player_id)
811         ranks             = get_ranks(player.player_id)
812         most_recent_game  = get_recent_games(player.player_id, 1)[0]
813
814     except Exception as e:
815         raise pyramid.httpexceptions.HTTPNotFound
816
817     return {'player':player,
818             'hashkey':idfp,
819             'games_played':games_played,
820             'overall_stats':overall_stats,
821             'fav_maps':fav_maps,
822             'elos':elos,
823             'ranks':ranks,
824             'most_recent_game':most_recent_game,
825             }
826
827
828 def player_hashkey_info_json(request):
829     """
830     Provides detailed information on a specific player. JSON.
831     """
832
833     # All player_info fields are converted into JSON-formattable dictionaries
834     player_info = player_hashkey_info_data(request)
835
836     player = player_info['player'].to_dict()
837
838     games_played = {}
839     for game in player_info['games_played']:
840         games_played[game.game_type_cd] = to_json(game)
841
842     overall_stats = {}
843     for gt,stats in player_info['overall_stats'].items():
844         overall_stats[gt] = to_json(stats)
845
846     elos = {}
847     for gt,elo in player_info['elos'].items():
848         elos[gt] = to_json(elo.to_dict())
849
850     ranks = {}
851     for gt,rank in player_info['ranks'].items():
852         ranks[gt] = to_json(rank)
853
854     fav_maps = {}
855     for gt,mapinfo in player_info['fav_maps'].items():
856         fav_maps[gt] = to_json(mapinfo)
857
858     most_recent_game = to_json(player_info['most_recent_game'])
859
860     return [{
861         'version':          1,
862         'player':           player,
863         'games_played':     games_played,
864         'overall_stats':    overall_stats,
865         'fav_maps':         fav_maps,
866         'elos':             elos,
867         'ranks':            ranks,
868         'most_recent_game': most_recent_game,
869     }]
870
871
872 def player_hashkey_info_text(request):
873     """
874     Provides detailed information on a specific player. Plain text.
875     """
876     # UTC epoch
877     now = timegm(datetime.datetime.utcnow().timetuple())
878
879     # All player_info fields are converted into JSON-formattable dictionaries
880     player_info = player_hashkey_info_data(request)
881
882     # gather all of the data up into aggregate structures
883     player = player_info['player']
884     games_played = player_info['games_played']
885     overall_stats = player_info['overall_stats']
886     elos = player_info['elos']
887     ranks = player_info['ranks']
888     fav_maps = player_info['fav_maps']
889     most_recent_game = player_info['most_recent_game']
890
891     # one-offs for things needing conversion for text/plain
892     player_joined = timegm(player.create_dt.timetuple())
893     player_joined_dt = player.create_dt
894     alivetime = int(datetime_seconds(overall_stats['overall'].total_playing_time))
895
896     # this is a plain text response, if we don't do this here then
897     # Pyramid will assume html
898     request.response.content_type = 'text/plain'
899
900     return {
901         'version':          1,
902         'now':              now,
903         'player':           player,
904         'hashkey':          player_info['hashkey'],
905         'player_joined':    player_joined,
906         'player_joined_dt': player_joined_dt,
907         'games_played':     games_played,
908         'overall_stats':    overall_stats,
909         'alivetime':        alivetime,
910         'fav_maps':         fav_maps,
911         'elos':             elos,
912         'ranks':            ranks,
913         'most_recent_game': most_recent_game,
914     }
915
916
917 def player_elo_info_data(request):
918     """
919     Provides elo information on a specific player. Raw data is returned.
920     """
921     (idfp, status) = verify_request(request)
922     log.debug("d0_blind_id verification: idfp={0} status={1}\n".format(idfp, status))
923
924     log.debug("\n----- BEGIN REQUEST BODY -----\n" + request.body +
925             "----- END REQUEST BODY -----\n\n")
926
927     hashkey = request.matchdict['hashkey']
928
929     # the incoming hashkey is double quoted, and WSGI unquotes once...
930     hashkey = unquote(hashkey)
931
932     try:
933         player = DBSession.query(Player).\
934                 filter(Player.player_id == Hashkey.player_id).\
935                 filter(Player.active_ind == True).\
936                 filter(Hashkey.hashkey == hashkey).one()
937
938         elos = get_elos(player.player_id)
939
940     except Exception as e:
941         log.debug(e)
942         raise pyramid.httpexceptions.HTTPNotFound
943
944     return {
945         'hashkey':hashkey,
946         'player':player,
947         'elos':elos,
948     }
949
950
951 def player_elo_info_json(request):
952     """
953     Provides elo information on a specific player. JSON.
954     """
955     elo_info = player_elo_info_data(request)
956
957     player = player_info['player'].to_dict()
958
959     elos = {}
960     for gt, elo in elo_info['elos'].items():
961         elos[gt] = to_json(elo.to_dict())
962
963     return [{
964         'version':          1,
965         'player':           player,
966         'elos':             elos,
967     }]
968
969
970 def player_elo_info_text(request):
971     """
972     Provides elo information on a specific player. Plain text.
973     """
974     # UTC epoch
975     now = timegm(datetime.datetime.utcnow().timetuple())
976
977     # All player_info fields are converted into JSON-formattable dictionaries
978     elo_info = player_elo_info_data(request)
979
980     # this is a plain text response, if we don't do this here then
981     # Pyramid will assume html
982     request.response.content_type = 'text/plain'
983
984     return {
985         'version':          1,
986         'now':              now,
987         'hashkey':          elo_info['hashkey'],
988         'player':           elo_info['player'],
989         'elos':             elo_info['elos'],
990     }
991
992
993 def player_captimes_data(request):
994     player_id = int(request.matchdict['player_id'])
995     if player_id <= 2:
996         player_id = -1;
997
998     page = request.params.get("page", 1)
999
1000     sort = request.params.get("sort", "create_dt")
1001
1002     try:
1003         player = DBSession.query(Player).filter_by(player_id=player_id).one()
1004
1005         pct_q = DBSession.query(PlayerCaptime.fastest_cap, PlayerCaptime.create_dt,
1006                 PlayerCaptime.player_id, PlayerCaptime.game_id, PlayerCaptime.map_id,
1007                 Map.name.label('map_name'), Game.server_id, Server.name.label('server_name')).\
1008                 filter(PlayerCaptime.player_id==player_id).\
1009                 filter(PlayerCaptime.game_id==Game.game_id).\
1010                 filter(PlayerCaptime.map_id==Map.map_id).\
1011                 filter(Game.server_id==Server.server_id)
1012
1013         if sort == "fastest":
1014             pct_q = pct_q.order_by(PlayerCaptime.fastest_cap)
1015         else:
1016             sort = "create_dt"
1017             pct_q = pct_q.order_by(expr.desc(PlayerCaptime.create_dt))
1018
1019     except Exception as e:
1020         raise pyramid.httpexceptions.HTTPNotFound
1021
1022     captimes = Page(pct_q, page, items_per_page=20, url=page_url)
1023
1024     # replace the items in the canned pagination class with more rich ones
1025     captimes.items = [PlayerCapTime(row) for row in captimes.items]
1026
1027     return {
1028             "player_id" : player_id,
1029             "player"    : player,
1030             "captimes"  : captimes,
1031             "page"      : page,
1032             "sort"      : sort,
1033         }
1034
1035
1036 def player_captimes(request):
1037     return player_captimes_data(request)
1038
1039
1040 def player_captimes_json(request):
1041     data = player_captimes_data(request)
1042     page = request.params.get("page", 1)
1043
1044     # perform any necessary JSON conversions
1045     player_id = data["player_id"]
1046     player = data["player"].to_dict()
1047     captimes = [ct.to_dict() for ct in data["captimes"].items]
1048
1049     return {
1050             "player"    : player,
1051             "captimes"  : captimes,
1052             "page"      : page,
1053             }
1054
1055
1056 def player_weaponstats_data_json(request):
1057     player_id = int(request.matchdict["id"])
1058     if player_id <= 2:
1059         player_id = -1;
1060
1061     game_type_cd = request.params.get("game_type", None)
1062     if game_type_cd == "overall":
1063         game_type_cd = None
1064
1065     limit = 20
1066     if request.params.has_key("limit"):
1067         limit = int(request.params["limit"])
1068
1069         if limit < 0:
1070             limit = 20
1071         if limit > 50:
1072             limit = 50
1073
1074
1075     # the game_ids of the most recently played ones 
1076     # of the given game type is used for a subquery
1077     games_list = DBSession.query(Game.game_id).\
1078             filter(Game.players.contains([player_id]))
1079
1080     if game_type_cd is not None:
1081         games_list = games_list.filter(Game.game_type_cd == game_type_cd)
1082
1083     games_list = games_list.order_by(Game.game_id.desc()).limit(limit)
1084
1085     weapon_stats_raw = DBSession.query(PlayerWeaponStat).\
1086         filter(PlayerWeaponStat.player_id == player_id).\
1087         filter(PlayerWeaponStat.game_id.in_(games_list)).\
1088         all()
1089
1090     games_to_weapons = {}
1091     weapons_used = {}
1092     sum_avgs = {}
1093     for ws in weapon_stats_raw:
1094         if ws.game_id not in games_to_weapons:
1095             games_to_weapons[ws.game_id] = [ws.weapon_cd]
1096         else:
1097             games_to_weapons[ws.game_id].append(ws.weapon_cd)
1098
1099         weapons_used[ws.weapon_cd] = weapons_used.get(ws.weapon_cd, 0) + 1
1100         sum_avgs[ws.weapon_cd] = sum_avgs.get(ws.weapon_cd, 0) + float(ws.hit)/float(ws.fired)
1101
1102     # Creating zero-valued weapon stat entries for games where a weapon was not
1103     # used in that game, but was used in another game for the set. This makes 
1104     # the charts look smoother
1105     for game_id in games_to_weapons.keys():
1106         for weapon_cd in set(weapons_used.keys()) - set(games_to_weapons[game_id]):
1107             weapon_stats_raw.append(PlayerWeaponStat(player_id=player_id,
1108                 game_id=game_id, weapon_cd=weapon_cd))
1109
1110     # averages for the weapons used in the range
1111     avgs = {}
1112     for w in weapons_used.keys():
1113         avgs[w] = round(sum_avgs[w]/float(weapons_used[w])*100, 2)
1114
1115     weapon_stats_raw = sorted(weapon_stats_raw, key = lambda x: x.game_id)
1116     games            = sorted(games_to_weapons.keys())
1117     weapon_stats     = [ws.to_dict() for ws in weapon_stats_raw]
1118
1119     return {
1120         "weapon_stats": weapon_stats,
1121         "weapons_used": weapons_used.keys(),
1122         "games": games,
1123         "averages": avgs,
1124     }
1125
1126
1127 def player_versus_data(request):
1128     try:
1129         p1_id = int(request.params.get("p1", None))
1130         p2_id = int(request.params.get("p2", None))
1131
1132         p1_wins = 0
1133         p2_wins = 0
1134
1135         players = DBSession.query(Player).filter(sa.or_(Player.player_id ==
1136             p1_id, Player.player_id == p2_id)).order_by(Player.player_id).all()
1137
1138
1139         if len(players) < 2:
1140             raise Exception("Not enough players found.")
1141
1142         # assign the players from the array retrieved above
1143         if players[0].player_id == p1_id:
1144             p1 = players[0]
1145             p2 = players[1]
1146         else:
1147             p1 = players[1]
1148             p2 = players[0]
1149
1150         # note that wins and losses are from p1's perspective
1151         win_loss_sql = """select win_loss, count(1)
1152             from (
1153               select case 
1154                 when pgsp1.score >= pgsp2.score then 'win' 
1155                 else 'loss' 
1156               end win_loss
1157               from games g join player_game_stats pgsp1 
1158                 on g.game_id = pgsp1.game_id and pgsp1.player_id = :p1
1159               join player_game_stats pgsp2 
1160                 on g.game_id = pgsp2.game_id and pgsp2.player_id = :p2
1161               where g.players @> ARRAY[:p1,:p2]
1162               and g.game_type_cd = 'duel'
1163               and pgsp1.create_dt between g.create_dt - interval '1 hour' 
1164                 and g.create_dt + interval '1 hour'
1165               and pgsp2.create_dt between g.create_dt - interval '1 hour' 
1166                 and g.create_dt + interval '1 hour'
1167             ) wl
1168             group by win_loss
1169             """
1170
1171         wins_losses = DBSession.query("win_loss", "count").\
1172                 from_statement(win_loss_sql).\
1173                 params(p1=p1_id, p2=p2_id).all()
1174
1175         for row in wins_losses:
1176             if row.win_loss == "win":
1177                 p1_wins = row.count
1178             elif row.win_loss == "loss":
1179                 p2_wins = row.count
1180
1181         # grab the 20 most recent games between the two
1182         rgs_raw = recent_games_q(player_id=p1_id, player_id_2=p2_id, 
1183                 game_type_cd="duel").limit(20).all()
1184
1185         rgs = [RecentGame(row) for row in rgs_raw]
1186
1187     except Exception as e:
1188         log.debug(e)
1189
1190         p1_id = None
1191         p2_id = None
1192         p1 = None
1193         p2 = None
1194         p1_wins = None
1195         p2_wins = None
1196         rgs = None
1197
1198     return {
1199             "p1_id" : p1_id,
1200             "p2_id" : p2_id,
1201             "p1" : p1,
1202             "p2" : p2,
1203             "p1_wins" : p1_wins,
1204             "p2_wins" : p2_wins,
1205             "recent_games" : rgs,
1206         }
1207
1208
1209 def player_versus(request):
1210     return player_versus_data(request)