summaryrefslogtreecommitdiff
path: root/SteamAPI.py
blob: 580b375a606182aa12d5654ff77ce9fbb080a3cf (plain)
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
#!/usr/bin/env python3

from concurrent.futures import ThreadPoolExecutor
from urllib.error import HTTPError
from urllib.error import URLError
from urllib.request import urlopen
import json
from Caching import Caching

##################################################
## Settings
##################################################
# Directory for a local cache & time to live for cache items in seconds
CACHE = True

##################################################

class SteamAPI():
    def __init__(self, token):
        self.token = token

    def getProfiles(self, steamids):
        """Get steam profiles.

        Args:
            steamids: Steamids to fetch profiles for
        Returns:
            dict() with str(steamid) as keys
        """
        profile = dict()
        steamids_copy = [str(steamid) for steamid in steamids]

        if CACHE:
            cachedids = []
            for steamid in steamids_copy:
                cache = Caching.readCache('profile', steamid, 15)
                if cache:
                    cachedids.append(steamid)
                    profile[steamid] = json.loads(cache)
            for steamid in cachedids:
                steamids_copy.remove(steamid)

        if len(steamids_copy):
            steamidlist = ','.join([str(x) for x in steamids_copy])
            url = 'https://api.steampowered.com/ISteamUser/GetPlayerSummaries/v0002/?format=json&key=%s&steamids=%s' % (self.token, steamidlist)
            # print(url)
            response = urlopen(url)
            if response.status != 200:
                print('Isn\'t this an HTTPError?')
                return []
            data = response.read().decode('utf-8')
            jsondata = json.loads(data)

            for player in jsondata['response']['players']:
                currentid = player['steamid']
                profile[currentid] = player

        if CACHE:
            # save newly loaded profiles
            for steamid in steamids_copy:
                Caching.writeCache('profile', steamid, json.dumps(profile[steamid]))

        return profile

    def getMultipleFriends(self, steamids):
        executor = ThreadPoolExecutor(max_workers=10)
        # Ask steam about friends for each
        results = dict()
        for steamid in steamids:
            results[steamid] = executor.submit(self.getFriends, steamid)

        profiles = executor.submit(self.getProfiles, steamids).result()

        for steamid in steamids:
            profiles[steamid]['friends'] = results[steamid].result()

        return profiles

    def getFriends(self, steamid):
        """Fetch steam friends for given steamid.

        Args:
            steamid: Steamid, whose friendslist to fetch
        Returns:
            List of steamids. TODO(andre): We lose additional information here.
        """
        if CACHE:
            cache = Caching.readCache('friends', steamid, 15*60)
            if cache:
                return json.loads(cache)

        url = 'https://api.steampowered.com/ISteamUser/GetFriendList/v0001/?key=%s&steamid=%s&relationship=friend' % (self.token, str(steamid))
        # print(url)
        try:
            response = urlopen(url)
            data = response.read().decode('utf-8')
            jsondata = json.loads(data)
        except HTTPError:
            # f.e. profile is private
            jsondata = None

        friends = []
        if jsondata and 'friendslist' in jsondata and 'friends' in jsondata['friendslist']:
            friends = [friend['steamid'] for friend in jsondata['friendslist']['friends']]
            if CACHE:
                Caching.writeCache('friends', steamid, json.dumps(friends))

        return friends

    def getGameSchema(self, gameid):
        """Fetch info about a game.

        Args:
            gameid: Appid of the game
        Returns:
            gameName, gameVersion, availableGameStats (Achievements/Stats)
        """
        if CACHE:
            cache = Caching.readCache('gameschema', gameid, 7*24*60*60)
            if cache:
                jsondata = json.loads(cache)
                return jsondata['game']

        url = 'http://api.steampowered.com/ISteamUserStats/GetSchemaForGame/v2/?key=%s&appid=%s&format=json' % (self.token, str(gameid))
        print(url)
        try:
            response = urlopen(url)
            data = response.read().decode('utf-8')
            jsondata = json.loads(data)
        except HTTPError as e:
            # f.e. profile is private
            print('Fetch failed.', e.code, e.reason)
            jsondata = None

        if 'game' in jsondata:
            if CACHE:
                Caching.writeCache('gameschema', gameid, json.dumps(jsondata))
            return jsondata['game']
        else:
            print('No game in json:', jsondata)
        return None

    def getGames(self, steamid):
        """Fetch a list of games a person possesses.

        Args:
            steamid: Steamid, whose gamelist to fetch
        Returns:
            Tuple with (number of games, gameinfo [appid, name, playtime_2weeks, playtime_forever, icons])
        """
        if CACHE:
            cache = Caching.readCache('games', steamid, 60*60)
            if cache:
                jsondata = json.loads(cache)
                return ( jsondata['response']['game_count'], jsondata['response']['games'] )

        url = 'http://api.steampowered.com/IPlayerService/GetOwnedGames/v0001/?key=%s&steamid=%s&include_appinfo=1&format=json' % (self.token, str(steamid))
        print(url)
        try:
            response = urlopen(url)
            data = response.read().decode('utf-8')
            jsondata = json.loads(data)
        except HTTPError:
            # f.e. profile is private
            jsondata = None

        if 'response' in jsondata and 'games' in jsondata['response']:
            if CACHE:
                Caching.writeCache('games', steamid, json.dumps(jsondata))
            return ( jsondata['response']['game_count'], jsondata['response']['games'] )
        return None

    def getPlayerGameStats(self, steamid, gameid):
        """Fetch the list of achievements a person achieved in a game

        Args:
            steamid: Steamid of the particular user
            gameid:  Appid of the game we want to check
        Returns:
            Tuple with (number of games, gameinfo [appid, name, playtime_2weeks, playtime_forever, icons])
        """
        if CACHE:
            cache = Caching.readCache('playergamestats', '%s-%s' % (str(steamid), str(gameid)), 24*60*60)
            if cache:
                jsondata = json.loads(cache)
                return jsondata
            else:
                print('nocache')

        url = 'http://api.steampowered.com/ISteamUserStats/GetPlayerAchievements/v0001/?key=%s&steamid=%s&appid=%s' % (self.token, str(steamid), str(gameid))
        print(url)
        try:
            response = urlopen(url)
            data = response.read().decode('utf-8')
            jsondata = json.loads(data)
        except HTTPError:
            # f.e. profile is private
            jsondata = None

        if 'playerstats' in jsondata:
            if CACHE:
                cache = Caching.writeCache('playergamestats', '%s-%s' % (str(steamid), str(gameid)), json.dumps(jsondata))
            return jsondata
        return None

if __name__ == "__main__":
    # TODO(andre): Maybe run tests here?
    print('This is a module.')