]> de.git.xonotic.org Git - xonotic/xonstat.git/blob - xonstat/views/player.py
Change verbiage about the weapon zero-values.
[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) win_loss "
93                 "GROUP  BY game_type_cd "
94             ).params(player_id=player_id).all()
95
96     games_played = []
97     overall_games = 0
98     overall_wins = 0
99     overall_losses = 0
100     for row in raw_games_played:
101         games = row.wins + row.losses
102         overall_games += games
103         overall_wins += row.wins
104         overall_losses += row.losses
105         win_pct = float(row.wins)/games * 100
106
107         games_played.append(GamesPlayed(row.game_type_cd, games, row.wins,
108             row.losses, win_pct))
109
110     try:
111         overall_win_pct = float(overall_wins)/overall_games * 100
112     except:
113         overall_win_pct = 0.0
114
115     games_played.append(GamesPlayed('overall', overall_games, overall_wins,
116         overall_losses, overall_win_pct))
117
118     # sort the resulting list by # of games played
119     games_played = sorted(games_played, key=lambda x:x.games)
120     games_played.reverse()
121     return games_played
122
123
124 def get_overall_stats(player_id):
125     """
126     Provides a breakdown of stats by gametype played by player_id.
127
128     Returns a dictionary of namedtuples with the following members:
129         - total_kills
130         - total_deaths
131         - k_d_ratio
132         - last_played (last time the player played the game type)
133         - last_played_epoch (same as above, but in seconds since epoch)
134         - last_played_fuzzy (same as above, but in relative date)
135         - total_playing_time (total amount of time played the game type)
136         - total_playing_time_secs (same as the above, but in seconds)
137         - total_pickups (ctf only)
138         - total_captures (ctf only)
139         - cap_ratio (ctf only)
140         - total_carrier_frags (ctf only)
141         - game_type_cd
142         - game_type_descr
143
144     The key to the dictionary is the game type code. There is also an
145     "overall" game_type_cd which sums the totals and computes the total ratios.
146     """
147     OverallStats = namedtuple('OverallStats', ['total_kills', 'total_deaths',
148         'k_d_ratio', 'last_played', 'last_played_epoch', 'last_played_fuzzy',
149         'total_playing_time', 'total_playing_time_secs', 'total_pickups', 'total_captures', 'cap_ratio',
150         'total_carrier_frags', 'game_type_cd', 'game_type_descr'])
151
152     raw_stats = DBSession.query('game_type_cd', 'game_type_descr',
153             'total_kills', 'total_deaths', 'last_played', 'total_playing_time',
154             'total_pickups', 'total_captures', 'total_carrier_frags').\
155             from_statement(
156                 "SELECT g.game_type_cd, "
157                        "gt.descr game_type_descr, "
158                        "Sum(pgs.kills)         total_kills, "
159                        "Sum(pgs.deaths)        total_deaths, "
160                        "Max(pgs.create_dt)     last_played, "
161                        "Sum(pgs.alivetime)     total_playing_time, "
162                        "Sum(pgs.pickups)       total_pickups, "
163                        "Sum(pgs.captures)      total_captures, "
164                        "Sum(pgs.carrier_frags) total_carrier_frags "
165                 "FROM   games g, "
166                        "cd_game_type gt, "
167                        "player_game_stats pgs "
168                 "WHERE  g.game_id = pgs.game_id "
169                   "AND  g.game_type_cd = gt.game_type_cd "
170                   "AND  pgs.player_id = :player_id "
171                 "GROUP  BY g.game_type_cd, game_type_descr "
172                 "UNION "
173                 "SELECT 'overall'              game_type_cd, "
174                        "'Overall'              game_type_descr, "
175                        "Sum(pgs.kills)         total_kills, "
176                        "Sum(pgs.deaths)        total_deaths, "
177                        "Max(pgs.create_dt)     last_played, "
178                        "Sum(pgs.alivetime)     total_playing_time, "
179                        "Sum(pgs.pickups)       total_pickups, "
180                        "Sum(pgs.captures)      total_captures, "
181                        "Sum(pgs.carrier_frags) total_carrier_frags "
182                 "FROM   player_game_stats pgs "
183                 "WHERE  pgs.player_id = :player_id "
184             ).params(player_id=player_id).all()
185
186     # to be indexed by game_type_cd
187     overall_stats = {}
188
189     for row in raw_stats:
190         # individual gametype ratio calculations
191         try:
192             k_d_ratio = float(row.total_kills)/row.total_deaths
193         except:
194             k_d_ratio = None
195
196         try:
197             cap_ratio = float(row.total_captures)/row.total_pickups
198         except:
199             cap_ratio = None
200
201         # everything else is untouched or "raw"
202         os = OverallStats(total_kills=row.total_kills,
203                 total_deaths=row.total_deaths,
204                 k_d_ratio=k_d_ratio,
205                 last_played=row.last_played,
206                 last_played_epoch=timegm(row.last_played.timetuple()),
207                 last_played_fuzzy=pretty_date(row.last_played),
208                 total_playing_time=row.total_playing_time,
209                 total_playing_time_secs=int(datetime_seconds(row.total_playing_time)),
210                 total_pickups=row.total_pickups,
211                 total_captures=row.total_captures,
212                 cap_ratio=cap_ratio,
213                 total_carrier_frags=row.total_carrier_frags,
214                 game_type_cd=row.game_type_cd,
215                 game_type_descr=row.game_type_descr)
216
217         overall_stats[row.game_type_cd] = os
218
219     # We have to edit "overall" stats to exclude deaths in CTS.
220     # Although we still want to record deaths, they shouldn't
221     # count towards the overall K:D ratio.
222     if 'cts' in overall_stats:
223         os = overall_stats['overall']
224
225         try:
226             k_d_ratio = float(os.total_kills)/(os.total_deaths - overall_stats['cts'].total_deaths)
227         except:
228             k_d_ratio = None
229
230         non_cts_deaths = os.total_deaths - overall_stats['cts'].total_deaths
231
232
233         overall_stats['overall'] = OverallStats(
234                 total_kills             = os.total_kills,
235                 total_deaths            = non_cts_deaths,
236                 k_d_ratio               = k_d_ratio,
237                 last_played             = os.last_played,
238                 last_played_epoch       = os.last_played_epoch,
239                 last_played_fuzzy       = os.last_played_fuzzy,
240                 total_playing_time      = os.total_playing_time,
241                 total_playing_time_secs = os.total_playing_time_secs,
242                 total_pickups           = os.total_pickups,
243                 total_captures          = os.total_captures,
244                 cap_ratio               = os.cap_ratio,
245                 total_carrier_frags     = os.total_carrier_frags,
246                 game_type_cd            = os.game_type_cd,
247                 game_type_descr         = os.game_type_descr)
248
249     return overall_stats
250
251
252 def get_fav_maps(player_id, game_type_cd=None):
253     """
254     Provides a breakdown of favorite maps by gametype.
255
256     Returns a dictionary of namedtuples with the following members:
257         - game_type_cd
258         - map_name (map name)
259         - map_id
260         - times_played
261
262     The favorite map is defined as the map you've played the most
263     for the given game_type_cd.
264
265     The key to the dictionary is the game type code. There is also an
266     "overall" game_type_cd which is the overall favorite map. This is
267     defined as the favorite map of the game type you've played the
268     most. The input parameter game_type_cd is for this.
269     """
270     FavMap = namedtuple('FavMap', ['map_name', 'map_id', 'times_played', 'game_type_cd'])
271
272     raw_favs = DBSession.query('game_type_cd', 'map_name',
273             'map_id', 'times_played').\
274             from_statement(
275                 "SELECT game_type_cd, "
276                        "name map_name, "
277                        "map_id, "
278                        "times_played "
279                 "FROM   (SELECT g.game_type_cd, "
280                                "m.name, "
281                                "m.map_id, "
282                                "Count(*) times_played, "
283                                "Row_number() "
284                                  "OVER ( "
285                                    "partition BY g.game_type_cd "
286                                    "ORDER BY Count(*) DESC, m.map_id ASC) rank "
287                         "FROM   games g, "
288                                "player_game_stats pgs, "
289                                "maps m "
290                         "WHERE  g.game_id = pgs.game_id "
291                                "AND g.map_id = m.map_id "
292                                "AND pgs.player_id = :player_id "
293                         "GROUP  BY g.game_type_cd, "
294                                   "m.map_id, "
295                                   "m.name) most_played "
296                 "WHERE  rank = 1 "
297                 "ORDER BY  times_played desc "
298             ).params(player_id=player_id).all()
299
300     fav_maps = {}
301     overall_fav = None
302     for row in raw_favs:
303         fv = FavMap(map_name=row.map_name,
304             map_id=row.map_id,
305             times_played=row.times_played,
306             game_type_cd=row.game_type_cd)
307
308         # if we aren't given a favorite game_type_cd
309         # then the overall favorite is the one we've
310         # played the most
311         if overall_fav is None:
312             fav_maps['overall'] = fv
313             overall_fav = fv.game_type_cd
314
315         # otherwise it is the favorite map from the
316         # favorite game_type_cd (provided as a param)
317         # and we'll overwrite the first dict entry
318         if game_type_cd == fv.game_type_cd:
319             fav_maps['overall'] = fv
320
321         fav_maps[row.game_type_cd] = fv
322
323     return fav_maps
324
325
326 def get_ranks(player_id):
327     """
328     Provides a breakdown of the player's ranks by game type.
329
330     Returns a dictionary of namedtuples with the following members:
331         - game_type_cd
332         - rank
333         - max_rank
334
335     The key to the dictionary is the game type code. There is also an
336     "overall" game_type_cd which is the overall best rank.
337     """
338     Rank = namedtuple('Rank', ['rank', 'max_rank', 'percentile', 'game_type_cd'])
339
340     raw_ranks = DBSession.query("game_type_cd", "rank", "max_rank").\
341             from_statement(
342                 "select pr.game_type_cd, pr.rank, overall.max_rank "
343                 "from player_ranks pr,  "
344                    "(select game_type_cd, max(rank) max_rank "
345                     "from player_ranks  "
346                     "group by game_type_cd) overall "
347                 "where pr.game_type_cd = overall.game_type_cd  "
348                 "and max_rank > 1 "
349                 "and player_id = :player_id "
350                 "order by rank").\
351             params(player_id=player_id).all()
352
353     ranks = {}
354     found_top_rank = False
355     for row in raw_ranks:
356         rank = Rank(rank=row.rank,
357             max_rank=row.max_rank,
358             percentile=100 - 100*float(row.rank-1)/(row.max_rank-1),
359             game_type_cd=row.game_type_cd)
360
361
362         if not found_top_rank:
363             ranks['overall'] = rank
364             found_top_rank = True
365         elif rank.percentile > ranks['overall'].percentile:
366             ranks['overall'] = rank
367
368         ranks[row.game_type_cd] = rank
369
370     return ranks;
371
372
373 def get_elos(player_id):
374     """
375     Provides a breakdown of the player's elos by game type.
376
377     Returns a dictionary of namedtuples with the following members:
378         - player_id
379         - game_type_cd
380         - games
381         - elo
382
383     The key to the dictionary is the game type code. There is also an
384     "overall" game_type_cd which is the overall best rank.
385     """
386     raw_elos = DBSession.query(PlayerElo).filter_by(player_id=player_id).\
387             order_by(PlayerElo.elo.desc()).all()
388
389     elos = {}
390     found_max_elo = False
391     for row in raw_elos:
392         if not found_max_elo:
393             elos['overall'] = row
394             found_max_elo = True
395
396         elos[row.game_type_cd] = row
397
398     return elos
399
400
401 def get_recent_games(player_id, limit=10):
402     """
403     Provides a list of recent games for a player. Uses the recent_games_q helper.
404     """
405     # recent games played in descending order
406     rgs = recent_games_q(player_id=player_id, force_player_id=True).limit(limit).all()
407     recent_games = [RecentGame(row) for row in rgs]
408
409     return recent_games
410
411
412 def get_recent_weapons(player_id):
413     """
414     Returns the weapons that have been used in the past 90 days
415     and also used in 5 games or more.
416     """
417     cutoff = datetime.datetime.utcnow() - datetime.timedelta(days=90)
418     recent_weapons = []
419     for weapon in DBSession.query(PlayerWeaponStat.weapon_cd, func.count()).\
420             filter(PlayerWeaponStat.player_id == player_id).\
421             filter(PlayerWeaponStat.create_dt > cutoff).\
422             group_by(PlayerWeaponStat.weapon_cd).\
423             having(func.count() > 4).\
424             all():
425                 recent_weapons.append(weapon[0])
426
427     return recent_weapons
428
429
430 def get_accuracy_stats(player_id, weapon_cd, games):
431     """
432     Provides accuracy for weapon_cd by player_id for the past N games.
433     """
434     # Reaching back 90 days should give us an accurate enough average
435     # We then multiply this out for the number of data points (games) to
436     # create parameters for a flot graph
437     try:
438         raw_avg = DBSession.query(func.sum(PlayerWeaponStat.hit),
439                 func.sum(PlayerWeaponStat.fired)).\
440                 filter(PlayerWeaponStat.player_id == player_id).\
441                 filter(PlayerWeaponStat.weapon_cd == weapon_cd).\
442                 one()
443
444         avg = round(float(raw_avg[0])/raw_avg[1]*100, 2)
445
446         # Determine the raw accuracy (hit, fired) numbers for $games games
447         # This is then enumerated to create parameters for a flot graph
448         raw_accs = DBSession.query(PlayerWeaponStat.game_id,
449             PlayerWeaponStat.hit, PlayerWeaponStat.fired).\
450                 filter(PlayerWeaponStat.player_id == player_id).\
451                 filter(PlayerWeaponStat.weapon_cd == weapon_cd).\
452                 order_by(PlayerWeaponStat.game_id.desc()).\
453                 limit(games).\
454                 all()
455
456         # they come out in opposite order, so flip them in the right direction
457         raw_accs.reverse()
458
459         accs = []
460         for i in range(len(raw_accs)):
461             accs.append((raw_accs[i][0], round(float(raw_accs[i][1])/raw_accs[i][2]*100, 2)))
462     except:
463         accs = []
464         avg = 0.0
465
466     return (avg, accs)
467
468
469 def get_damage_stats(player_id, weapon_cd, games):
470     """
471     Provides damage info for weapon_cd by player_id for the past N games.
472     """
473     try:
474         raw_avg = DBSession.query(func.sum(PlayerWeaponStat.actual),
475                 func.sum(PlayerWeaponStat.hit)).\
476                 filter(PlayerWeaponStat.player_id == player_id).\
477                 filter(PlayerWeaponStat.weapon_cd == weapon_cd).\
478                 one()
479
480         avg = round(float(raw_avg[0])/raw_avg[1], 2)
481
482         # Determine the damage efficiency (hit, fired) numbers for $games games
483         # This is then enumerated to create parameters for a flot graph
484         raw_dmgs = DBSession.query(PlayerWeaponStat.game_id,
485             PlayerWeaponStat.actual, PlayerWeaponStat.hit).\
486                 filter(PlayerWeaponStat.player_id == player_id).\
487                 filter(PlayerWeaponStat.weapon_cd == weapon_cd).\
488                 order_by(PlayerWeaponStat.game_id.desc()).\
489                 limit(games).\
490                 all()
491
492         # they come out in opposite order, so flip them in the right direction
493         raw_dmgs.reverse()
494
495         dmgs = []
496         for i in range(len(raw_dmgs)):
497             # try to derive, unless we've hit nothing then set to 0!
498             try:
499                 dmg = round(float(raw_dmgs[i][1])/raw_dmgs[i][2], 2)
500             except:
501                 dmg = 0.0
502
503             dmgs.append((raw_dmgs[i][0], dmg))
504     except Exception as e:
505         dmgs = []
506         avg = 0.0
507
508     return (avg, dmgs)
509
510
511 def player_info_data(request):
512     player_id = int(request.matchdict['id'])
513     if player_id <= 2:
514         player_id = -1;
515
516     try:
517         player = DBSession.query(Player).filter_by(player_id=player_id).\
518                 filter(Player.active_ind == True).one()
519
520         games_played   = get_games_played(player_id)
521         overall_stats  = get_overall_stats(player_id)
522         fav_maps       = get_fav_maps(player_id)
523         elos           = get_elos(player_id)
524         ranks          = get_ranks(player_id)
525         recent_games   = get_recent_games(player_id)
526         recent_weapons = get_recent_weapons(player_id)
527         cake_day       = is_cake_day(player.create_dt)
528
529     except Exception as e:
530         raise pyramid.httpexceptions.HTTPNotFound
531
532         ## do not raise application exceptions here (only for debugging)
533         # raise e
534
535     return {'player':player,
536             'games_played':games_played,
537             'overall_stats':overall_stats,
538             'fav_maps':fav_maps,
539             'elos':elos,
540             'ranks':ranks,
541             'recent_games':recent_games,
542             'recent_weapons':recent_weapons,
543             'cake_day':cake_day,
544             }
545
546
547 def player_info(request):
548     """
549     Provides detailed information on a specific player
550     """
551     return player_info_data(request)
552
553
554 def player_info_json(request):
555     """
556     Provides detailed information on a specific player. JSON.
557     """
558
559     # All player_info fields are converted into JSON-formattable dictionaries
560     player_info = player_info_data(request)
561
562     player = player_info['player'].to_dict()
563
564     games_played = {}
565     for game in player_info['games_played']:
566         games_played[game.game_type_cd] = to_json(game)
567
568     overall_stats = {}
569     for gt,stats in player_info['overall_stats'].items():
570         overall_stats[gt] = to_json(stats)
571
572     elos = {}
573     for gt,elo in player_info['elos'].items():
574         elos[gt] = to_json(elo.to_dict())
575
576     ranks = {}
577     for gt,rank in player_info['ranks'].items():
578         ranks[gt] = to_json(rank)
579
580     fav_maps = {}
581     for gt,mapinfo in player_info['fav_maps'].items():
582         fav_maps[gt] = to_json(mapinfo)
583
584     recent_games = []
585     for game in player_info['recent_games']:
586         recent_games.append(to_json(game))
587
588     #recent_weapons = player_info['recent_weapons']
589
590     return [{
591         'player':           player,
592         'games_played':     games_played,
593         'overall_stats':    overall_stats,
594         'fav_maps':         fav_maps,
595         'elos':             elos,
596         'ranks':            ranks,
597         'recent_games':     recent_games,
598     #    'recent_weapons':   recent_weapons,
599         'recent_weapons':   ['not implemented'],
600     }]
601     #return [{'status':'not implemented'}]
602
603
604 def player_game_index_data(request):
605     player_id = request.matchdict['player_id']
606
607     game_type_cd = None
608     game_type_descr = None
609
610     if request.params.has_key('type'):
611         game_type_cd = request.params['type']
612         try:
613             game_type_descr = DBSession.query(GameType.descr).\
614                 filter(GameType.game_type_cd == game_type_cd).\
615                 one()[0]
616         except Exception as e:
617             pass
618
619     else:
620         game_type_cd = None
621         game_type_descr = None
622
623     if request.params.has_key('page'):
624         current_page = request.params['page']
625     else:
626         current_page = 1
627
628     try:
629         player = DBSession.query(Player).\
630                 filter_by(player_id=player_id).\
631                 filter(Player.active_ind == True).\
632                 one()
633
634         rgs_q = recent_games_q(player_id=player.player_id,
635             force_player_id=True, game_type_cd=game_type_cd)
636
637         games = Page(rgs_q, current_page, items_per_page=20, url=page_url)
638
639         # replace the items in the canned pagination class with more rich ones
640         games.items = [RecentGame(row) for row in games.items]
641
642         games_played = get_games_played(player_id)
643
644     except Exception as 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     if request.params.has_key('page'):
999         current_page = request.params['page']
1000     else:
1001         current_page = 1
1002
1003     PlayerCaptimes = namedtuple('PlayerCaptimes', ['fastest_cap',
1004             'create_dt', 'create_dt_epoch', 'create_dt_fuzzy',
1005             'player_id', 'game_id', 'map_id', 'map_name', 'server_id', 'server_name'])
1006
1007     player = DBSession.query(Player).filter_by(player_id=player_id).one()
1008
1009     #pct_q = DBSession.query('fastest_cap', 'create_dt', 'player_id', 'game_id', 'map_id',
1010     #            'map_name', 'server_id', 'server_name').\
1011     #        from_statement(
1012     #            "SELECT ct.fastest_cap, "
1013     #                   "ct.create_dt, "
1014     #                   "ct.player_id, "
1015     #                   "ct.game_id, "
1016     #                   "ct.map_id, "
1017     #                   "m.name map_name, "
1018     #                   "g.server_id, "
1019     #                   "s.name server_name "
1020     #            "FROM   player_map_captimes ct, "
1021     #                   "games g, "
1022     #                   "maps m, "
1023     #                   "servers s "
1024     #            "WHERE  ct.player_id = :player_id "
1025     #              "AND  g.game_id = ct.game_id "
1026     #              "AND  g.server_id = s.server_id "
1027     #              "AND  m.map_id = ct.map_id "
1028     #            #"ORDER  BY ct.fastest_cap "
1029     #            "ORDER  BY ct.create_dt desc"
1030     #        ).params(player_id=player_id)
1031
1032     try:
1033         pct_q = DBSession.query(PlayerCaptime.fastest_cap, PlayerCaptime.create_dt,
1034                 PlayerCaptime.player_id, PlayerCaptime.game_id, PlayerCaptime.map_id,
1035                 Map.name.label('map_name'), Game.server_id, Server.name.label('server_name')).\
1036                 filter(PlayerCaptime.player_id==player_id).\
1037                 filter(PlayerCaptime.game_id==Game.game_id).\
1038                 filter(PlayerCaptime.map_id==Map.map_id).\
1039                 filter(Game.server_id==Server.server_id).\
1040                 order_by(expr.asc(PlayerCaptime.fastest_cap))  # or PlayerCaptime.create_dt
1041
1042         player_captimes = Page(pct_q, current_page, items_per_page=20, url=page_url)
1043
1044         # replace the items in the canned pagination class with more rich ones
1045         player_captimes.items = [PlayerCaptimes(
1046                 fastest_cap=row.fastest_cap,
1047                 create_dt=row.create_dt,
1048                 create_dt_epoch=timegm(row.create_dt.timetuple()),
1049                 create_dt_fuzzy=pretty_date(row.create_dt),
1050                 player_id=row.player_id,
1051                 game_id=row.game_id,
1052                 map_id=row.map_id,
1053                 map_name=row.map_name,
1054                 server_id=row.server_id,
1055                 server_name=row.server_name
1056                 ) for row in player_captimes.items]
1057
1058     except Exception as e:
1059         player = None
1060         player_captimes = None
1061
1062     return {
1063             'player_id':player_id,
1064             'player':player,
1065             'captimes':player_captimes,
1066             #'player_url':request.route_url('player_info', id=player_id),
1067         }
1068
1069
1070 def player_captimes(request):
1071     return player_captimes_data(request)
1072
1073
1074 def player_captimes_json(request):
1075     return player_captimes_data(request)
1076
1077
1078 def player_weaponstats_data_json(request):
1079     player_id = request.matchdict["id"]
1080     if player_id <= 2:
1081         player_id = -1;
1082
1083     game_type_cd = request.params.get("game_type", None)
1084     if game_type_cd == "overall":
1085         game_type_cd = None
1086
1087     limit = 20
1088     if request.params.has_key("limit"):
1089         limit = int(request.params["limit"])
1090
1091         if limit < 0:
1092             limit = 20
1093         if limit > 50:
1094             limit = 50
1095
1096     games_raw = DBSession.query(sa.distinct(Game.game_id)).\
1097         filter(Game.game_id == PlayerWeaponStat.game_id).\
1098         filter(PlayerWeaponStat.player_id == player_id)
1099
1100     if game_type_cd is not None:
1101         games_raw = games_raw.filter(Game.game_type_cd == game_type_cd)
1102
1103     games_raw = games_raw.order_by(Game.game_id.desc()).limit(limit).all()
1104
1105     weapon_stats_raw = DBSession.query(PlayerWeaponStat).\
1106         filter(PlayerWeaponStat.player_id == player_id).\
1107         filter(PlayerWeaponStat.game_id.in_(games_raw)).all()
1108
1109     games_to_weapons = {}
1110     weapons_used = {}
1111     sum_avgs = {}
1112     for ws in weapon_stats_raw:
1113         if ws.game_id not in games_to_weapons:
1114             games_to_weapons[ws.game_id] = [ws.weapon_cd]
1115         else:
1116             games_to_weapons[ws.game_id].append(ws.weapon_cd)
1117
1118         weapons_used[ws.weapon_cd] = weapons_used.get(ws.weapon_cd, 0) + 1
1119         sum_avgs[ws.weapon_cd] = sum_avgs.get(ws.weapon_cd, 0) + float(ws.hit)/float(ws.fired)
1120
1121     # Creating zero-valued weapon stat entries for games where a weapon was not
1122     # used in that game, but was used in another game for the set. This makes 
1123     # the charts look smoother
1124     for game_id in games_to_weapons.keys():
1125         for weapon_cd in set(weapons_used.keys()) - set(games_to_weapons[game_id]):
1126             weapon_stats_raw.append(PlayerWeaponStat(player_id=player_id,
1127                 game_id=game_id, weapon_cd=weapon_cd))
1128
1129     # averages for the weapons used in the range
1130     avgs = {}
1131     for w in weapons_used.keys():
1132         avgs[w] = round(sum_avgs[w]/float(weapons_used[w])*100, 2)
1133
1134     weapon_stats_raw = sorted(weapon_stats_raw, key = lambda x: x.game_id)
1135     games            = sorted(games_to_weapons.keys())
1136     weapon_stats     = [ws.to_dict() for ws in weapon_stats_raw]
1137
1138     return {
1139         "weapon_stats": weapon_stats,
1140         "weapons_used": weapons_used.keys(),
1141         "games": games,
1142         "averages": avgs,
1143     }
1144