coollsd commited on
Commit
d35d016
·
verified ·
1 Parent(s): cb2e16b

Update ccc.py

Browse files
Files changed (1) hide show
  1. ccc.py +212 -0
ccc.py CHANGED
@@ -0,0 +1,212 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ import requests
2
+ import discord
3
+ from discord.ext import commands
4
+ import asyncio
5
+ import re
6
+ import os
7
+
8
+ TOKEN = os.environ['token']
9
+ CHANNEL_ID = 1298830206387228682
10
+
11
+ PETS_API = 'https://petsapi.deno.dev/'
12
+ EXISTS_API = 'https://existsapi.deno.dev/'
13
+ RAP_API = 'https://rapapi.deno.dev/'
14
+
15
+ intents = discord.Intents.default()
16
+ bot = commands.Bot(command_prefix='!', intents=intents)
17
+
18
+ pet_images = {}
19
+ pet_difficulties = {}
20
+ pet_raps = {}
21
+
22
+ async def update_rap_values():
23
+ try:
24
+ response = requests.get(RAP_API)
25
+ if response.status_code == 200:
26
+ data = response.json()
27
+ if data['status'] == 'ok':
28
+ # Clear existing RAP values
29
+ pet_raps.clear()
30
+
31
+ # Process each pet in the list
32
+ for pet_data in data['data']:
33
+ config_data = pet_data['configData']
34
+ pet_id = config_data['id']
35
+ value = pet_data['value']
36
+
37
+ # Check if it's a shiny pet
38
+ is_shiny = config_data.get('sh', False)
39
+ if is_shiny:
40
+ pet_raps[f"Shiny {pet_id}"] = value
41
+ else:
42
+ pet_raps[pet_id] = value
43
+
44
+ print(f"Updated RAP values for {len(data['data'])} pets")
45
+ except Exception as e:
46
+ print(f"Error fetching RAP values: {e}")
47
+
48
+ async def get_huge_secret_pets():
49
+ try:
50
+ response = requests.get(PETS_API)
51
+ if response.status_code == 200:
52
+ data = response.json()
53
+ if data['status'] == 'ok':
54
+ huge_secret_pets = []
55
+
56
+ for pet in data['data']:
57
+ config_data = pet['configData']
58
+ if config_data.get('huge') or config_data.get('secret'):
59
+ pet_name = config_data['name']
60
+ huge_secret_pets.append(pet_name)
61
+ huge_secret_pets.append(f"Shiny {pet_name}")
62
+
63
+ # Store difficulty value
64
+ difficulty = config_data.get('difficulty', 'Unknown')
65
+ pet_difficulties[pet_name] = difficulty
66
+ # Shiny pets are 100x harder
67
+ pet_difficulties[f"Shiny {pet_name}"] = difficulty * 100
68
+
69
+ if 'thumbnail' in config_data:
70
+ pet_images[pet_name] = config_data['thumbnail']
71
+ pet_images[f"Shiny {pet_name}"] = config_data['thumbnail']
72
+ print(f"Stored image URL for {pet_name}: {config_data['thumbnail']}")
73
+
74
+ print(f"Found {len(huge_secret_pets)} pets to track (including shiny versions)")
75
+ return huge_secret_pets
76
+ else:
77
+ print("API response status not OK")
78
+ return [] # Return empty list instead of None
79
+ except Exception as e:
80
+ print(f"Error fetching pets list: {e}")
81
+ return [] # Return empty list instead of None
82
+ except Exception as e:
83
+ print(f"Error fetching pets list: {e}")
84
+ return []
85
+
86
+ async def send_embed_message(channel, pet_name, previous_value, current_value, is_change=False):
87
+ pet_image_url = pet_images.get(pet_name, None)
88
+ difficulty = pet_difficulties.get(pet_name, "Unknown")
89
+ rap_value = pet_raps.get(pet_name, "No RAP")
90
+
91
+ # Format RAP value with commas
92
+ if isinstance(rap_value, (int, float)):
93
+ rap_display = f"{rap_value:,}"
94
+ else:
95
+ rap_display = rap_value
96
+
97
+ # Format difficulty with commas
98
+ if isinstance(difficulty, (int, float)):
99
+ difficulty_display = f"{difficulty:,}"
100
+ else:
101
+ difficulty_display = difficulty
102
+
103
+ # Format exist counts with commas
104
+ if isinstance(current_value, (int, float)):
105
+ current_display = f"{current_value:,}"
106
+ else:
107
+ current_display = current_value
108
+
109
+ if isinstance(previous_value, (int, float)):
110
+ previous_display = f"{previous_value:,}"
111
+ else:
112
+ previous_display = previous_value
113
+
114
+ embed = discord.Embed(
115
+ title=f"🎲 A {pet_name} was rolled! 🎲",
116
+ description=f"{pet_name} exists: **{current_display}**\nDifficulty: **1 in {difficulty_display}**\nRAP Value: **{rap_display}**",
117
+ color=discord.Color.blue() if not is_change else discord.Color.orange(),
118
+ )
119
+
120
+ if pet_image_url:
121
+ if isinstance(pet_image_url, str):
122
+ if pet_image_url.startswith('rbxassetid://'):
123
+ asset_id = pet_image_url.replace('rbxassetid://', '')
124
+ asset_id = re.search(r'^\d+', asset_id).group(0)
125
+ pet_image_url = f"https://rbxgleaks.pythonanywhere.com/asset/{asset_id}"
126
+
127
+ print(f"Using image URL for {pet_name}: {pet_image_url}")
128
+ embed.set_thumbnail(url=pet_image_url)
129
+
130
+ try:
131
+ await channel.send(embed=embed)
132
+ except discord.HTTPException as e:
133
+ print(f"Failed to send embed for {pet_name}: {e}")
134
+ await channel.send(f"🎲 A {pet_name} was rolled! Exists: {current_display} (Previous: {previous_display})")
135
+
136
+ async def petdata(tracked_pets):
137
+ try:
138
+ response = requests.get(EXISTS_API)
139
+ if response.status_code == 200:
140
+ data = response.json()
141
+ if data['status'] == 'ok':
142
+ pet_values = {pet: 0 for pet in tracked_pets}
143
+
144
+ for pet in data['data']:
145
+ pet_id = pet['configData']['id']
146
+ is_shiny = pet['configData'].get('sh', False)
147
+ value = pet['value']
148
+
149
+ pet_name = f"Shiny {pet_id}" if is_shiny else pet_id
150
+ if pet_name in pet_values:
151
+ print(f"Found pet: {pet_name} with exist count {value}")
152
+ pet_values[pet_name] = value
153
+
154
+ return pet_values
155
+ print(f"Error code: {response.status_code}")
156
+ except Exception as e:
157
+ print(f"Error: {e}")
158
+ return None
159
+
160
+ async def main_loop():
161
+ channel = bot.get_channel(CHANNEL_ID)
162
+ if channel is None:
163
+ print("Invalid channel ID. Please check your channel ID.")
164
+ return
165
+
166
+ tracked_pets = await get_huge_secret_pets()
167
+ if not tracked_pets: # If we get an empty list, wait and retry
168
+ print("No pets fetched, retrying in 60 seconds...")
169
+ await asyncio.sleep(60)
170
+ return
171
+
172
+ lastknown = {pet: None for pet in tracked_pets}
173
+ print(f"Initially tracking {len(tracked_pets)} pets")
174
+
175
+ while True:
176
+ try:
177
+ if not tracked_pets:
178
+ tracked_pets = await get_huge_secret_pets() or [] # Ensure we always have a list
179
+ lastknown.update({pet: None for pet in tracked_pets if pet not in lastknown})
180
+
181
+ # Update RAP values periodically
182
+ await update_rap_values()
183
+
184
+ vvalues = await petdata(tracked_pets)
185
+ if vvalues is not None:
186
+ for pet, value in vvalues.items():
187
+ if lastknown[pet] is None:
188
+ print(f"Initial value for {pet}: {value}")
189
+ elif value != lastknown[pet]:
190
+ await send_embed_message(channel, pet, lastknown[pet], value, is_change=True)
191
+ lastknown[pet] = value
192
+ else:
193
+ print("Broken check")
194
+
195
+ new_pets = await get_huge_secret_pets() or [] # Ensure we always have a list
196
+ if new_pets and set(new_pets) != set(tracked_pets): # Only compare if new_pets is not empty
197
+ print("Pet list updated!")
198
+ tracked_pets = new_pets
199
+ lastknown.update({pet: None for pet in tracked_pets if pet not in lastknown})
200
+
201
+ await asyncio.sleep(60)
202
+
203
+ except Exception as e:
204
+ print(f"Error in main loop: {e}")
205
+ await asyncio.sleep(60) # Wait before retrying if there's an error
206
+
207
+ @bot.event
208
+ async def on_ready():
209
+ print(f'Logged in as {bot.user.name}')
210
+ bot.loop.create_task(main_loop())
211
+
212
+ bot.run(TOKEN)