This repository was archived by the owner on Aug 5, 2023. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 5
/
Copy pathprofile_fetcher.js
88 lines (70 loc) · 2.5 KB
/
profile_fetcher.js
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
const request = require('request-promise');
const utils = require('./utils');
const BASE_PROFILE_SUMMARY_URL = 'http://api.steampowered.com/ISteamUser/GetPlayerSummaries/v0002/';
class ExpiringDictionary {
constructor(expirationMs) {
this.dict = {};
this.expirationMs = expirationMs;
}
put(key, value) {
this.dict[key] = {
data: value,
expires: Date.now() + this.expirationMs,
}
}
has(key) {
return key in this.dict && this.dict[key].expires > Date.now();
}
get(key) {
if (!(key in this.dict)) return;
if (this.dict[key].expires < Date.now()) {
delete this.dict[key];
return;
}
return this.dict[key].data;
}
}
class ProfileFetcher {
constructor(pool, steamApiKeys, cacheExpiringMs) {
this.pool = pool;
this.steamApiKeys = steamApiKeys;
this.cache = new utils.ExpiringDictionary(cacheExpiringMs);
}
async getProfilesForSteamIds(steamIds) {
const nonCachedSteamIds = steamIds.filter(steamId => !this.cache.has(steamId));
const chunkedIds = utils.chunkArray(nonCachedSteamIds, 100);
const requestPromises = [];
for (const idChunk of chunkedIds) {
requestPromises.push(request({
uri: `${BASE_PROFILE_SUMMARY_URL}?key=${this._getRandomApiKey()}&steamids=${idChunk.join(',')}`,
json: true
}).catch(() => {
console.error(`Failed to retrieve steam profile list`);
return {};
}));
}
await Promise.all(requestPromises).then(responses => {
for (const response of responses) {
if (!response.response || !response.response.players) {
continue;
}
for (const player of response.response.players) {
this.cache.put(player.steamid, player);
}
}
});
return steamIds.filter(steamId => this.cache.has(steamId))
.map(steamId => this.cache.get(steamId))
.reduce((map, profile) => {
map[profile.steamid] = profile;
return map;
}, {});
}
_getRandomApiKey() {
return this.steamApiKeys[Math.floor(Math.random() * this.steamApiKeys.length)];
}
canFetch() {
return this.steamApiKeys.length > 0;
}
}
module.exports = ProfileFetcher;