-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathmain.py
363 lines (301 loc) · 14.8 KB
/
main.py
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
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
import asyncio
import time
import requests
import logging
from telegram import Bot, Update
from telegram.constants import ParseMode
from telegram.ext import ApplicationBuilder, CommandHandler, ContextTypes
from datetime import datetime, timezone
from dateutil.parser import isoparse
from dotenv import load_dotenv
import os
import json
# Load environment variables from .env file
load_dotenv()
# Configurations
TELEGRAM_TOKEN = os.getenv('TELEGRAM_TOKEN')
FACEIT_API_KEY = os.getenv('FACEIT_API_KEY')
CHAT_ID = os.getenv('CHAT_ID')
ALLOWED_USERS = list(map(int, os.getenv('ALLOWED_USERS', '').split(','))) # Parse as list of integers
# Map image URLs
MAP_IMAGES = {
'de_dust2': 'https://static.wikia.nocookie.net/counterstrike/images/2/2e/Dust2_CS2.png',
'de_mirage': 'https://static.wikia.nocookie.net/counterstrike/images/e/e5/Mirage_CS2.png',
'de_nuke': 'https://static.wikia.nocookie.net/counterstrike/images/9/9d/Nuke_CS2.png',
'de_overpass': 'https://static.wikia.nocookie.net/counterstrike/images/f/f9/Overpass_CS2.png',
'de_vertigo': 'https://static.wikia.nocookie.net/counterstrike/images/c/cb/Vertigo_CS2.png',
'de_ancient': 'https://static.wikia.nocookie.net/counterstrike/images/7/7f/Ancient_CS2.png',
'de_inferno': 'https://static.wikia.nocookie.net/counterstrike/images/8/82/Inferno_CS2.png',
'de_anubis': 'https://static.wikia.nocookie.net/counterstrike/images/7/70/Anubis_CS2.png',
'cs_office': 'https://static.wikia.nocookie.net/counterstrike/images/e/ee/Office_CS2.png',
# Add other maps as necessary
}
# Setup logging
logging.basicConfig(format='%(asctime)s - %(name)s - %(levelname)s - %(message)s', level=logging.INFO)
logger = logging.getLogger(__name__)
# Initialize the bot
bot = Bot(token=TELEGRAM_TOKEN)
not_allowed_text = "You're not authorized for this command."
# check for tg user ID if added to admin list
def is_user_allowed(update: Update):
user_id = update.effective_user.id
return user_id in ALLOWED_USERS
# Load players from JSON file
def load_players():
try:
with open('players.json', 'r') as file:
data = json.load(file)
return data['players']
except (FileNotFoundError, json.JSONDecodeError):
return []
def get_headers():
return {'Authorization': f'Bearer {FACEIT_API_KEY}'}
# Accesses Faceit Statuspage to get the current status
def get_faceit_status():
status_emojis = {
"full_outage": "🔴",
"partial_outage": "🟠",
"under_maintenance": "🟡",
"degraded_performance": "🟣",
"operational": "🟢"
}
try:
response_summary = requests.get('https://www.faceitstatus.com/proxy/www.faceitstatus.com')
response_summary.raise_for_status()
summary_data = response_summary.json()
response_incidents = requests.get(
'https://www.faceitstatus.com/proxy/www.faceitstatus.com/component_impacts?start_at=2024-02-23T23%3A59%3A59.999Z&end_at=2024-05-24T23%3A59%3A59.999Z'
)
response_incidents.raise_for_status()
incidents_data = response_incidents.json()
components = summary_data['summary']['components']
component_impacts = incidents_data['component_impacts']
ongoing_incidents = []
# Filter ongoing incidents
for impact in component_impacts:
end_at = impact['end_at']
if not end_at or isoparse(end_at) > datetime.now(timezone.utc):
ongoing_incidents.append(impact)
status_summary = "<b>FACEIT Status:</b>\n"
for component in components:
component_name = component['name']
component_id = component['id']
component_status = "operational" # Default status
for impact in ongoing_incidents:
if impact['component_id'] == component_id:
component_status = impact['status']
break
emoji = status_emojis.get(component_status, "🟢")
status_summary += f"{emoji} {component_name}: {component_status.replace('_', ' ').title()}\n"
if not ongoing_incidents:
status_summary += "\nAll systems are operational."
return status_summary
except requests.exceptions.RequestException as e:
logger.error(f"Error fetching FACEIT status: {e}")
return "<b>Error fetching FACEIT status.</b>"
# Gets player ID by nickname from Faceit Endpoint
def get_player_id_by_nickname(nickname):
response = requests.get(f'https://open.faceit.com/data/v4/players?nickname={nickname}', headers=get_headers())
response.raise_for_status()
return response.json().get('player_id')
# Gets recent Matches of player by Player ID
def get_recent_matches(player_id):
response = requests.get(f'https://open.faceit.com/data/v4/players/{player_id}/history', headers=get_headers())
response.raise_for_status()
return response.json()
# Gets stats of a match by match ID
def get_match_details(match_id):
response = requests.get(f'https://open.faceit.com/data/v4/matches/{match_id}/stats', headers=get_headers())
response.raise_for_status()
logger.info(response.json())
return response.json()
# Gets data of a match by match ID
def get_additional_match_details(match_id):
response = requests.get(f'https://open.faceit.com/data/v4/matches/{match_id}', headers=get_headers())
response.raise_for_status()
return response.json()
# Generates a monospace table with the given player data
def generate_player_stats_table(player_stats):
header = "<pre><b>Player K D K/DR KR</b>\n"
table = header + "\n".join([
f"{stats['nickname']:<15} {stats['kills']:<2} {stats['deaths']:<2} {stats['kd_ratio']:<5} {stats['kr']:<5}"
for stats in player_stats
]) + "</pre>"
return table
# Gets the most recent match of a player
def get_last_match_id(player_id):
matches = get_recent_matches(player_id)
if matches['items']:
return matches['items'][0]['match_id']
return None
# Sends a message via bot
async def send_message(chat_id, text):
await bot.send_message(chat_id=chat_id, text=text, parse_mode=ParseMode.HTML)
monitoring_task = None
async def start_monitoring(update, context):
if not is_user_allowed(update):
await update.message.reply_text(not_allowed_text)
return
global monitoring_task
if monitoring_task is None or monitoring_task.cancelled():
monitoring_task = asyncio.create_task(monitor_players())
await update.message.reply_text("Monitoring started.")
else:
await update.message.reply_text("Monitoring is already running.")
async def stop_monitoring(update, context):
if not is_user_allowed(update):
await update.message.reply_text(not_allowed_text)
return
global monitoring_task
if monitoring_task and not monitoring_task.cancelled():
monitoring_task.cancel()
await update.message.reply_text("Monitoring stopped.")
else:
await update.message.reply_text("Monitoring is not running.")
async def status(update, context):
if not is_user_allowed(update):
await update.message.reply_text(not_allowed_text)
return
monitoring_status = "active" if monitoring_task and not monitoring_task.cancelled() else "inactive"
tracked_players = load_players()
num_tracked_players = len(tracked_players)
faceit_status = get_faceit_status()
status_message = (
f"<b>Bot Status:</b>\n"
f"Monitoring is currently <b>{monitoring_status}</b>.\n"
f"Number of players being tracked: <b>{num_tracked_players}</b>.\n\n"
f"{faceit_status}"
)
await update.message.reply_text(status_message, parse_mode=ParseMode.HTML)
# Async function to monitor players (60s loop currently)
async def monitor_players():
player_nicknames = load_players()
player_ids = {nickname: get_player_id_by_nickname(nickname) for nickname in player_nicknames}
notified_matches = set()
# Initialize notified_matches with the most recent match IDs
for player_id in player_ids.values():
try:
last_match_id = get_last_match_id(player_id)
if last_match_id:
notified_matches.add(last_match_id)
except Exception as e:
logger.error(f'Error retrieving initial match info for player (ID: {player_id}): {e}')
while True:
matches_to_notify = []
for nickname, player_id in player_ids.items():
try:
last_match_id = get_last_match_id(player_id)
if last_match_id and last_match_id not in notified_matches:
matches_to_notify.append((nickname, player_id, last_match_id))
except Exception as e:
logger.error(f'Error retrieving or sending match info for player {nickname} (ID: {player_id}): {e}')
match_groups = {}
for nickname, player_id, match_id in matches_to_notify:
if match_id not in match_groups:
match_groups[match_id] = []
match_groups[match_id].append((nickname, player_id))
for match_id, players in match_groups.items():
try:
match_details = get_match_details(match_id)
additional_details = get_additional_match_details(match_id)
logger.info(f"Match details: {match_details}")
if 'rounds' in match_details and match_details['rounds']:
round_data = match_details['rounds'][0]
result = round_data['round_stats']['Winner']
rounds = round_data['round_stats']['Rounds']
map_played = round_data['round_stats']['Map']
demo_url = additional_details['demo_url'][0] if 'demo_url' in additional_details and additional_details['demo_url'] else 'N/A'
start_time = datetime.fromtimestamp(additional_details['started_at']).strftime('%Y-%m-%d %H:%M:%S')
duration_minutes = (additional_details['finished_at'] - additional_details['started_at']) // 60
player_stats = []
player_team = None
for team in round_data['teams']:
for player in team['players']:
if player['player_id'] in [player_id for _, player_id in players]:
player_team = team['team_id']
player_stats.append({
'nickname': player['nickname'],
'kills': player['player_stats'].get('Kills', 'N/A'),
'deaths': player['player_stats'].get('Deaths', 'N/A'),
'kd_ratio': player['player_stats'].get('K/D Ratio', 'N/A'),
'kr': player['player_stats'].get('K/R Ratio', 'N/A')
})
match_result = '🟩 Won' if result == player_team else '🟥 Lost'
player_stats_table = generate_player_stats_table(player_stats)
message = (
f"<b>New Match Played!</b>\n"
f"<b>Match ID:</b> <a href='https://www.faceit.com/en/cs2/room/{match_id}'>{match_id}</a>\n"
f"<b>Result:</b> <b>{match_result}</b>\n"
f"<b>Rounds:</b> {rounds}\n"
f"<b>Map:</b> {map_played}\n"
f"<b>Time:</b> {start_time}\n"
f"<b>Duration:</b> {duration_minutes} minutes\n"
f"<b>Demo:</b> <a href='{demo_url}'>Watch Here</a>\n\n"
f"{player_stats_table}"
)
await send_message(chat_id=CHAT_ID, text=message)
logger.info(f'Notified new match with ID {match_id} for players: {", ".join([nickname for nickname, _ in players])}')
notified_matches.add(match_id)
except Exception as e:
logger.error(f'Error processing match {match_id}: {e}')
await asyncio.sleep(60)
async def list_players(update, context):
if not is_user_allowed(update):
await update.message.reply_text(not_allowed_text)
return
players = load_players()
if players:
await update.message.reply_text("Players being tracked:\n" + "\n".join(players))
else:
await update.message.reply_text("No players are currently being tracked.")
async def add_player(update, context):
if not is_user_allowed(update):
await update.message.reply_text(not_allowed_text)
return
try:
nickname = context.args[0] # Get the nickname from the command arguments
player_id = get_player_id_by_nickname(nickname) # Check if the player exists
players = load_players()
if nickname not in players:
players.append(nickname)
with open('players.json', 'w') as file:
json.dump({'players': players}, file)
await update.message.reply_text(f"Player '{nickname}' added successfully!")
else:
await update.message.reply_text(f"Player '{nickname}' is already being tracked.")
except IndexError:
await update.message.reply_text("Usage: /addplayer <Faceit nickname>")
except requests.exceptions.HTTPError:
await update.message.reply_text("Player not found on FACEIT.")
async def remove_player(update, context):
if not is_user_allowed(update):
await update.message.reply_text(not_allowed_text)
return
try:
nickname = context.args[0] # Get the nickname from the command arguments
players = load_players()
if nickname in players:
players.remove(nickname)
with open('players.json', 'w') as file:
json.dump({'players': players}, file)
await update.message.reply_text(f"Player '{nickname}' removed successfully!")
else:
await update.message.reply_text(f"Player '{nickname}' not found in the tracking list.")
except IndexError:
await update.message.reply_text("Usage: /removeplayer <Faceit nickname>")
# Main function
if __name__ == '__main__':
try:
# Create application
application = ApplicationBuilder().token(TELEGRAM_TOKEN).build()
# Register command handlers
application.add_handler(CommandHandler("listplayers", list_players))
application.add_handler(CommandHandler("addplayer", add_player))
application.add_handler(CommandHandler("removeplayer", remove_player))
application.add_handler(CommandHandler("startmonitoring", start_monitoring))
application.add_handler(CommandHandler("stopmonitoring", stop_monitoring))
application.add_handler(CommandHandler("status", status))
# Start the bot
application.run_polling()
except Exception as e:
logger.error(f'Error in main loop: {e}')