nitter/src/tokens.nim

167 lines
4.5 KiB
Nim
Raw Normal View History

2021-12-27 02:37:38 +01:00
# SPDX-License-Identifier: AGPL-3.0-only
2022-01-05 22:48:45 +01:00
import asyncdispatch, httpclient, times, sequtils, json, random
import strutils, tables
import types, consts
2020-06-01 02:16:24 +02:00
const
maxConcurrentReqs = 5 # max requests at a time per token, to avoid race conditions
maxLastUse = 1.hours # if a token is unused for 60 minutes, it expires
maxAge = 2.hours + 55.minutes # tokens expire after 3 hours
failDelay = initDuration(minutes=30)
2020-07-09 09:18:14 +02:00
var
2022-01-02 11:21:03 +01:00
tokenPool: seq[Token]
2020-07-09 09:18:14 +02:00
lastFailed: Time
2022-06-05 21:47:25 +02:00
enableLogging = false
let headers = newHttpHeaders({"authorization": auth})
2022-06-05 21:47:25 +02:00
template log(str) =
if enableLogging: echo "[tokens] ", str
2022-01-06 00:42:18 +01:00
proc getPoolJson*(): JsonNode =
var
list = newJObject()
totalReqs = 0
totalPending = 0
reqsPerApi: Table[string, int]
for token in tokenPool:
2022-01-06 00:42:18 +01:00
totalPending.inc(token.pending)
list[token.tok] = %*{
"apis": newJObject(),
"pending": token.pending,
"init": $token.init,
"lastUse": $token.lastUse
}
for api in token.apis.keys:
list[token.tok]["apis"][$api] = %token.apis[api]
2022-01-06 00:42:18 +01:00
let
maxReqs =
case api
2023-07-22 04:06:04 +02:00
of Api.search: 100000
of Api.photoRail: 180
2023-07-21 18:56:39 +02:00
of Api.timeline: 187
of Api.userTweets, Api.userTimeline: 300
2023-07-21 18:56:39 +02:00
of Api.userTweetsAndReplies, Api.userRestId,
Api.userScreenName, Api.tweetDetail, Api.tweetResult,
Api.list, Api.listTweets, Api.listMembers, Api.listBySlug, Api.userMedia: 500
of Api.userSearch: 900
2022-01-06 00:42:18 +01:00
reqs = maxReqs - token.apis[api].remaining
reqsPerApi[$api] = reqsPerApi.getOrDefault($api, 0) + reqs
totalReqs.inc(reqs)
return %*{
"amount": tokenPool.len,
"requests": totalReqs,
"pending": totalPending,
"apis": reqsPerApi,
"tokens": list
}
proc rateLimitError*(): ref RateLimitError =
2022-01-05 22:48:45 +01:00
newException(RateLimitError, "rate limited")
2020-06-01 02:16:24 +02:00
proc fetchToken(): Future[Token] {.async.} =
if getTime() - lastFailed < failDelay:
raise rateLimitError()
2020-07-09 09:18:14 +02:00
let client = newAsyncHttpClient(headers=headers)
2020-06-01 02:16:24 +02:00
2020-06-02 20:37:55 +02:00
try:
2022-01-05 22:48:45 +01:00
let
resp = await client.postContent(activate)
tokNode = parseJson(resp)["guest_token"]
2022-01-05 22:48:45 +01:00
tok = tokNode.getStr($(tokNode.getInt))
time = getTime()
2020-06-01 02:16:24 +02:00
2022-01-05 22:48:45 +01:00
return Token(tok: tok, init: time, lastUse: time)
2020-06-24 15:02:34 +02:00
except Exception as e:
2022-06-05 21:47:25 +02:00
echo "[tokens] fetching token failed: ", e.msg
if "Try again" notin e.msg:
echo "[tokens] fetching tokens paused, resuming in 30 minutes"
lastFailed = getTime()
finally:
client.close()
2020-06-01 02:16:24 +02:00
2022-01-05 22:48:45 +01:00
proc expired(token: Token): bool =
let time = getTime()
2022-01-05 22:48:45 +01:00
token.init < time - maxAge or token.lastUse < time - maxLastUse
2020-06-01 02:16:24 +02:00
2022-01-05 22:48:45 +01:00
proc isLimited(token: Token; api: Api): bool =
if token.isNil or token.expired:
return true
if api in token.apis:
let limit = token.apis[api]
return (limit.remaining <= 10 and limit.reset > epochTime().int)
2022-01-05 22:48:45 +01:00
else:
return false
2020-06-01 02:16:24 +02:00
proc isReady(token: Token; api: Api): bool =
not (token.isNil or token.pending > maxConcurrentReqs or token.isLimited(api))
proc release*(token: Token; used=false; invalid=false) =
if token.isNil: return
if invalid or token.expired:
2022-06-05 21:47:25 +02:00
if invalid: log "discarding invalid token"
elif token.expired: log "discarding expired token"
let idx = tokenPool.find(token)
if idx > -1: tokenPool.delete(idx)
elif used:
dec token.pending
token.lastUse = getTime()
2020-06-01 02:16:24 +02:00
2022-01-05 22:48:45 +01:00
proc getToken*(api: Api): Future[Token] {.async.} =
2020-06-01 02:16:24 +02:00
for i in 0 ..< tokenPool.len:
if result.isReady(api): break
release(result)
result = tokenPool.sample()
2020-06-01 02:16:24 +02:00
if not result.isReady(api):
release(result)
2020-06-01 02:16:24 +02:00
result = await fetchToken()
2022-06-05 21:47:25 +02:00
log "added new token to pool"
tokenPool.add result
if not result.isNil:
inc result.pending
else:
raise rateLimitError()
2022-01-05 22:48:45 +01:00
proc setRateLimit*(token: Token; api: Api; remaining, reset: int) =
# avoid undefined behavior in race conditions
if api in token.apis:
let limit = token.apis[api]
if limit.reset >= reset and limit.remaining < remaining:
return
token.apis[api] = RateLimit(remaining: remaining, reset: reset)
2022-01-05 22:48:45 +01:00
2020-06-01 02:16:24 +02:00
proc poolTokens*(amount: int) {.async.} =
var futs: seq[Future[Token]]
for i in 0 ..< amount:
futs.add fetchToken()
for token in futs:
var newToken: Token
try: newToken = await token
except: discard
2022-01-05 22:48:45 +01:00
if not newToken.isNil:
2022-06-05 21:47:25 +02:00
log "added new token to pool"
tokenPool.add newToken
2020-06-01 02:16:24 +02:00
proc initTokenPool*(cfg: Config) {.async.} =
2022-06-05 21:47:25 +02:00
enableLogging = cfg.enableDebug
2020-06-01 02:16:24 +02:00
while true:
if tokenPool.countIt(not it.isLimited(Api.userTimeline)) < cfg.minTokens:
await poolTokens(min(4, cfg.minTokens - tokenPool.len))
await sleepAsync(2000)