├── 3th1c4l.bat
├── input
├── discord-tokens.txt
└── discord-webhooks.txt
├── requirements.txt
├── scripts
├── show_my_ip.py
├── ip_scanner.py
├── discord_webhook_deleter.py
├── ip_port_scanner.py
├── ip_pinger.py
├── discord_nitro_generator.py
├── password_generator.py
├── discord_server_info.py
├── username_tracker.py
├── website_info_scanner.py
├── discord_token_delete_dm.py
├── discord_token_info.py
├── discord_token_block_friends.py
├── discord_webhook_info.py
└── discord_webhook_spammer.py
├── setup.bat
├── setup.py
├── README.md
├── setup.sh
├── 3th1c4l.py
└── LICENSE
/3th1c4l.bat:
--------------------------------------------------------------------------------
1 | @echo off
2 | python 3th1c4l.py
--------------------------------------------------------------------------------
/input/discord-tokens.txt:
--------------------------------------------------------------------------------
1 | 🟢 Discord Token Storage 🟢
2 | -- (Tokens Must Be Below This Line) --
3 |
--------------------------------------------------------------------------------
/input/discord-webhooks.txt:
--------------------------------------------------------------------------------
1 | 🟢 Discord Webhook Storage 🟢
2 | -- (Webhooks Must Be Below This Line) --
3 |
--------------------------------------------------------------------------------
/requirements.txt:
--------------------------------------------------------------------------------
1 | requests
2 | colorama==0.4.6
3 | questionary>=1.11.0
4 | prompt_toolkit
5 | setuptools
6 | whois
7 | dnspython>=2.1.0
8 | beautifulsoup4>=4.9.3
9 | urllib3>=1.26.0
10 | pytube
11 | pillow
12 | ttkbootstrap
13 | packaging
14 | customtkinter
15 |
16 |
17 |
18 |
--------------------------------------------------------------------------------
/scripts/show_my_ip.py:
--------------------------------------------------------------------------------
1 | import requests
2 | from colorama import Fore
3 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
4 | def run():
5 | try:
6 | response = requests.get("https://api64.ipify.org?format=json")
7 | data = response.json()
8 | print(f"{Fore.RED}[+]{Fore.GREEN} Your Public IP Address: {Fore.RED}[{data['ip']}]")
9 | except Exception as e:
10 | print(f"{Fore.RED}[!]{Fore.GREEN} Error Fetching Your IP Address... Please Check Your Connection: {Fore.RED}[{e}]{Fore.RESET}")
11 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
--------------------------------------------------------------------------------
/setup.bat:
--------------------------------------------------------------------------------
1 | @echo off
2 | echo [*] [3TH1C4L] MultiTool - (https://github.com/RPxGoon/3TH1C4L-MultiTool)
3 | echo [*] Thanks for the Support :)
4 | echo.
5 | echo [!] Checking for Python installation...
6 | echo.
7 |
8 | REM Check if Python is installed and available in PATH
9 | python --version >nul 2>&1
10 | if errorlevel 1 (
11 | echo [!] Python is NOT INSTALLED!
12 | echo.
13 |
14 | REM Check if winget is available
15 | where winget >nul 2>&1
16 | if errorlevel 1 (
17 | echo [!] winget is not available on your system. Please ensure you are running Windows 10 or 11 with winget installed.
18 | pause
19 | exit /b 1
20 | )
21 |
22 | REM Use winget to install Python silently with the correct argument
23 | echo [*] Installing Python via winget... Accept UAC popup in taskbar
24 | winget install --id Python.Python.3.11 --source winget --silent --accept-package-agreements >nul 2>&1
25 |
26 | REM Wait for the installation process to complete (added delay)
27 | timeout /t 10 /nobreak >nul
28 |
29 | )
30 |
31 | echo [*] Python is Installed! Checking and Installing Required Packages...
32 | echo.
33 | echo [!] Upgrading pip...
34 | python -m ensurepip >nul 2>&1
35 | python -m pip install --upgrade pip >nul 2>&1
36 | if %errorlevel% neq 0 (
37 | echo [!] Restart setup.bat to finish installation
38 | pause
39 | exit /b 1
40 | )
41 |
42 | echo [!] Installing Required Python Packages from requirements.txt...
43 | python -m pip install -r requirements.txt >nul 2>&1
44 | if %errorlevel% neq 0 (
45 | echo [!] Failed to Install Some Requirements! Check Your Internet Connection or requirements.txt
46 | pause
47 | exit /b 1
48 | )
49 |
50 | echo [*] All Required Packages Installed Successfully! :)
51 |
52 | echo [*] Running the Main Tool (3th1c4l.py)...
53 | start "" python "%~dp0\3th1c4l.py"
54 |
55 | pause
56 |
--------------------------------------------------------------------------------
/scripts/ip_scanner.py:
--------------------------------------------------------------------------------
1 | import requests
2 | from colorama import Fore, init
3 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
4 | init(autoreset=True)
5 |
6 | def run():
7 | ip_address = input(f"{Fore.RED}[*] {Fore.GREEN}Enter Target IP Address: {Fore.RESET}")
8 | print()
9 | try:
10 | response = requests.get(f"https://ipinfo.io/{ip_address}/json")
11 | data = response.json()
12 |
13 | for key, value in data.items():
14 | print(f"{Fore.RED}[+] {Fore.GREEN}{key.capitalize():<12}: {Fore.RED}{value}")
15 |
16 | except Exception as e:
17 | print(f"{Fore.RED}[!] {Fore.YELLOW}Error Fetching IP Information: {e}")
18 |
19 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
20 | if __name__ == "__main__":
21 | run()
--------------------------------------------------------------------------------
/scripts/discord_webhook_deleter.py:
--------------------------------------------------------------------------------
1 | import requests
2 | from colorama import Fore, init
3 |
4 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
5 | init(autoreset=True)
6 |
7 | def run():
8 |
9 | webhook_url = input(f"{Fore.RED}[*] {Fore.GREEN}Enter the Webhook URL to Delete: ")
10 |
11 | try:
12 | response = requests.delete(webhook_url)
13 |
14 | if response.status_code == 204:
15 | print()
16 | print(f"{Fore.RED}[+] {Fore.GREEN}Webhook Successfully Deleted :)")
17 | elif response.status_code == 404:
18 | print(f"{Fore.RED}[x] {Fore.RED}Webhook Not Found or Already Deleted.")
19 | else:
20 | print(f"{Fore.RED}[x] {Fore.RED}Failed to Delete Webhook. Status Code: {response.status_code}")
21 |
22 | except requests.exceptions.RequestException as e:
23 | print(f"{Fore.RED}[!] {Fore.RED}Error: {e}")
24 |
25 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
26 | if __name__ == "__main__":
27 | run()
28 |
--------------------------------------------------------------------------------
/setup.py:
--------------------------------------------------------------------------------
1 | import os
2 | import subprocess
3 | import sys
4 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
5 |
6 | def install_requirements():
7 | print("[*] Upgrading pip...")
8 | subprocess.run([sys.executable, "-m", "ensurepip"], stdout=subprocess.PIPE, stderr=subprocess.PIPE)
9 | subprocess.run([sys.executable, "-m", "pip", "install", "--upgrade", "pip"], stdout=subprocess.PIPE, stderr=subprocess.PIPE)
10 |
11 | print("[*] Installing required Python packages from requirements.txt...")
12 | result = subprocess.run([sys.executable, "-m", "pip", "install", "-r", "requirements.txt"], stdout=subprocess.PIPE, stderr=subprocess.PIPE)
13 | if result.returncode != 0:
14 | print("[!] Failed to install some requirements. Check your internet connection or requirements.txt.")
15 | sys.exit(1)
16 |
17 | def main():
18 |
19 | install_requirements()
20 |
21 | print("[*] Setup Complete! You can now run [3TH1C4L] using '3th1c4l.py' or '3th1c4l.bat")
22 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
23 | if __name__ == "__main__":
24 | main()
25 |
--------------------------------------------------------------------------------
/scripts/ip_port_scanner.py:
--------------------------------------------------------------------------------
1 | import socket
2 | import concurrent.futures
3 | from colorama import Fore
4 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
5 | def port_scanner(ip):
6 | port_protocol_map = {
7 | 21: "FTP", 22: "SSH", 23: "Telnet", 25: "SMTP", 53: "DNS", 69: "TFTP",
8 | 80: "HTTP", 110: "POP3", 123: "NTP", 143: "IMAP", 194: "IRC", 389: "LDAP",
9 | 443: "HTTPS", 161: "SNMP", 3306: "MySQL", 5432: "PostgreSQL", 6379: "Redis",
10 | 1521: "Oracle DB", 3389: "RDP"
11 | }
12 |
13 | def scan_port(ip, port):
14 | try:
15 | with socket.socket(socket.AF_INET, socket.SOCK_STREAM) as sock:
16 | sock.settimeout(0.1)
17 | if sock.connect_ex((ip, port)) == 0:
18 | protocol = port_protocol_map.get(port, "Unknown")
19 | print(f"{Fore.GREEN}[+] Port {port} is OPEN ({protocol})")
20 | except Exception:
21 | pass
22 |
23 | print(f"{Fore.RED}[*] {Fore.GREEN}Scanning IP: {ip} (Ports 1-1024)...")
24 | with concurrent.futures.ThreadPoolExecutor(max_workers=50) as executor:
25 | executor.map(lambda p: scan_port(ip, p), range(1, 1025))
26 | print(f"{Fore.RED}[*] {Fore.GREEN}Scan Complete!")
27 |
28 | def run():
29 | ip = input(f"{Fore.RED}[*] {Fore.GREEN}Enter Target IP Address: {Fore.RESET}").strip()
30 | if not ip:
31 | print(f"{Fore.RED}[!] {Fore.GREEN}Invalid IP Address. Exiting...")
32 | return
33 | port_scanner(ip)
34 |
35 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
--------------------------------------------------------------------------------
/scripts/ip_pinger.py:
--------------------------------------------------------------------------------
1 | import socket
2 | import time
3 | from colorama import Fore
4 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
5 | def ping_ip(hostname, port, bytes):
6 | try:
7 | sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
8 | sock.settimeout(2)
9 | start_time = time.time()
10 | sock.connect((hostname, port))
11 | data = b'\x00' * bytes
12 | sock.sendall(data)
13 | end_time = time.time()
14 | elapsed_time = (end_time - start_time) * 1000
15 | print(f"{Fore.RED}[+] {Fore.GREEN}Hostname: {hostname} {Fore.RED}[+] {Fore.GREEN}Time: {elapsed_time:.2f}ms {Fore.RED}[+] {Fore.GREEN}Port: {port} {Fore.RED}[+] {Fore.GREEN}Bytes: {bytes} {Fore.GREEN}[=] Status: Succeed")
16 | except:
17 | elapsed_time = 0
18 | print(f"{Fore.RED}[+] {Fore.GREEN}Hostname: {hostname} {Fore.RED}[+] {Fore.GREEN}Time: {elapsed_time}ms {Fore.RED}[+] {Fore.GREEN}Port: {port} {Fore.RED}[+] {Fore.GREEN}Bytes: {bytes} {Fore.RED}[=] Status: Fail")
19 |
20 | def run_ip_pinger():
21 |
22 | hostname = input(f"{Fore.RED}[*] {Fore.GREEN}Enter Target IP or Hostname: ")
23 |
24 | try:
25 | port_input = input(f"{Fore.RED}[*] {Fore.GREEN}Enter Port (default is 80): ")
26 | if port_input.strip():
27 | port = int(port_input)
28 | else:
29 | port = 80
30 |
31 | bytes_input = input(f"{Fore.RED}[*] {Fore.GREEN}Enter Bytes (default is 64): ")
32 | if bytes_input.strip():
33 | bytes = int(bytes_input)
34 | else:
35 | bytes = 64
36 | except Exception as e:
37 | print(f"{Fore.RED}[!] Error: Invalid Input for Port or Bytes: {e}")
38 | return
39 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
40 | while True:
41 | ping_ip(hostname, port, bytes)
42 |
--------------------------------------------------------------------------------
/scripts/discord_nitro_generator.py:
--------------------------------------------------------------------------------
1 | import string
2 | import json
3 | import requests
4 | import threading
5 | import random
6 |
7 | # Color codes for terminal output
8 | RED = '\033[91m'
9 | GREEN = '\033[92m'
10 | YELLOW = '\033[93m'
11 | BLUE = '\033[94m'
12 | WHITE = '\033[97m'
13 | RESET = '\033[0m'
14 |
15 | INFO = f"{BLUE}[INFO]{RESET}"
16 | SUCCESS = f"{GREEN}[+]{RESET}"
17 | ERROR = f"{RED}[-]{RESET}"
18 | INVALID = f"{RED}[INVALID]{RESET}"
19 | VALID = f"{GREEN}[VALID]{RESET}"
20 |
21 | def error_handler(error_message):
22 | print(f"{ERROR} {error_message}")
23 | print()
24 |
25 | def print_title(title):
26 | print(f"\n{YELLOW}{'=' * 50}\n{title.center(50)}\n{'=' * 50}{RESET}\n")
27 |
28 | def send_webhook(webhook_url, url_nitro, username_webhook, avatar_webhook, color_webhook):
29 | payload = {
30 | 'embeds': [{
31 | 'title': 'Nitro Valid!',
32 | 'description': f"**Nitro:**\n```{url_nitro}```",
33 | 'color': int(color_webhook, 16), # Convert hex to int
34 | 'footer': {
35 | "text": username_webhook,
36 | "icon_url": avatar_webhook,
37 | }
38 | }],
39 | 'username': username_webhook,
40 | 'avatar_url': avatar_webhook
41 | }
42 |
43 | headers = {'Content-Type': 'application/json'}
44 | try:
45 | requests.post(webhook_url, data=json.dumps(payload), headers=headers)
46 | print(f"{SUCCESS} Webhook sent: {url_nitro}")
47 | except requests.RequestException as e:
48 | error_handler(f"Failed to send webhook: {e}")
49 |
50 | def nitro_check(webhook_url, webhook_enabled, username_webhook, avatar_webhook, color_webhook):
51 | code_nitro = ''.join(random.choices(string.ascii_uppercase + string.digits, k=16))
52 | url_nitro = f'https://discord.gift/{code_nitro}'
53 | api_url = f'https://discordapp.com/api/v6/entitlements/gift-codes/{code_nitro}?with_application=false&with_subscription_plan=true'
54 |
55 | try:
56 | response = requests.get(api_url, timeout=1)
57 | if response.status_code == 200:
58 | print(f"{VALID} Nitro Code: {WHITE}{url_nitro}{RESET}")
59 | if webhook_enabled:
60 | send_webhook(webhook_url, url_nitro, username_webhook, avatar_webhook, color_webhook)
61 | else:
62 | print(f"{INVALID} Nitro Code: {WHITE}{url_nitro}{RESET}")
63 | except requests.RequestException as e:
64 | error_handler(f"Error checking Nitro code: {e}")
65 |
66 | def run():
67 | print_title("Discord Nitro Generator")
68 |
69 | # Ask for webhook details
70 | webhook_enabled = input(f"{INFO} Use a webhook? (y/n): ").lower() in ['y', 'yes']
71 | webhook_url = None
72 | if webhook_enabled:
73 | webhook_url = input(f"{INFO} Enter Webhook URL: ")
74 |
75 | username_webhook = input(f"{INFO} Webhook Username (default: Nitro Bot): ") or "Nitro Bot"
76 | avatar_webhook = input(f"{INFO} Webhook Avatar URL (optional): ") or ""
77 | color_webhook = "00FF00" # Hexadecimal string
78 |
79 | try:
80 | threads_number = int(input(f"{INFO} Enter the number of threads: "))
81 | except ValueError:
82 | error_handler("Invalid number of threads. Please enter a valid number.")
83 | return
84 |
85 | def create_threads():
86 | threads = []
87 | for _ in range(threads_number):
88 | t = threading.Thread(target=nitro_check, args=(webhook_url, webhook_enabled, username_webhook, avatar_webhook, color_webhook))
89 | t.start()
90 | threads.append(t)
91 |
92 | for thread in threads:
93 | thread.join()
94 |
95 | try:
96 | while True:
97 | create_threads()
98 | except KeyboardInterrupt:
99 | print(f"\n{INFO} Nitro generator stopped by user.")
--------------------------------------------------------------------------------
/scripts/password_generator.py:
--------------------------------------------------------------------------------
1 | import random
2 | import string
3 | from colorama import Fore
4 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
5 | def generate_password():
6 |
7 | while True:
8 | try:
9 | length = int(input(f"{Fore.RED}[*] {Fore.GREEN}Enter Desired Password Length {Fore.YELLOW}(Minimum = 4, Maximum = 100,000): ")) # Use f-string for formatting
10 | if length < 4:
11 | print(f"{Fore.RED} [!] Password Must Be At Least 4 Characters. Please Try Again.")
12 | elif length > 100000:
13 | print(f"{Fore.RED} [!] Password Length Cannot Exceed 100,000 Characters. Please Try Again.")
14 | else:
15 | break
16 | except ValueError:
17 | print(f"{Fore.RED}[!] Invalid Input. Please Enter a Number")
18 |
19 | include_uppercase = input(f"{Fore.RED}[*] {Fore.GREEN}Include Uppercase Letters? (y/n): ").strip().lower() == 'y'
20 | include_numbers = input(f"{Fore.RED}[*] {Fore.GREEN}Include Numbers? (y/n): ").strip().lower() == 'y'
21 | include_specials = input(f"{Fore.RED}[*] {Fore.GREEN}Include Special Characters? (y/n): ").strip().lower() == 'y'
22 |
23 | if include_specials:
24 | specials_input = input(f"{Fore.RED}[*] {Fore.GREEN}Enter Special Characters to Include (Leave Empty for All): ").strip()
25 | specials_pool = specials_input if specials_input else string.punctuation
26 | else:
27 | specials_pool = ''
28 |
29 | print()
30 |
31 | if not (include_uppercase or include_numbers or include_specials):
32 | print(f"{Fore.RED}[!] You Must Select at Least One Character Set (Uppercase, Numbers, or Special Characters). ")
33 |
34 | lowercase_pool = string.ascii_lowercase
35 | uppercase_pool = string.ascii_uppercase if include_uppercase else ''
36 | numbers_pool = string.digits if include_numbers else ''
37 |
38 | character_pool = lowercase_pool + uppercase_pool + numbers_pool + specials_pool
39 |
40 | password = []
41 | if include_uppercase:
42 | password.append(random.choice(uppercase_pool))
43 | if include_numbers:
44 | password.append(random.choice(numbers_pool))
45 | if include_specials:
46 | password.append(random.choice(specials_pool))
47 | password.append(random.choice(lowercase_pool))
48 |
49 | remaining_length = length - len(password)
50 | if remaining_length > 0:
51 | password += random.choices(character_pool, k=remaining_length)
52 |
53 | random.shuffle(password)
54 |
55 |
56 | final_password = ''.join(password)
57 | print(f"\n{Fore.RED}[+] {Fore.GREEN}Generated Password: {Fore.MAGENTA}{final_password}\n")
58 | return final_password
59 |
60 | def run():
61 | generate_password()
62 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
63 | if __name__ == "__main__":
64 | run()
65 |
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | 
2 | ---
3 | 
4 |
5 | ##
[3TH1C4L] - MultiTool Designed for Networking, Pentesting, Osint, Discord, and Much More
6 |
7 |
8 |
9 |
10 |
11 |
12 |
13 |
14 |
15 |
16 |
17 |
18 |
19 |
20 |
21 |
22 |
23 |
24 |
25 | ## 🔧 About
26 |
27 | - 'CLI' Multi-tool
28 | - Quick, Easy Installation
29 | - Fully Automatic Updates
30 | - Developed 100% in Python
31 | - Fully Open Source & Free Forever
32 | - Made for **Windows** & **Linux** (although MacOS is supported)
33 | - **NO REQUIREMENTS** - Installs Python & Dependencies Automatically _(Windows & Linux Only)_
34 |
35 | ---
36 |
37 | ## ✨ **Installation Guide**
38 |
39 | 1. **Windows**
40 | _Simply run 'setup.bat'._
41 |
42 |
43 | 2. **Linux**
44 | _Paste the following command into terminal (or just run 'setup.sh'):_
45 |
46 | `curl -sSL https://raw.githubusercontent.com/RPxGoon/3TH1C4L-MultiTool/main/setup.sh | bash`
47 |
48 |
49 | 4. **MacOS/Other**
50 | _Executables coming soon... for now you will need to manually install python and run 'setup.py'._
51 |
52 | ---
53 |
54 | ## 💎 Features
55 |
56 |
57 | ### 🌐 Network Scanners
58 | - Show My IP
59 | - IP Scanner
60 | - IP Pinger
61 | - Port Scanner
62 | - Website Info Scanner
63 |
64 | ### 🕵️ OSINT
65 | - Username Tracker
66 | *(More OSINT tools coming soon...)*
67 |
68 | ### 💻 Other Utilities
69 | - Password Generator
70 | *(More utilities coming soon...)*
71 |
72 | ### 🤖 Discord Tools
73 | - Discord Server Info
74 | - Discord Nitro Generator
75 | - Discord Webhook Delete
76 | - Discord Webhook Spammer
77 | - Discord Webhook Info
78 | - Discord Token Info
79 | - Discord Token Delete DM
80 | - Discord Token Friend Blocker
81 | *(More Discord tools coming soon...)*
82 |
83 | ---
84 |
85 | ## ⚠️ **DISCLAIMER**
86 |
87 | _This tool was developed for personal use and **educational** / **legal purposes** only.
88 | I am **NOT RESPONSIBLE** for any misuse / abuse of this tool._
89 |
90 | ---
91 |
92 | ## ⭐ **Important Notes**
93 |
94 | - **DO NOT** Copy and/or Re-Sell or Re-Publish This Tool as Your Own; It’s Not Even Worth Copying 😎
95 | - *This project is not actively getting the love i wanted to put into it do to my time being elseware, if your seriosu snd would like to help wirh this project (or even become co-owner) please feel free to message me here or on discord at: **d1scordsucks*** ; Certain features may not work as intended
96 | - If you'd like to request a feature or report an issue/bug, please join the discord server
97 |
98 |
99 |
100 |
101 | *[RPxGoon]*
102 |
--------------------------------------------------------------------------------
/scripts/discord_server_info.py:
--------------------------------------------------------------------------------
1 | import requests
2 | from colorama import init, Fore
3 | init(autoreset=True)
4 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
5 | def run():
6 | """
7 | Fetches and displays detailed information about a Discord server based on an invite link or code.
8 | """
9 | try:
10 | invite = input(f"{Fore.GREEN}[*] Server Invitation -> ")
11 | print()
12 |
13 |
14 |
15 | try:
16 | invite_code = invite.split("/")[-1]
17 | except:
18 | invite_code = invite.strip()
19 |
20 |
21 | response = requests.get(f"https://discord.com/api/v9/invites/{invite_code}", timeout=10)
22 | if response.status_code == 200:
23 | api = response.json()
24 |
25 |
26 | inviter_info = api.get('inviter', {})
27 | server_info = api.get('guild', {})
28 | channel_info = api.get('channel', {})
29 |
30 |
31 | print(f"""
32 | {Fore.RED}[+] Invitation : {Fore.GREEN}{invite}
33 | {Fore.RED}[+] Type : {Fore.GREEN}{api.get('type', 'None')}
34 | {Fore.RED}[+] Code : {Fore.GREEN}{api.get('code', 'None')}
35 | {Fore.RED}[+] Expired : {Fore.GREEN}{api.get('expires_at', 'None')}
36 | {Fore.RED}[+] Server ID : {Fore.GREEN}{server_info.get('id', 'None')}
37 | {Fore.RED}[+] Server Name : {Fore.GREEN}{server_info.get('name', 'None')}
38 | {Fore.RED}[+] Channel ID : {Fore.GREEN}{channel_info.get('id', 'None')}
39 | {Fore.RED}[+] Channel Name : {Fore.GREEN}{channel_info.get('name', 'None')}
40 | {Fore.RED}[+] Channel Type : {Fore.GREEN}{channel_info.get('type', 'None')}
41 | {Fore.RED}[+] Server Description : {Fore.GREEN}{server_info.get('description', 'None')}
42 | {Fore.RED}[+] Server Icon : {Fore.GREEN}{server_info.get('icon', 'None')}
43 | {Fore.RED}[+] Server Features : {Fore.GREEN}{' / '.join(server_info.get('features', []))}
44 | {Fore.RED}[+] Server NSFW Level : {Fore.GREEN}{server_info.get('nsfw_level', 'None')}
45 | {Fore.RED}[+] Server NSFW : {Fore.GREEN}{server_info.get('nsfw', 'None')}
46 | {Fore.RED}[+] Flags : {Fore.GREEN}{api.get('flags', 'None')}
47 | {Fore.RED}[+] Verification Level : {Fore.GREEN}{server_info.get('verification_level', 'None')}
48 | {Fore.RED}[+] Boost Count : {Fore.GREEN} {server_info.get('premium_subscription_count', 'None')}
49 | """)
50 |
51 |
52 | if inviter_info:
53 | print(f"""
54 | {Fore.RED}[+] Inviter ID : {Fore.GREEN}{inviter_info.get('id', 'None')}
55 | {Fore.RED}[+] Username : {Fore.GREEN}{inviter_info.get('username', 'None')}
56 | {Fore.RED}[+] Discriminator : {Fore.GREEN}{inviter_info.get('discriminator', 'None')}
57 | {Fore.RED}[+] Avatar : {Fore.GREEN}{inviter_info.get('avatar', 'None')}
58 | {Fore.RED}[+] Public Flags : {Fore.GREEN}{inviter_info.get('public_flags', 'None')}
59 | {Fore.RED}[+] Flags : {Fore.GREEN}{inviter_info.get('flags', 'None')}
60 | {Fore.RED}[+] Banner : {Fore.GREEN}{inviter_info.get('banner', 'None')}
61 | {Fore.RED}[+] Accent Color : {Fore.GREEN}{inviter_info.get('accent_color', 'None')}
62 | {Fore.RED}[+] Banner Color : {Fore.GREEN}{inviter_info.get('banner_color', 'None')}
63 | """)
64 |
65 | else:
66 | print("[!] Error: Invalid invite URL or invite not found.")
67 | except Exception as e:
68 | print(f"Error: {e}")
69 |
70 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
--------------------------------------------------------------------------------
/scripts/username_tracker.py:
--------------------------------------------------------------------------------
1 | import requests
2 | from bs4 import BeautifulSoup
3 | import time
4 | from colorama import Fore, init
5 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
6 | init(autoreset=True)
7 |
8 | def run():
9 | try:
10 | sites = {
11 | "500px": "https://500px.com/{}",
12 | "8tracks": "https://8tracks.com/{}",
13 | "About.me": "https://about.me/{}",
14 | "AngelList": "https://angel.co/{}",
15 | "Badoo": "https://badoo.com/profile/{}",
16 | "Behance": "https://www.behance.net/{}",
17 | "Blogger": "https://{}.blogspot.com",
18 | "CodePen": "https://codepen.io/{}",
19 | "CodeWars": "https://www.codewars.com/users/{}",
20 | "Couchsurfing": "https://www.couchsurfing.com/people/{}",
21 | "Dailymotion": "https://www.dailymotion.com/{}",
22 | "Deezer": "https://www.deezer.com/en/user/{}",
23 | "DeviantArt": "https://www.deviantart.com/{}",
24 | "Discord": "https://discord.com/users/{}",
25 | "Disqus": "https://disqus.com/by/{}",
26 | "Dribbble": "https://dribbble.com/{}",
27 | "Ello": "https://ello.co/{}",
28 | "Facebook": "https://www.facebook.com/{}",
29 | "Fiverr": "https://www.fiverr.com/{}",
30 | "Flickr": "https://www.flickr.com/people/{}",
31 | "Foursquare": "https://foursquare.com/user/{}",
32 | "GitHub": "https://github.com/{}",
33 | "GitLab": "https://gitlab.com/{}",
34 | "Giters": "https://giters.com/{}",
35 | "Giphy": "https://giphy.com/{}",
36 | "Goodreads": "https://www.goodreads.com/{}",
37 | "Groupon": "https://www.groupon.com/profile/{}",
38 | "Gumroad": "https://gumroad.com/{}",
39 | "HackerRank": "https://www.hackerrank.com/{}",
40 | "Instagram": "https://www.instagram.com/{}",
41 | "LinkedIn": "https://www.linkedin.com/in/{}",
42 | "Snapchat": "https://www.snapchat.com/add/{}",
43 | "TikTok": "https://www.tiktok.com/@{}",
44 | "Twitch": "https://www.twitch.tv/{}",
45 | "Twitter": "https://twitter.com/{}",
46 | "YouTube": "https://www.youtube.com/{}",
47 | }
48 |
49 | username = input(f"{Fore.RED}[*] {Fore.GREEN}Enter Username to Track: ").strip().lower()
50 | print(f"\n{Fore.RED}[*]{Fore.GREEN} Scanning for Username '{username}'... Please Wait.\n")
51 |
52 | start_time = time.time()
53 | session = requests.Session()
54 | total_sites = len(sites)
55 | found_sites = []
56 | checked_sites = 0
57 |
58 | for site, url_template in sites.items():
59 | checked_sites += 1
60 | url = url_template.format(username)
61 | print(f"{Fore.MAGENTA}[{checked_sites:2}/{total_sites}] Checking {site:<12} | ", end="")
62 |
63 | try:
64 | response = session.get(url, timeout=5)
65 | if response.status_code == 200:
66 | soup = BeautifulSoup(response.text, 'html.parser')
67 | page_title = soup.title.string.lower() if soup.title else ""
68 | if username in page_title or username in response.text.lower():
69 | found_sites.append(f"{site}: {url}")
70 | print(f"{Fore.GREEN}[+] Found: {url}")
71 | else:
72 | print(f"{Fore.RED}[x] Not found")
73 | else:
74 | print(f"{Fore.RED}[x] Not found")
75 | except requests.RequestException as e:
76 | print(f"{Fore.RED}[!] Error: {e}")
77 |
78 | # Summary
79 | elapsed_time = time.time() - start_time
80 | print("\n" + "-" * 50)
81 | print(f"{Fore.CYAN}Scan Complete in {elapsed_time:.2f} Seconds.")
82 | print(f"{Fore.CYAN}Total Sites Checked: {Fore.YELLOW}{total_sites}")
83 | print(f"{Fore.CYAN}Total Sites Found: {Fore.GREEN}{len(found_sites)}")
84 | if found_sites:
85 | print(f"\n{Fore.RED}[+] {Fore.GREEN}Sites Username '{username}' Was Found:")
86 | for site in found_sites:
87 | print(f" {Fore.RED}{site}")
88 | else:
89 | print(f"\n{Fore.RED}[-] No Sites Found With the Username '{username}'.")
90 | print("-" * 50)
91 |
92 | except Exception as e:
93 | print(f"{Fore.RED}[!] An Unexpected Error Occurred: {e}")
94 |
95 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
96 | if __name__ == "__main__":
97 | run()
--------------------------------------------------------------------------------
/scripts/website_info_scanner.py:
--------------------------------------------------------------------------------
1 | import socket
2 | import concurrent.futures
3 | import requests
4 | from urllib.parse import urlparse
5 | import ssl
6 | import urllib3
7 | from requests.exceptions import RequestException
8 | import time
9 | import dns.resolver
10 | from bs4 import BeautifulSoup
11 | import whois
12 | from colorama import Fore, init
13 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
14 | init(autoreset=True)
15 |
16 | urllib3.disable_warnings(urllib3.exceptions.InsecureRequestWarning)
17 |
18 | def current_time_hour():
19 | return time.strftime("%Y-%m-%d %H:%M:%S")
20 |
21 | def website_info_scanner(website_url):
22 | if not urlparse(website_url).scheme:
23 | website_url = "https://" + website_url
24 |
25 | print(f"{Fore.RED}[+] {Fore.GREEN}Scanning Website: {Fore.CYAN}{website_url}")
26 |
27 | def website_domain(website_url):
28 | parsed_url = urlparse(website_url)
29 | domain = parsed_url.netloc or website_url
30 | print(f"{Fore.RED}[+] {Fore.GREEN}Domain: {Fore.CYAN}{domain}")
31 | return domain
32 |
33 | def website_ip(domain):
34 | try:
35 | ip = socket.gethostbyname(domain)
36 | print(f"{Fore.RED}[+] {Fore.GREEN}IP: {Fore.CYAN}{ip}")
37 | return ip
38 | except socket.gaierror:
39 | print(f"{Fore.RED}[!] {Fore.YELLOW}Error: Unable to Resolve IP for {Fore.CYAN}{domain}")
40 | return None
41 |
42 | def ip_type(ip):
43 | if ':' in ip:
44 | ip_type = "IPv6"
45 | elif '.' in ip:
46 | ip_type = "IPv4"
47 | else:
48 | ip_type = "Unknown"
49 | print(f"{Fore.RED}[+] {Fore.GREEN}IP Type: {Fore.CYAN}{ip_type}")
50 |
51 | def website_secure(website_url):
52 | secure = website_url.startswith("https://")
53 | print(f"{Fore.RED}[+] {Fore.GREEN}Secure: {Fore.CYAN}{secure}")
54 |
55 | def website_status(website_url):
56 | try:
57 | response = requests.get(website_url, timeout=5, verify=False)
58 | status_code = response.status_code
59 | print(f"{Fore.RED}[+] {Fore.GREEN}Status Code: {Fore.CYAN}{status_code}")
60 | except RequestException as e:
61 | print(f"{Fore.RED}[!] {Fore.YELLOW}Error: Unable to get Status for {Fore.CYAN}{website_url} ({e})")
62 |
63 | def ip_info(ip):
64 | if not ip:
65 | return
66 | api_url = f"https://ipinfo.io/{ip}/json"
67 | try:
68 | response = requests.get(api_url, timeout=5)
69 | api = response.json()
70 | for key, value in api.items():
71 | print(f"{Fore.RED}[+] {Fore.GREEN}{key.capitalize()}: {Fore.CYAN}{value}")
72 | except RequestException as e:
73 | print(f"{Fore.RED}[!] {Fore.YELLOW}Error: Unable to get IP Info for {Fore.CYAN}{ip} ({e})")
74 |
75 | def website_port(ip):
76 | if not ip:
77 | return
78 | port_protocol_map = {
79 | 21: "FTP", 22: "SSH", 23: "Telnet", 25: "SMTP", 53: "DNS", 80: "HTTP", 443: "HTTPS"
80 | }
81 | port_list = [21, 22, 23, 25, 53, 80, 443]
82 |
83 | def scan_port(ip, port):
84 | try:
85 | sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
86 | sock.settimeout(1)
87 | result = sock.connect_ex((ip, port))
88 | if result == 0:
89 | protocol = port_protocol_map.get(port, "Unknown")
90 | print(f"{Fore.RED}[+] {Fore.GREEN}Port: {Fore.CYAN}{port} {Fore.GREEN}Status: {Fore.CYAN}Open {Fore.GREEN}Protocol: {Fore.CYAN}{protocol}")
91 | sock.close()
92 | except Exception:
93 | pass
94 |
95 | with concurrent.futures.ThreadPoolExecutor() as executor:
96 | executor.map(lambda port: scan_port(ip, port), port_list)
97 |
98 | domain = website_domain(website_url)
99 | ip = website_ip(domain)
100 | if ip:
101 | ip_type(ip)
102 | website_secure(website_url)
103 | website_status(website_url)
104 | ip_info(ip)
105 | website_port(ip)
106 |
107 | def run():
108 | website_url = input(f"{Fore.RED}[*] {Fore.GREEN}Enter Target Website/URL: {Fore.RESET}").strip()
109 | if not website_url:
110 | print(f"{Fore.RED}[!] {Fore.YELLOW}Invalid Website/URL. Exiting...")
111 | return
112 | website_info_scanner(website_url)
113 |
114 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
115 | if __name__ == "__main__":
116 | run()
--------------------------------------------------------------------------------
/scripts/discord_token_delete_dm.py:
--------------------------------------------------------------------------------
1 | import requests
2 | import threading
3 | from colorama import Fore, init
4 | from datetime import datetime, timezone
5 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
6 | init(autoreset=True)
7 |
8 | def extract_tokens(file_path):
9 | try:
10 | with open(file_path, 'r') as file:
11 | lines = file.readlines()
12 |
13 | tokens = [line.strip() for line in lines[2:] if line.strip()]
14 | return tokens
15 | except Exception as e:
16 | print(f"{Fore.RED}[!] Error reading tokens file: {e}")
17 | return []
18 |
19 | def get_token_info(token):
20 | try:
21 | response = requests.get(
22 | 'https://discord.com/api/v8/users/@me',
23 | headers={'Authorization': token, 'Content-Type': 'application/json'}
24 | )
25 | api = response.json()
26 | status = "Valid" if response.status_code == 200 else "Invalid"
27 |
28 | username_discord = api.get('username', "None") + '#' + api.get('discriminator', "None")
29 | return status, username_discord, token
30 | except:
31 | return "Invalid", "None", token
32 |
33 | def display_tokens(tokens):
34 | token_info_list = []
35 | print(f"\n{Fore.GREEN}Available Tokens:")
36 |
37 | for idx, token in enumerate(tokens, start=1):
38 | status, username, short_token = get_token_info(token)
39 | short_token = token[:40] + "..." if len(token) > 40 else token # Truncate for display
40 | print(f"{Fore.RED}[{Fore.MAGENTA}{idx}{Fore.RED}] -> {Fore.GREEN}Status: {Fore.RED}{status} {Fore.GREEN}| {Fore.GREEN}User: {Fore.RED}{username} {Fore.GREEN}| {Fore.GREEN}Token: {Fore.RED}{short_token}{Fore.RESET}")
41 | token_info_list.append((status, username, token))
42 |
43 | return token_info_list
44 |
45 | def run():
46 | tokens_file_path = "input/discord-tokens.txt"
47 | tokens = extract_tokens(tokens_file_path)
48 |
49 | if not tokens:
50 | print(f"{Fore.RED}[!] No tokens found in /input/discord-tokens.txt - Exiting...")
51 | return
52 |
53 | token_info_list = display_tokens(tokens)
54 |
55 | choice = input(f"\n{Fore.RED}[+] {Fore.GREEN}Enter token choice or 'A' to use all: {Fore.RESET}").strip()
56 |
57 | if choice.lower() == 'a':
58 | selected_tokens = tokens
59 | elif choice.isdigit() and 1 <= int(choice) <= len(tokens):
60 | selected_tokens = [tokens[int(choice) - 1]]
61 | else:
62 | print(f"{Fore.RED}[!] Invalid choice. Exiting...")
63 | return
64 |
65 | print(f"{Fore.RED}[!] WARNING: This will DELETE ALL DMs for the selected account(s)!" )
66 | confirm = input(f"{Fore.RED}[?] {Fore.GREEN}Are you sure you want to proceed? (y/n): {Fore.RESET}").strip().lower()
67 | if confirm != 'y':
68 | print()
69 | print(f"{Fore.RED}[!] Action cancelled. Exiting...")
70 | return
71 |
72 | for token in selected_tokens:
73 | def dm_deleter(token, channels):
74 | for channel in channels:
75 | try:
76 | requests.delete(
77 | f'https://discord.com/api/v7/channels/{channel["id"]}',
78 | headers={'Authorization': token}
79 | )
80 | print(
81 | f"{Fore.RED}[+] {Fore.RESET}Status: {Fore.RED}Deleted{Fore.RESET} | "
82 | f"Channel ID: {Fore.RED}{channel['id']}{Fore.RESET}"
83 | )
84 | except Exception as e:
85 | print(
86 | f"{Fore.RED}[!] Error Deleting Channel ID {Fore.MAGENTA}{channel['id']}: {e}"
87 | )
88 |
89 | print(f"{Fore.RED}[*] {Fore.GREEN}Retrieving DM Channels...")
90 | channels_response = requests.get(
91 | "https://discord.com/api/v9/users/@me/channels",
92 | headers={'Authorization': token}
93 | )
94 | channels = channels_response.json()
95 |
96 | if not channels:
97 | print(f"{Fore.RED}[!] No DMs found for token: {token}.")
98 | continue
99 |
100 | print(f"{Fore.RED}[!] {Fore.RESET}Deleting All DMs for token: {token}...")
101 | processes = []
102 | for channel_batch in [channels[i:i + 3] for i in range(0, len(channels), 3)]:
103 | t = threading.Thread(target=dm_deleter, args=(token, channel_batch))
104 | t.start()
105 | processes.append(t)
106 |
107 | for process in processes:
108 | process.join()
109 |
110 | print(f"{Fore.RED}[+] {Fore.GREEN}DM Deletion Completed for Token: {token}!")
111 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
112 | if __name__ == "__main__":
113 | run()
--------------------------------------------------------------------------------
/scripts/discord_token_info.py:
--------------------------------------------------------------------------------
1 | import requests
2 | from datetime import datetime, timezone
3 | from colorama import Fore, init
4 | import os
5 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
6 | init(autoreset=True)
7 |
8 | def extract_tokens(file_path):
9 | try:
10 | with open(file_path, 'r') as file:
11 | lines = file.readlines()
12 |
13 | tokens = [line.strip() for line in lines[2:] if line.strip()]
14 | return tokens
15 | except Exception as e:
16 | print(f"{Fore.RED}[!] Error reading tokens file: {e}")
17 | return []
18 |
19 | def get_token_info(token):
20 | try:
21 | response = requests.get(
22 | 'https://discord.com/api/v8/users/@me',
23 | headers={'Authorization': token, 'Content-Type': 'application/json'}
24 | )
25 | api = response.json()
26 | status = "Valid" if response.status_code == 200 else "Invalid"
27 |
28 | username_discord = api.get('username', "None") + '#' + api.get('discriminator', "None")
29 | return status, username_discord, token
30 | except:
31 | return "Invalid", "None", token
32 |
33 | def display_tokens(tokens):
34 | token_info_list = []
35 | print(f"\n{Fore.GREEN}Available Tokens:")
36 |
37 | for idx, token in enumerate(tokens, start=1):
38 | status, username, short_token = get_token_info(token)
39 | short_token = token[:40] + "..." if len(token) > 40 else token # Truncate for display
40 | print(f"{Fore.RED}[{Fore.MAGENTA}{idx}{Fore.RED}] -> {Fore.GREEN}Status: {Fore.RED}{status} {Fore.GREEN}| {Fore.GREEN}User: {Fore.RED}{username} {Fore.GREEN}| {Fore.GREEN}Token: {Fore.RED}{short_token}{Fore.RESET}")
41 | token_info_list.append((status, username, token))
42 |
43 | return token_info_list
44 |
45 | def run():
46 | tokens_file_path = "input/discord-tokens.txt"
47 | tokens = extract_tokens(tokens_file_path)
48 |
49 | if not tokens:
50 | print(f"{Fore.RED}[!] No tokens found in /input/discord-tokens.txt - Exiting...")
51 | return
52 |
53 | token_info_list = display_tokens(tokens)
54 |
55 | choice = input(f"\n{Fore.RED}[+] {Fore.GREEN}Enter token choice or 'A' to use all: {Fore.RESET}").strip()
56 |
57 | if choice.lower() == 'a':
58 | selected_tokens = tokens
59 | elif choice.isdigit() and 1 <= int(choice) <= len(tokens):
60 | selected_tokens = [tokens[int(choice) - 1]]
61 | else:
62 | print(f"{Fore.RED}[!] Invalid choice. Exiting...")
63 | return
64 | print(f"{Fore.YELLOW}Fetching info for selected token(s)...")
65 |
66 | for token in selected_tokens:
67 | response = requests.get(
68 | 'https://discord.com/api/v8/users/@me',
69 | headers={'Authorization': token, 'Content-Type': 'application/json'}
70 | )
71 | api = response.json()
72 | status = "Valid" if response.status_code == 200 else "Invalid"
73 |
74 | username_discord = api.get('username', "None") + '#' + api.get('discriminator', "None")
75 | display_name_discord = api.get('global_name', "None")
76 | user_id_discord = api.get('id', "None")
77 | email_discord = api.get('email', "None")
78 | email_verified_discord = api.get('verified', "None")
79 | phone_discord = api.get('phone', "None")
80 | mfa_discord = api.get('mfa_enabled', "None")
81 | country_discord = api.get('locale', "None")
82 | avatar_discord = api.get('avatar', "None")
83 | nitro_discord = {0: "None", 1: "Nitro Classic", 2: "Nitro Boost", 3: "Nitro Basic"}.get(api.get('premium_type', 0), "None")
84 |
85 | try:
86 | created_at_discord = datetime.fromtimestamp(((int(user_id_discord) >> 22) + 1420070400000) / 1000, timezone.utc)
87 | except:
88 | created_at_discord = "None"
89 |
90 | avatar_url_discord = f"https://cdn.discordapp.com/avatars/{user_id_discord}/{avatar_discord}.png" if avatar_discord != "None" else "None"
91 |
92 | print(f"""
93 | {Fore.RED}[+] {Fore.GREEN}Status : {Fore.RED}{status}{Fore.RESET}
94 | {Fore.RED}[+] {Fore.GREEN}Token : {Fore.RED}{token}{Fore.RESET}
95 | {Fore.RED}[+] {Fore.GREEN}Username : {Fore.RED}{username_discord}{Fore.RESET}
96 | {Fore.RED}[+] {Fore.GREEN}Display Name : {Fore.RED}{display_name_discord}{Fore.RESET}
97 | {Fore.RED}[+] {Fore.GREEN}ID : {Fore.RED}{user_id_discord}{Fore.RESET}
98 | {Fore.RED}[+] {Fore.GREEN}Created : {Fore.RED}{created_at_discord}{Fore.RESET}
99 | {Fore.RED}[+] {Fore.GREEN}Country : {Fore.RED}{country_discord}{Fore.RESET}
100 | {Fore.RED}[+] {Fore.GREEN}Email : {Fore.RED}{email_discord}{Fore.RESET}
101 | {Fore.RED}[+] {Fore.GREEN}Verified : {Fore.RED}{email_verified_discord}{Fore.RESET}
102 | {Fore.RED}[+] {Fore.GREEN}Phone : {Fore.RED}{phone_discord}{Fore.RESET}
103 | {Fore.RED}[+] {Fore.GREEN}Nitro : {Fore.RED}{nitro_discord}{Fore.RESET}
104 | {Fore.RED}[+] {Fore.GREEN}Avatar URL : {Fore.RED}{avatar_url_discord}{Fore.RESET}
105 | """)
106 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
107 | if __name__ == "__main__":
108 | run()
--------------------------------------------------------------------------------
/scripts/discord_token_block_friends.py:
--------------------------------------------------------------------------------
1 | import requests
2 | import threading
3 | from colorama import Fore, init
4 | from datetime import datetime, timezone
5 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
6 | init(autoreset=True)
7 |
8 | def ErrorModule(e):
9 |
10 | print(f"{Fore.RED}[!] {Fore.RED}Error: {e}")
11 |
12 | def extract_tokens(file_path):
13 | try:
14 | with open(file_path, 'r') as file:
15 | lines = file.readlines()
16 |
17 | tokens = [line.strip() for line in lines[2:] if line.strip()]
18 | return tokens
19 | except Exception as e:
20 | print(f"{Fore.RED}[!] Error reading tokens file: {e}")
21 | return []
22 |
23 | def get_token_info(token):
24 | try:
25 | response = requests.get(
26 | 'https://discord.com/api/v8/users/@me',
27 | headers={'Authorization': token, 'Content-Type': 'application/json'}
28 | )
29 | api = response.json()
30 | status = "Valid" if response.status_code == 200 else "Invalid"
31 |
32 | username_discord = api.get('username', "None") + '#' + api.get('discriminator', "None")
33 | return status, username_discord, token
34 | except:
35 | return "Invalid", "None", token
36 |
37 | def display_tokens(tokens):
38 | token_info_list = []
39 | print(f"\n{Fore.GREEN}Available Tokens:")
40 |
41 | for idx, token in enumerate(tokens, start=1):
42 | status, username, short_token = get_token_info(token)
43 | short_token = token[:40] + "..." if len(token) > 40 else token # Truncate for display
44 | print(f"{Fore.RED}[{Fore.MAGENTA}{idx}{Fore.RED}] -> {Fore.GREEN}Status: {Fore.RED}{status} {Fore.GREEN}| {Fore.GREEN}User: {Fore.RED}{username} {Fore.GREEN}| {Fore.GREEN}Token: {Fore.RED}{short_token}{Fore.RESET}")
45 | token_info_list.append((status, username, token))
46 |
47 | return token_info_list
48 |
49 | def BlockFriends(token, friends):
50 |
51 | for friend in friends:
52 | try:
53 | requests.put(
54 | f'https://discord.com/api/v9/users/@me/relationships/{friend["id"]}',
55 | headers={'Authorization': token},
56 | json={"type": 2}
57 | )
58 | print(f"{Fore.RED}[+] Blocked {Fore.MAGENTA}{friend['user']['username']}#{friend['user']['discriminator']}")
59 | except Exception as e:
60 | print(f"{Fore.RED}[!] {Fore.RED}Failed to block {Fore.MAGENTA}{friend['user']['username']}#{friend['user']['discriminator']}: {e}")
61 |
62 | def run():
63 |
64 | try:
65 | tokens_file_path = "input/discord-tokens.txt"
66 | tokens = extract_tokens(tokens_file_path)
67 |
68 | if not tokens:
69 | print(f"{Fore.RED}[!] No tokens found in /input/discord-tokens.txt - Exiting...")
70 | return
71 |
72 | token_info_list = display_tokens(tokens)
73 |
74 | choice = input(f"\n{Fore.RED}[+] {Fore.GREEN}Enter token choice or 'A' to use all: {Fore.RESET}").strip()
75 |
76 | if choice.lower() == 'a':
77 | selected_tokens = tokens
78 | elif choice.isdigit() and 1 <= int(choice) <= len(tokens):
79 | selected_tokens = [tokens[int(choice) - 1]]
80 | else:
81 | print(f"{Fore.RED}[!] Invalid choice. Exiting...")
82 | return
83 |
84 | for token in selected_tokens:
85 |
86 | friends = requests.get(
87 | "https://discord.com/api/v9/users/@me/relationships",
88 | headers={'Authorization': token}
89 | ).json()
90 |
91 | if not friends:
92 | print(f"{Fore.RED}[!] No friends found for token: {token}.")
93 | continue
94 |
95 | block_choice = input(
96 | f"{Fore.RED}[*] {Fore.GREEN}Enter 'all' to Block All Friends or Enter Specific Friend IDs Separated by Commas: {Fore.RESET}"
97 | ).strip()
98 |
99 | if block_choice.lower() == 'all':
100 | print(f"{Fore.RED}[*] {Fore.GREEN}Blocking All Friends for token: {token}...")
101 | threads = []
102 | for chunk in [friends[i:i + 3] for i in range(0, len(friends), 3)]:
103 | thread = threading.Thread(target=BlockFriends, args=(token, chunk))
104 | thread.start()
105 | threads.append(thread)
106 | for thread in threads:
107 | thread.join()
108 | else:
109 |
110 | friend_ids_to_block = [friend_id.strip() for friend_id in block_choice.split(",")]
111 | friends_to_block = [friend for friend in friends if str(friend['id']) in friend_ids_to_block]
112 |
113 | if not friends_to_block:
114 | print(f"{Fore.RED}[!] {Fore.RED}No matching friends found for token: {token}.")
115 | else:
116 | print(f"{Fore.RED}[*] {Fore.GREEN}Blocking Specified Friends for token: {token}...")
117 | threads = []
118 | for chunk in [friends_to_block[i:i + 3] for i in range(0, len(friends_to_block), 3)]:
119 | thread = threading.Thread(target=BlockFriends, args=(token, chunk))
120 | thread.start()
121 | threads.append(thread)
122 | for thread in threads:
123 | thread.join()
124 |
125 | except Exception as e:
126 | ErrorModule(e)
127 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
128 | if __name__ == "__main__":
129 | run()
130 |
--------------------------------------------------------------------------------
/scripts/discord_webhook_info.py:
--------------------------------------------------------------------------------
1 | import requests
2 | from colorama import Fore, init
3 | import os
4 | import json
5 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
6 | init(autoreset=True)
7 |
8 | def extract_webhooks(file_path):
9 | try:
10 | if not os.path.exists(file_path):
11 | print(f"{Fore.RED}[!] File not found: {file_path}")
12 | return []
13 |
14 | with open(file_path, 'r') as file:
15 | for _ in range(2):
16 | next(file, None)
17 | webhooks = [line.strip() for line in file if line.strip()]
18 | return webhooks
19 | except Exception as e:
20 | print(f"{Fore.RED}[!] Error reading webhooks file: {e}")
21 | return []
22 |
23 | def display_webhooks(webhooks):
24 | print(f"\n{Fore.GREEN}Available Webhooks:")
25 | for i, webhook in enumerate(webhooks, 1):
26 | short_webhook = webhook[:50] + "..." if len(webhook) > 50 else webhook
27 | print(f"{Fore.RED}[{Fore.MAGENTA}{i}{Fore.RED}] -> {Fore.GREEN}URL: {Fore.RED}{short_webhook}{Fore.RESET}")
28 |
29 | def get_webhook_info(webhook_url):
30 | try:
31 | headers = {
32 | 'Content-Type': 'application/json',
33 | }
34 |
35 | response = requests.get(webhook_url, headers=headers)
36 |
37 | if response.status_code == 200:
38 | data = response.json()
39 |
40 | info = {
41 | "name": data.get("name", "None"),
42 | "id": data.get("id", "None"),
43 | "token": data.get("token", "None"),
44 | "avatar": data.get("avatar", "None"),
45 | "type": "bot" if data.get("type") == 1 else "webhook utilisateur",
46 | "channel_id": data.get("channel_id", "None"),
47 | "guild_id": data.get("guild_id", "None"),
48 | "application_id": data.get("application_id", "None")
49 | }
50 |
51 | if 'user' in data:
52 | user = data['user']
53 | raw_flags = user.get("flags", "None")
54 | info.update({
55 | "user_id": user.get("id", "None"),
56 | "username": user.get("username", "None"),
57 | "global_name": user.get("global_name", "None"),
58 | "discriminator": user.get("discriminator", "None"),
59 | "user_avatar": user.get("avatar", "None"),
60 | "flags": f"{raw_flags} (Public: {raw_flags})",
61 | "accent_color": user.get("accent_color", "None"),
62 | "avatar_decoration": user.get("avatar_decoration_data", "None"),
63 | "banner": user.get("banner", "None"),
64 | "banner_color": user.get("banner_color", "None")
65 | })
66 |
67 | return info, True
68 | else:
69 | print(f"{Fore.RED}[!] Failed to get webhook info (Status: {response.status_code})")
70 | return None, False
71 |
72 | except Exception as e:
73 | print(f"{Fore.RED}[!] Error fetching webhook info: {e}")
74 | return None, False
75 |
76 | def display_webhook_info(info):
77 | print(f"""
78 | {Fore.RED}[+] {Fore.GREEN}Name : {Fore.RED}{info.get('name', 'None')}{Fore.RESET}
79 | {Fore.RED}[+] {Fore.GREEN}ID : {Fore.RED}{info.get('id', 'None')}{Fore.RESET}
80 | {Fore.RED}[+] {Fore.GREEN}Token : {Fore.RED}{info.get('token', 'None')}{Fore.RESET}
81 | {Fore.RED}[+] {Fore.GREEN}Type : {Fore.RED}{info.get('type', 'None')}{Fore.RESET}
82 | {Fore.RED}[+] {Fore.GREEN}Channel ID : {Fore.RED}{info.get('channel_id', 'None')}{Fore.RESET}
83 | {Fore.RED}[+] {Fore.GREEN}Server ID : {Fore.RED}{info.get('guild_id', 'None')}{Fore.RESET}
84 | {Fore.RED}[+] {Fore.GREEN}Avatar : {Fore.RED}{info.get('avatar', 'None')}{Fore.RESET}""")
85 |
86 | if 'user_id' in info:
87 | print(f"""
88 | {Fore.RED}[+] {Fore.GREEN}User Information:
89 | {Fore.RED}[+] {Fore.GREEN}User ID : {Fore.RED}{info.get('user_id', 'None')}{Fore.RESET}
90 | {Fore.RED}[+] {Fore.GREEN}Username : {Fore.RED}{info.get('username', 'None')}{Fore.RESET}
91 | {Fore.RED}[+] {Fore.GREEN}Display Name : {Fore.RED}{info.get('global_name', 'None')}{Fore.RESET}
92 | {Fore.RED}[+] {Fore.GREEN}Number : {Fore.RED}{info.get('discriminator', 'None')}{Fore.RESET}
93 | {Fore.RED}[+] {Fore.GREEN}Avatar : {Fore.RED}{info.get('user_avatar', 'None')}{Fore.RESET}
94 | {Fore.RED}[+] {Fore.GREEN}Flags : {Fore.RED}{info.get('flags', 'None')}{Fore.RESET}
95 | {Fore.RED}[+] {Fore.GREEN}Color : {Fore.RED}{info.get('accent_color', 'None')}{Fore.RESET}
96 | {Fore.RED}[+] {Fore.GREEN}Decoration : {Fore.RED}{info.get('avatar_decoration', 'None')}{Fore.RESET}
97 | {Fore.RED}[+] {Fore.GREEN}Banner : {Fore.RED}{info.get('banner', 'None')}{Fore.RESET}
98 | {Fore.RED}[+] {Fore.GREEN}Banner Color : {Fore.RED}{info.get('banner_color', 'None')}{Fore.RESET}""")
99 |
100 | def run():
101 | webhooks_file_path = "input/discord-webhooks.txt"
102 | webhooks = extract_webhooks(webhooks_file_path)
103 |
104 | if not webhooks:
105 | print(f"{Fore.RED}[!] No webhooks found in /input/discord-webhooks.txt - Exiting...")
106 | return
107 |
108 | display_webhooks(webhooks)
109 | choice = input(f"{Fore.RED}[+] {Fore.GREEN}Select Webhook >> ").strip()
110 |
111 | if choice.isdigit() and 1 <= int(choice) <= len(webhooks):
112 | selected_webhook = webhooks[int(choice) - 1]
113 | info, success = get_webhook_info(selected_webhook)
114 |
115 | if success and info:
116 | display_webhook_info(info)
117 | else:
118 | print(f"{Fore.RED}[!] Invalid choice. Exiting...")
119 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
120 | if __name__ == "__main__":
121 | run()
--------------------------------------------------------------------------------
/setup.sh:
--------------------------------------------------------------------------------
1 | #!/bin/bash
2 |
3 | # 3TH1C4L MultiTool - Universal Linux Setup
4 | # Official Repo: https://github.com/RPxGoon/3TH1C4L-MultiTool
5 | #
6 | # Usage:
7 | # Local: ./setup.sh
8 | # Remote: curl -sSL https://raw.githubusercontent.com/RPxGoon/3TH1C4L-MultiTool/main/setup.sh | bash
9 |
10 | set -e
11 |
12 | clear
13 | echo -e "\e[31m"
14 | echo "╔═══════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════╗"
15 | echo "║ ║"
16 | echo "║ 3TH1C4L MultiTool - Linux Setup ║"
17 | echo "║ ║"
18 | echo "║ https://github.com/RPxGoon/3TH1C4L-MultiTool ║"
19 | echo "║ ║"
20 | echo "║ Thanks for the Support :) ║"
21 | echo "║ ║"
22 | echo "╚═══════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════════╝"
23 | echo -e "\e[0m"
24 | echo
25 |
26 | # Check if we need to download the repository first
27 | if [ ! -f "3th1c4l.py" ]; then
28 | echo -e "\e[34m[*] 3th1c4l.py not found - downloading repository...\e[0m"
29 |
30 | # Check if git is installed
31 | if ! command -v git &> /dev/null; then
32 | echo -e "\e[31m[!] Git is not installed. Please install git first.\e[0m"
33 | exit 1
34 | fi
35 |
36 | # Set installation directory
37 | INSTALL_DIR="$HOME/3TH1C4L-MultiTool"
38 |
39 | # Remove existing installation if it exists
40 | if [ -d "$INSTALL_DIR" ]; then
41 | echo -e "\e[34m[*] Removing existing installation...\e[0m"
42 | rm -rf "$INSTALL_DIR"
43 | fi
44 |
45 | # Clone the repository
46 | echo -e "\e[34m[*] Downloading 3TH1C4L MultiTool...\e[0m"
47 | git clone https://github.com/RPxGoon/3TH1C4L-MultiTool.git "$INSTALL_DIR"
48 |
49 | # Navigate to the directory
50 | cd "$INSTALL_DIR"
51 | echo -e "\e[32m[✓] Repository downloaded successfully\e[0m"
52 | fi
53 |
54 | # Detect Linux distribution
55 | echo -e "\e[34m[*] Detecting Linux distribution...\e[0m"
56 | if [ -f /etc/os-release ]; then
57 | . /etc/os-release
58 | DISTRO=$ID
59 | else
60 | echo -e "\e[31m[!] Could not detect Linux distribution\e[0m"
61 | exit 1
62 | fi
63 |
64 | echo -e "\e[32m[✓] Detected: $PRETTY_NAME\e[0m"
65 |
66 | # Check if Python 3 is installed
67 | echo -e "\e[34m[*] Checking for Python 3...\e[0m"
68 | if command -v python3 &> /dev/null; then
69 | PYTHON_VERSION=$(python3 --version 2>&1 | cut -d' ' -f2)
70 | echo -e "\e[32m[✓] Python 3 is installed (version $PYTHON_VERSION)\e[0m"
71 | PYTHON_CMD="python3"
72 | elif command -v python &> /dev/null; then
73 | PYTHON_VERSION=$(python --version 2>&1 | cut -d' ' -f2)
74 | if [[ $PYTHON_VERSION == 3* ]]; then
75 | echo -e "\e[32m[✓] Python 3 is installed (version $PYTHON_VERSION)\e[0m"
76 | PYTHON_CMD="python"
77 | else
78 | echo -e "\e[33m[!] Python 2 detected, need to install Python 3\e[0m"
79 | PYTHON_CMD="python3"
80 | fi
81 | else
82 | echo -e "\e[33m[!] Python 3 not found, installing...\e[0m"
83 | PYTHON_CMD="python3"
84 | fi
85 |
86 | # Install Python 3 if needed
87 | if ! command -v $PYTHON_CMD &> /dev/null; then
88 | echo -e "\e[34m[*] Installing Python 3...\e[0m"
89 |
90 | case $DISTRO in
91 | ubuntu|debian|linuxmint|pop|elementary|zorin|kali)
92 | sudo apt update && sudo apt install -y python3 python3-pip python3-venv python3-tk
93 | ;;
94 | fedora|rhel|centos|rocky|almalinux)
95 | if command -v dnf &> /dev/null; then
96 | sudo dnf install -y python3 python3-pip python3-tkinter
97 | else
98 | sudo yum install -y python3 python3-pip tkinter
99 | fi
100 | ;;
101 | arch|manjaro|endeavouros|garuda|cachyos|artix)
102 | sudo pacman -S --noconfirm python python-pip tk
103 | ;;
104 | opensuse*|sles)
105 | sudo zypper install -y python3 python3-pip python3-tk
106 | ;;
107 | alpine)
108 | sudo apk add python3 py3-pip tk
109 | ;;
110 | gentoo)
111 | sudo emerge -av dev-lang/python:3.11
112 | ;;
113 | void)
114 | sudo xbps-install -S python3 python3-pip python3-tkinter
115 | ;;
116 | *)
117 | echo -e "\e[31m[!] Unsupported distribution: $DISTRO\e[0m"
118 | echo -e "\e[33m[!] Please install Python 3 manually and run this script again\e[0m"
119 | exit 1
120 | ;;
121 | esac
122 |
123 | # Check if installation was successful
124 | if ! command -v $PYTHON_CMD &> /dev/null; then
125 | echo -e "\e[31m[!] Python 3 installation failed!\e[0m"
126 | exit 1
127 | fi
128 |
129 | echo -e "\e[32m[✓] Python 3 installed successfully\e[0m"
130 | fi
131 |
132 | # Check if pip is available
133 | echo -e "\e[34m[*] Checking for pip...\e[0m"
134 | if ! $PYTHON_CMD -m pip --version &> /dev/null; then
135 | echo -e "\e[33m[!] pip not found, installing...\e[0m"
136 |
137 | case $DISTRO in
138 | ubuntu|debian|linuxmint|pop|elementary|zorin|kali)
139 | sudo apt install -y python3-pip
140 | ;;
141 | fedora|rhel|centos|rocky|almalinux)
142 | if command -v dnf &> /dev/null; then
143 | sudo dnf install -y python3-pip
144 | else
145 | sudo yum install -y python3-pip
146 | fi
147 | ;;
148 | arch|manjaro|endeavouros|garuda|cachyos|artix)
149 | sudo pacman -S --noconfirm python-pip
150 | ;;
151 | opensuse*|sles)
152 | sudo zypper install -y python3-pip
153 | ;;
154 | alpine)
155 | sudo apk add py3-pip
156 | ;;
157 | *)
158 | echo -e "\e[31m[!] Please install pip manually\e[0m"
159 | exit 1
160 | ;;
161 | esac
162 | fi
163 |
164 | echo -e "\e[32m[✓] pip is available\e[0m"
165 |
166 | # Create virtual environment to avoid system package conflicts
167 | echo -e "\e[34m[*] Creating virtual environment...\e[0m"
168 | if [ -d ".venv" ]; then
169 | rm -rf .venv
170 | fi
171 | $PYTHON_CMD -m venv .venv
172 |
173 | # Activate virtual environment
174 | echo -e "\e[34m[*] Activating virtual environment...\e[0m"
175 | source .venv/bin/activate
176 |
177 | # Install requirements in virtual environment
178 | echo -e "\e[34m[*] Installing requirements in virtual environment...\e[0m"
179 | python -m pip install --upgrade pip
180 | python -m pip install -r requirements.txt
181 |
182 | if [ $? -eq 0 ]; then
183 | echo -e "\e[32m[✓] All requirements installed successfully!\e[0m"
184 |
185 | # Launch the tool
186 | echo -e "\e[34m[*] Launching 3TH1C4L MultiTool...\e[0m"
187 | python 3th1c4l.py
188 | else
189 | echo -e "\e[31m[!] Failed to install requirements\e[0m"
190 | exit 1
191 | fi
192 |
193 | echo -e "\e[32m[✓] Setup complete!\e[0m"
194 | echo -e "\e[34m[*] To run the tool again:\e[0m"
195 | echo -e "\e[34m cd $(pwd) && source .venv/bin/activate && python 3th1c4l.py\e[0m"
196 |
--------------------------------------------------------------------------------
/scripts/discord_webhook_spammer.py:
--------------------------------------------------------------------------------
1 | import requests
2 | from colorama import Fore, init
3 | import os
4 | import time
5 | import asyncio
6 | import aiohttp
7 | import random
8 | from datetime import datetime, timedelta
9 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
10 | init(autoreset=True)
11 |
12 | def format_time(seconds):
13 | if seconds == float('inf'):
14 | return "Unknown"
15 | return str(timedelta(seconds=int(seconds)))
16 |
17 | class RateLimiter:
18 | def __init__(self):
19 | self.reset_time = time.time()
20 | self.success_count = 0
21 | self.fail_count = 0
22 | self.delay = 0.1
23 | self.last_success = time.time()
24 | self.consecutive_fails = 0
25 |
26 | async def should_send(self):
27 |
28 | success_ratio = self.success_count / (self.success_count + self.fail_count + 1)
29 | if success_ratio < 0.5:
30 | self.delay = min(2.0, self.delay * 1.2)
31 | elif success_ratio > 0.8:
32 | self.delay = max(0.1, self.delay * 0.8)
33 |
34 | await asyncio.sleep(self.delay)
35 | return True
36 |
37 | def update_stats(self, success):
38 | if success:
39 | self.success_count += 1
40 | self.consecutive_fails = 0
41 | self.last_success = time.time()
42 | else:
43 | self.fail_count += 1
44 | self.consecutive_fails += 1
45 |
46 | class MessageQueue:
47 | def __init__(self, total_messages):
48 | self.queue = asyncio.Queue()
49 | self.failed_queue = asyncio.Queue()
50 | self.total = total_messages
51 | self.sent = 0
52 | self.retries = 0
53 | self.start_time = time.time()
54 |
55 | async def add_failed(self, message_id):
56 | await self.failed_queue.put(message_id)
57 | self.retries += 1
58 |
59 | def get_stats(self):
60 | elapsed = time.time() - self.start_time
61 | rate = self.sent / elapsed if elapsed > 0 else 0
62 | remaining = self.total - self.sent
63 | eta = remaining / rate if rate > 0 else float('inf')
64 | return rate, eta, remaining
65 |
66 | def extract_webhooks(file_path):
67 | try:
68 | if not os.path.exists(file_path):
69 | print(f"{Fore.RED}[!] File not found: {file_path}")
70 | return []
71 |
72 | with open(file_path, 'r') as file:
73 | for _ in range(2):
74 | next(file)
75 |
76 | webhooks = [line.strip() for line in file if line.strip()]
77 | return webhooks
78 | except Exception as e:
79 | print(f"{Fore.RED}[!] Error reading webhooks file: {e}")
80 | return []
81 |
82 | def display_webhooks(webhooks):
83 | print(f"\n{Fore.GREEN}Available Webhooks:")
84 | for i, webhook in enumerate(webhooks, 1):
85 | short_webhook = webhook[:50] + "..." if len(webhook) > 50 else webhook
86 | print(f"{Fore.RED}[{Fore.MAGENTA}{i}{Fore.RED}] -> {Fore.GREEN}URL: {Fore.RED}{short_webhook}{Fore.RESET}")
87 |
88 | async def send_message(session, webhook, message, message_id, queue, rate_limiter):
89 | try:
90 | await rate_limiter.should_send()
91 |
92 | headers = {
93 | 'Content-Type': 'application/json',
94 | 'User-Agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36'
95 | }
96 |
97 | async with session.post(webhook, json={"content": message}, headers=headers, timeout=5) as response:
98 | if response.status == 429:
99 | retry_after = float(response.headers.get('Retry-After', 1))
100 | rate_limiter.update_stats(False)
101 | print(f"{Fore.RED}[!] {Fore.GREEN}Rate Limited : {Fore.RED}Message queued ({retry_after:.1f}s){Fore.RESET}")
102 | await queue.add_failed(message_id)
103 | return False
104 |
105 | elif response.status == 204:
106 | rate_limiter.update_stats(True)
107 | queue.sent += 1
108 | print(f"{Fore.RED}[+] {Fore.GREEN}Success : {Fore.RED}Message sent{Fore.RESET}")
109 | return True
110 |
111 | else:
112 | rate_limiter.update_stats(False)
113 | print(f"{Fore.RED}[!] {Fore.GREEN}Failed : {Fore.RED}Status {response.status}{Fore.RESET}")
114 | if response.status != 404:
115 | await queue.add_failed(message_id)
116 | return False
117 |
118 | except Exception as e:
119 | print(f"{Fore.RED}[!] {Fore.GREEN}Error : {Fore.RED}{str(e)}{Fore.RESET}")
120 | await queue.add_failed(message_id)
121 | return False
122 |
123 | async def spam_webhook(webhook, message, count):
124 | connector = aiohttp.TCPConnector(limit=None, ttl_dns_cache=300)
125 | timeout = aiohttp.ClientTimeout(total=30)
126 | rate_limiter = RateLimiter()
127 | queue = MessageQueue(count)
128 |
129 | async with aiohttp.ClientSession(connector=connector, timeout=timeout) as session:
130 | message_ids = list(range(count))
131 | chunk_size = 4
132 |
133 | while message_ids or not queue.failed_queue.empty():
134 | current_chunk = []
135 |
136 |
137 | while len(current_chunk) < chunk_size:
138 | if message_ids:
139 | current_chunk.append(message_ids.pop(0))
140 | elif not queue.failed_queue.empty():
141 | failed_id = await queue.failed_queue.get()
142 | current_chunk.append(failed_id)
143 | else:
144 | break
145 |
146 | if not current_chunk:
147 | break
148 |
149 | tasks = [
150 | asyncio.create_task(
151 | send_message(session, webhook, message, msg_id, queue, rate_limiter)
152 | )
153 | for msg_id in current_chunk
154 | ]
155 |
156 | await asyncio.gather(*tasks)
157 |
158 | rate, eta, remaining = queue.get_stats()
159 | print(f"{Fore.YELLOW}Progress: {queue.sent}/{count} sent ({rate:.1f} msg/s | ETA: {format_time(eta)})")
160 |
161 |
162 | await asyncio.sleep(0.5)
163 |
164 | return queue.sent
165 |
166 | async def main():
167 | webhooks_file_path = "input/discord-webhooks.txt"
168 | webhooks = extract_webhooks(webhooks_file_path)
169 |
170 | if not webhooks:
171 | print(f"{Fore.RED}[!] No webhooks found in /input/discord-webhooks.txt")
172 | return
173 |
174 | display_webhooks(webhooks)
175 | print(f"\n{Fore.YELLOW}Select webhook or type 'A' to use all...")
176 | choice = input(f"{Fore.RED}[+] {Fore.GREEN}Webhook >> {Fore.RED}").strip()
177 |
178 | if choice.lower() == 'a':
179 | selected_webhooks = webhooks
180 | elif choice.isdigit() and 1 <= int(choice) <= len(webhooks):
181 | selected_webhooks = [webhooks[int(choice) - 1]]
182 | else:
183 | print(f"{Fore.RED}[!] Invalid choice. Exiting...")
184 | return
185 |
186 | message = input(f"{Fore.RED}[+] {Fore.GREEN}Message >> {Fore.RED}").strip()
187 | count = input(f"{Fore.RED}[+] {Fore.GREEN}Count >> {Fore.RED}").strip()
188 |
189 | try:
190 | count = int(count)
191 | if count < 1:
192 | raise ValueError
193 | except ValueError:
194 | print(f"{Fore.RED}[!] Invalid count. Exiting...")
195 | return
196 |
197 | print(f"\n{Fore.YELLOW}Starting...")
198 | total_start_time = time.time()
199 | total_sent = 0
200 |
201 | try:
202 | for webhook in selected_webhooks:
203 | sent = await spam_webhook(webhook, message, count)
204 | total_sent += sent
205 |
206 | except KeyboardInterrupt:
207 | print(f"\n{Fore.RED}[!] Operation interrupted by user")
208 | except Exception as e:
209 | print(f"\n{Fore.RED}[!] An error occurred: {str(e)}")
210 | finally:
211 | total_time = time.time() - total_start_time
212 | rate = total_sent / total_time if total_time > 0 else 0
213 |
214 | print(f"\n{Fore.RED}[+] {Fore.GREEN}Final Summary:")
215 | print(f"{Fore.RED}[+] {Fore.GREEN}Total Sent : {Fore.RED}{total_sent}")
216 | print(f"{Fore.RED}[+] {Fore.GREEN}Time Elapsed : {Fore.RED}{format_time(total_time)}")
217 | print(f"{Fore.RED}[+] {Fore.GREEN}Average Rate : {Fore.RED}{rate:.1f} msg/s")
218 | print(f"{Fore.RED}[+] {Fore.GREEN}Webhooks Used : {Fore.RED}{len(selected_webhooks)}")
219 |
220 | def run():
221 | asyncio.run(main())
222 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
223 | if __name__ == "__main__":
224 | run()
--------------------------------------------------------------------------------
/3th1c4l.py:
--------------------------------------------------------------------------------
1 | import os
2 | import sys
3 | import shutil
4 | import time
5 | import threading
6 | import itertools
7 | from functools import lru_cache
8 | from colorama import init, Fore, Style
9 | import questionary
10 | import getpass
11 | from importlib import import_module
12 | import requests
13 | from packaging import version
14 | import customtkinter as ctk
15 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
16 |
17 | CURRENT_VERSION = "1.0.7"
18 | GITHUB_REPO = "RPxGoon/3TH1C4L-MultiTool"
19 | GITHUB_API_URL = f"https://api.github.com/repos/{GITHUB_REPO}/releases/latest"
20 |
21 | init(autoreset=True)
22 | username = getpass.getuser()
23 |
24 | class UpdateCheckerGUI:
25 | def __init__(self):
26 | self.root = ctk.CTk()
27 | self.root.title("3TH1C4L Updater")
28 |
29 | window_width = 400
30 | window_height = 200
31 |
32 | screen_width = self.root.winfo_screenwidth()
33 | screen_height = self.root.winfo_screenheight()
34 | x = (screen_width - window_width) // 2
35 | y = (screen_height - window_height) // 2
36 |
37 |
38 | self.root.geometry(f"{window_width}x{window_height}+{x}+{y}")
39 | self.root.overrideredirect(True)
40 | self.root.attributes('-topmost', True)
41 |
42 |
43 | ctk.set_appearance_mode("dark")
44 |
45 |
46 | self.frame = ctk.CTkFrame(
47 | self.root,
48 | fg_color="#0a0a0a",
49 | corner_radius=12
50 | )
51 | self.frame.pack(expand=True, fill="both", padx=2, pady=2)
52 | self.content_frame = ctk.CTkFrame(
53 | self.frame,
54 | fg_color="transparent"
55 | )
56 | self.content_frame.place(relx=0.5, rely=0.5, anchor="center")
57 |
58 | self.title_label = ctk.CTkLabel(
59 | self.content_frame,
60 | text="3TH1C4L",
61 | font=("Segoe UI", 32, "bold"),
62 | text_color="#ff0000"
63 | )
64 | self.title_label.pack(pady=(0, 15))
65 |
66 | self.status = ctk.CTkLabel(
67 | self.content_frame,
68 | text="Checking for updates...",
69 | font=("Segoe UI", 14),
70 | text_color="#660bb1"
71 | )
72 | self.status.pack(pady=(0, 20))
73 |
74 | self.progress = ctk.CTkProgressBar(
75 | self.content_frame,
76 | width=300,
77 | height=3,
78 | corner_radius=1,
79 | progress_color="#ff0000",
80 | fg_color="#1a1a1a"
81 | )
82 | self.progress.pack()
83 | self.progress.start()
84 |
85 | self.root.update_idletasks()
86 | self.root.lift()
87 |
88 | def update_status(self, text):
89 | self.status.configure(text=text)
90 | self.root.update()
91 |
92 | def close(self):
93 | self.root.destroy()
94 |
95 | def check_for_updates():
96 | if os.name == 'nt':
97 | import ctypes
98 | ctypes.windll.user32.ShowWindow(ctypes.windll.kernel32.GetConsoleWindow(), 0)
99 |
100 | gui = UpdateCheckerGUI()
101 | gui.root.lift()
102 |
103 | try:
104 | response = requests.get(GITHUB_API_URL)
105 | if response.status_code == 200:
106 | latest_version = response.json()['tag_name'].replace('v', '')
107 |
108 | if version.parse(latest_version) > version.parse(CURRENT_VERSION):
109 | gui.update_status("Update found! Downloading...")
110 | time.sleep(1)
111 |
112 | download_url = response.json()['zipball_url']
113 | r = requests.get(download_url, stream=True)
114 |
115 | with open("update.zip", "wb") as f:
116 | for chunk in r.iter_content(chunk_size=8192):
117 | if chunk:
118 | f.write(chunk)
119 |
120 | gui.update_status("Installing update...")
121 | time.sleep(1)
122 |
123 | import zipfile
124 | with zipfile.ZipFile("update.zip", 'r') as zip_ref:
125 | zip_ref.extractall("update_temp")
126 |
127 | update_folder = os.path.join("update_temp", os.listdir("update_temp")[0])
128 | for item in os.listdir(update_folder):
129 | src = os.path.join(update_folder, item)
130 | dst = os.path.join(os.path.dirname(__file__), item)
131 | if os.path.isfile(src):
132 | shutil.copy2(src, dst)
133 | elif os.path.isdir(src):
134 | if os.path.exists(dst):
135 | shutil.rmtree(dst)
136 | shutil.copytree(src, dst)
137 |
138 | shutil.rmtree("update_temp")
139 | os.remove("update.zip")
140 |
141 | gui.update_status("Update complete! Restarting...")
142 | time.sleep(2)
143 | gui.close()
144 |
145 | if os.name == 'nt':
146 | ctypes.windll.user32.ShowWindow(ctypes.windll.kernel32.GetConsoleWindow(), 1)
147 |
148 | os.execl(sys.executable, sys.executable, *sys.argv)
149 | else:
150 | gui.update_status("No updates available")
151 | time.sleep(1)
152 | gui.close()
153 |
154 | except Exception as e:
155 | gui.update_status(f"Update check failed")
156 | time.sleep(1)
157 | gui.close()
158 |
159 | if os.name == 'nt':
160 | ctypes.windll.user32.ShowWindow(ctypes.windll.kernel32.GetConsoleWindow(), 1)
161 |
162 | try:
163 | gui.root.destroy()
164 | except:
165 | pass
166 |
167 | def loading_spinner():
168 | spinner = itertools.cycle(['⠋', '⠙', '⠹', '⠸', '⠼', '⠴', '⠦', '⠧', '⠇', '⠏'])
169 | while not loading_spinner.done:
170 | sys.stdout.write(f'\r{Fore.RED}Loading {Fore.LIGHTGREEN_EX}{next(spinner)} ')
171 | sys.stdout.flush()
172 | time.sleep(0.1)
173 | sys.stdout.write('\r' + ' ' * 20 + '\r')
174 | sys.stdout.flush()
175 |
176 | loading_spinner.done = False
177 |
178 | def animate_loading(duration=1.0):
179 | loading_spinner.done = False
180 | spinner_thread = threading.Thread(target=loading_spinner)
181 | spinner_thread.start()
182 | time.sleep(duration)
183 | loading_spinner.done = True
184 | spinner_thread.join()
185 |
186 | @lru_cache(maxsize=1)
187 | def get_terminal_width(default_width=80):
188 | try:
189 | width = shutil.get_terminal_size().columns
190 | return max(80, width)
191 | except Exception:
192 | return default_width
193 |
194 | def set_cmd_title_and_color():
195 | if os.name == 'nt':
196 | os.system('title [3TH1C4L] Multi-Tool && color 0A')
197 |
198 |
199 | TOOLS = {
200 | '1': {'name': 'My Public IP Address', 'module': 'scripts.show_my_ip', 'function': 'run', 'page': 1},
201 | '2': {'name': 'IP Scanner', 'module': 'scripts.ip_scanner', 'function': 'run', 'page': 1},
202 | '3': {'name': 'IP Pinger', 'module': 'scripts.ip_pinger', 'function': 'run_ip_pinger', 'page': 1},
203 | '4': {'name': 'IP Port Scanner', 'module': 'scripts.ip_port_scanner', 'function': 'run', 'page': 1},
204 | '5': {'name': 'Website Info Scanner', 'module': 'scripts.website_info_scanner', 'function': 'run', 'page': 1},
205 | '6': {'name': 'Username Tracker', 'module': 'scripts.username_tracker', 'function': 'run', 'page': 1},
206 | '11': {'name': 'Password Generator', 'module': 'scripts.password_generator', 'function': 'run', 'page': 1},
207 | '16': {'name': 'Discord Server Info', 'module': 'scripts.discord_server_info', 'function': 'run', 'page': 2},
208 | '17': {'name': 'Discord Nitro Generator', 'module': 'scripts.discord_nitro_generator', 'function': 'run', 'page': 2},
209 | '21': {'name': 'Discord Webhook Deleter', 'module': 'scripts.discord_webhook_deleter', 'function': 'run', 'page': 2},
210 | '22': {'name': 'Discord Webhook Spammer', 'module': 'scripts.discord_webhook_spammer', 'function': 'run', 'page': 2},
211 | '23': {'name': 'Discord Webhook Info', 'module': 'scripts.discord_webhook_info', 'function': 'run', 'page': 2},
212 | '26': {'name': 'Discord Token Info', 'module': 'scripts.discord_token_info', 'function': 'run', 'page': 2},
213 | '27': {'name': 'Token Delete DM', 'module': 'scripts.discord_token_delete_dm', 'function': 'run', 'page': 2},
214 | '28': {'name': 'Discord Token User ID Blocker', 'module': 'scripts.discord_token_block_friends', 'function': 'run', 'page': 2},
215 | }
216 |
217 |
218 | def smooth_gradient_print(text, start_color, end_color):
219 | steps = len(text) - 1 if len(text) > 1 else 1
220 | r_start, g_start, b_start = start_color
221 | r_end, g_end, b_end = end_color
222 |
223 | gradient_text = "".join(
224 | f'\033[38;2;{int(r_start + (r_end - r_start) * (i / steps))};'
225 | f'{int(g_start + (g_end - g_start) * (i / steps))};'
226 | f'{int(b_start + (b_end - b_start) * (i / steps))}m{char}'
227 | for i, char in enumerate(text)
228 | )
229 | print(gradient_text + Style.RESET_ALL)
230 |
231 | def center_text(text, width=None):
232 | return text.center(width or get_terminal_width())
233 |
234 | ASCII_LOGO = r"""
235 | /* ++------------------------------------------------------------------++ */
236 | /* ++------------------------------------------------------------------++ */
237 | /* || ▓█████ ▄▄▄█████▓ ██░ ██ ▐██▌ ▄████▄ ▄▄▄ ██▓ || */
238 | /* || ▓█ ▀ ▓ ██▒ ▓▒▓██░ ██▒ ▐██▌ ▒██▀ ▀█ ▒████▄ ▓██▒ || */
239 | /* || ▒███ ▒ ▓██░ ▒░▒██▀▀██░ ▐██▌ ▒▓█ ▄ ▒██ ▀█▄ ▒██░ || */
240 | /* || ▒▓█ ▄ ░ ▓██▓ ░ ░▓█ ░██ ▓██▒ ▒▓▓▄ ▄██▒░██▄▄▄▄██ ▒██░ || */
241 | /* || ░▒████▒ ▒██▒ ░ ░▓█▒░██▓ ▒▄▄ ▒ ▓███▀ ░ ▓█ ▓██▒░██████▒ || */
242 | /* || ░░ ▒░ ░ ▒ ░░ ▒ ░░▒░▒ ░▀▀▒ ░ ░▒ ▒ ░ ▒▒ ▓▒█░░ ▒░▓ ░ || */
243 | /* || ░ ░ ░ ░ ▒ ░▒░ ░ ░ ░ ░ ▒ ▒ ▒▒ ░░ ░ ▒ ░ || */
244 | /* || ░ ░ ░ ░░ ░ ░ ░ ░ ▒ ░ ░ || */
245 | /* || ░ ░ ░ ░ ░ ░ ░ ░ ░ ░ ░ ░ || */
246 | /* || [RPxGoon]░ || */
247 | /* ++------------------------------------------------------------------++ */
248 | /* ++------------------------------------------------------------------++ */
249 |
250 | Simple 'CLI' Python Multi-Tool
251 | [https://github.com/RPxGoon/3TH1C4L-MultiTool]
252 | """
253 |
254 | def print_ascii_logo():
255 | width = get_terminal_width()
256 | start_color = (255, 0, 0)
257 | end_color = (102, 11, 193)
258 | for line in ASCII_LOGO.splitlines():
259 | smooth_gradient_print(center_text(line, width), start_color, end_color)
260 |
261 | def print_menu(page=1):
262 | os.system('cls' if os.name == 'nt' else 'clear')
263 | width = get_terminal_width()
264 | print_ascii_logo()
265 |
266 | if page == 1:
267 | section_width = width // 3
268 | box_border_length = section_width - 2
269 |
270 | print(Fore.MAGENTA + "╓" + "─" * box_border_length + "╖" + "╓" + "─" * box_border_length + "╖" + "╓" + "─" * box_border_length + "╖")
271 | print(Fore.MAGENTA + " NETWORK SCANNERS".center(box_border_length) + " OSINT".center(box_border_length) + " OTHER".center(box_border_length))
272 | print(Fore.MAGENTA + "╙" + "─" * box_border_length + "╜" + "╙" + "─" * box_border_length + "╜" + "╙" + "─" * box_border_length + "╜")
273 |
274 | print(f"{Fore.RED}├─ [{Fore.MAGENTA}01{Fore.RED}] Show My IP".ljust(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}06{Fore.RED}] Username Tracker".center(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}11{Fore.RED}] Password Generator".rjust(section_width))
275 | print(f"{Fore.RED}├─ [{Fore.MAGENTA}02{Fore.RED}] IP Scanner".ljust(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}07{Fore.RED}] Coming Soon...".center(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}12{Fore.RED}] Coming Soon...".rjust(section_width))
276 | print(f"{Fore.RED}├─ [{Fore.MAGENTA}03{Fore.RED}] IP Pinger".ljust(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}08{Fore.RED}] Coming Soon...".center(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}13{Fore.RED}] Coming Soon...".rjust(section_width))
277 | print(f"{Fore.RED}├─ [{Fore.MAGENTA}04{Fore.RED}] IP Port Scanner".ljust(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}09{Fore.RED}] Coming Soon...".center(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}14{Fore.RED}] Coming Soon...".rjust(section_width))
278 | print(f"{Fore.RED}├─ [{Fore.MAGENTA}05{Fore.RED}] Website Info Scanner".ljust(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}10{Fore.RED}] Coming Soon...".center(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}15{Fore.RED}] Coming Soon...".rjust(section_width))
279 |
280 | elif page == 2:
281 | section_width = width // 3
282 |
283 | print(Fore.MAGENTA + "╓" + "─" * (width - 2) + "╖")
284 | print(Fore.MAGENTA + " " * ((width - len("DISCORD TOOLS")) // 2) + "DISCORD TOOLS")
285 | print(Fore.MAGENTA + "╙" + "─" * (width - 2) + "╜")
286 |
287 | print(f"{Fore.RED}├─ [{Fore.MAGENTA}16{Fore.RED}] Discord Server Info".ljust(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}21{Fore.RED}] Discord Webhook Delete".center(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}26{Fore.RED}] Discord Token Info".rjust(section_width))
288 | print(f"{Fore.RED}├─ [{Fore.MAGENTA}17{Fore.RED}] Discord Nitro Generator".ljust(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}22{Fore.RED}] Discord Webhook Spammer".center(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}27{Fore.RED}] Discord Token Delete DM".rjust(section_width))
289 | print(f"{Fore.RED}├─ [{Fore.MAGENTA}18{Fore.RED}] Coming Soon...".ljust(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}23{Fore.RED}] Discord Webhook Info".center(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}28{Fore.RED}] Discord Token Friend Blocker".rjust(section_width))
290 | print(f"{Fore.RED}├─ [{Fore.MAGENTA}19{Fore.RED}] Coming Soon...".ljust(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}24{Fore.RED}] Coming Soon...".center(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}29{Fore.RED}] Coming Soon...".rjust(section_width))
291 | print(f"{Fore.RED}├─ [{Fore.MAGENTA}20{Fore.RED}] Coming Soon...".ljust(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}25{Fore.RED}] Coming Soon...".center(section_width) + f"{Fore.RED} ├─ [{Fore.MAGENTA}30{Fore.RED}] Coming Soon...".rjust(section_width))
292 |
293 | print(f"{''.rjust((126))}{Fore.RED} {Fore.RED}├─ [{Fore.MAGENTA}N{Fore.RED}] Next | [{Fore.MAGENTA}B{Fore.RED}] Back | [{Fore.MAGENTA}E{Fore.RED}] Exit".rjust(126))
294 | print()
295 |
296 | CUSTOM_STYLE = questionary.Style([
297 | ("question", "bold lime"),
298 | ("answer", "lime"),
299 | ("pointer", "lime"),
300 | ("selected", "lime"),
301 | ("input", "lime"),
302 | ("highlighted", "lime"),
303 | ("instruction", "lime"),
304 | ("text", "red bold"),
305 | ("prompt", "lime"),
306 | ])
307 |
308 | def run_tool():
309 | set_cmd_title_and_color()
310 | current_page = 1
311 |
312 | while True:
313 | print_menu(current_page)
314 | choice = questionary.text(
315 | f"┌──({username}@3TH1C4L)─[~/main]\n └─$",
316 | qmark="",
317 | style=CUSTOM_STYLE,
318 | ).ask()
319 |
320 | if choice.lower() == 'n' and current_page == 1:
321 | animate_loading(0.3)
322 | current_page = 2
323 | elif choice.lower() == 'b' and current_page == 2:
324 | animate_loading(0.3)
325 | current_page = 1
326 | elif choice.lower() == 'e':
327 | animate_loading(0.5)
328 | print(f"{Fore.RED}[!] {Fore.LIGHTGREEN_EX}Exiting... Goodbye!")
329 | break
330 | elif choice in TOOLS:
331 | tool = TOOLS[choice]
332 | if tool['page'] == current_page:
333 | animate_loading(0.3)
334 | print(f"{Fore.MAGENTA}[{tool['name']}]")
335 | print()
336 | module = import_module(tool['module'])
337 | getattr(module, tool['function'])()
338 | else:
339 | animate_loading(0.3)
340 | print(f"{Fore.RED}[!] Invalid Choice. Please Select a Valid Option")
341 | else:
342 | animate_loading(0.3)
343 | print(f"{Fore.RED}[!] Invalid Choice. Please Select a Valid Option")
344 |
345 | if choice.lower() not in ['n', 'b', 'e']:
346 | input(f"{Fore.RED}[*] {Fore.LIGHTGREEN_EX}Press 'Enter' to Continue...")
347 |
348 | os.system('cls' if os.name == 'nt' else 'clear')
349 | # -- PLEASE DO NOT REMOVE THIS LINE -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- DO NOT CHANGE CODE AND BRAND AS YOUR OWN WITHOUT GIVING CREDITS TO ORIGINAL -- OFFICIAL REPO: https://github.com/RPxGoon/3TH1C4L-MultiTool -- PLEASE DO NOT REMOVE THIS LINE --
350 | if __name__ == "__main__":
351 | check_for_updates()
352 | run_tool()
353 |
--------------------------------------------------------------------------------
/LICENSE:
--------------------------------------------------------------------------------
1 | GNU GENERAL PUBLIC LICENSE
2 | Version 3, 29 June 2007
3 |
4 | Copyright (C) 2007 Free Software Foundation, Inc.
5 | Everyone is permitted to copy and distribute verbatim copies
6 | of this license document, but changing it is not allowed.
7 |
8 | Preamble
9 |
10 | The GNU General Public License is a free, copyleft license for
11 | software and other kinds of works.
12 |
13 | The licenses for most software and other practical works are designed
14 | to take away your freedom to share and change the works. By contrast,
15 | the GNU General Public License is intended to guarantee your freedom to
16 | share and change all versions of a program--to make sure it remains free
17 | software for all its users. We, the Free Software Foundation, use the
18 | GNU General Public License for most of our software; it applies also to
19 | any other work released this way by its authors. You can apply it to
20 | your programs, too.
21 |
22 | When we speak of free software, we are referring to freedom, not
23 | price. Our General Public Licenses are designed to make sure that you
24 | have the freedom to distribute copies of free software (and charge for
25 | them if you wish), that you receive source code or can get it if you
26 | want it, that you can change the software or use pieces of it in new
27 | free programs, and that you know you can do these things.
28 |
29 | To protect your rights, we need to prevent others from denying you
30 | these rights or asking you to surrender the rights. Therefore, you have
31 | certain responsibilities if you distribute copies of the software, or if
32 | you modify it: responsibilities to respect the freedom of others.
33 |
34 | For example, if you distribute copies of such a program, whether
35 | gratis or for a fee, you must pass on to the recipients the same
36 | freedoms that you received. You must make sure that they, too, receive
37 | or can get the source code. And you must show them these terms so they
38 | know their rights.
39 |
40 | Developers that use the GNU GPL protect your rights with two steps:
41 | (1) assert copyright on the software, and (2) offer you this License
42 | giving you legal permission to copy, distribute and/or modify it.
43 |
44 | For the developers' and authors' protection, the GPL clearly explains
45 | that there is no warranty for this free software. For both users' and
46 | authors' sake, the GPL requires that modified versions be marked as
47 | changed, so that their problems will not be attributed erroneously to
48 | authors of previous versions.
49 |
50 | Some devices are designed to deny users access to install or run
51 | modified versions of the software inside them, although the manufacturer
52 | can do so. This is fundamentally incompatible with the aim of
53 | protecting users' freedom to change the software. The systematic
54 | pattern of such abuse occurs in the area of products for individuals to
55 | use, which is precisely where it is most unacceptable. Therefore, we
56 | have designed this version of the GPL to prohibit the practice for those
57 | products. If such problems arise substantially in other domains, we
58 | stand ready to extend this provision to those domains in future versions
59 | of the GPL, as needed to protect the freedom of users.
60 |
61 | Finally, every program is threatened constantly by software patents.
62 | States should not allow patents to restrict development and use of
63 | software on general-purpose computers, but in those that do, we wish to
64 | avoid the special danger that patents applied to a free program could
65 | make it effectively proprietary. To prevent this, the GPL assures that
66 | patents cannot be used to render the program non-free.
67 |
68 | The precise terms and conditions for copying, distribution and
69 | modification follow.
70 |
71 | TERMS AND CONDITIONS
72 |
73 | 0. Definitions.
74 |
75 | "This License" refers to version 3 of the GNU General Public License.
76 |
77 | "Copyright" also means copyright-like laws that apply to other kinds of
78 | works, such as semiconductor masks.
79 |
80 | "The Program" refers to any copyrightable work licensed under this
81 | License. Each licensee is addressed as "you". "Licensees" and
82 | "recipients" may be individuals or organizations.
83 |
84 | To "modify" a work means to copy from or adapt all or part of the work
85 | in a fashion requiring copyright permission, other than the making of an
86 | exact copy. The resulting work is called a "modified version" of the
87 | earlier work or a work "based on" the earlier work.
88 |
89 | A "covered work" means either the unmodified Program or a work based
90 | on the Program.
91 |
92 | To "propagate" a work means to do anything with it that, without
93 | permission, would make you directly or secondarily liable for
94 | infringement under applicable copyright law, except executing it on a
95 | computer or modifying a private copy. Propagation includes copying,
96 | distribution (with or without modification), making available to the
97 | public, and in some countries other activities as well.
98 |
99 | To "convey" a work means any kind of propagation that enables other
100 | parties to make or receive copies. Mere interaction with a user through
101 | a computer network, with no transfer of a copy, is not conveying.
102 |
103 | An interactive user interface displays "Appropriate Legal Notices"
104 | to the extent that it includes a convenient and prominently visible
105 | feature that (1) displays an appropriate copyright notice, and (2)
106 | tells the user that there is no warranty for the work (except to the
107 | extent that warranties are provided), that licensees may convey the
108 | work under this License, and how to view a copy of this License. If
109 | the interface presents a list of user commands or options, such as a
110 | menu, a prominent item in the list meets this criterion.
111 |
112 | 1. Source Code.
113 |
114 | The "source code" for a work means the preferred form of the work
115 | for making modifications to it. "Object code" means any non-source
116 | form of a work.
117 |
118 | A "Standard Interface" means an interface that either is an official
119 | standard defined by a recognized standards body, or, in the case of
120 | interfaces specified for a particular programming language, one that
121 | is widely used among developers working in that language.
122 |
123 | The "System Libraries" of an executable work include anything, other
124 | than the work as a whole, that (a) is included in the normal form of
125 | packaging a Major Component, but which is not part of that Major
126 | Component, and (b) serves only to enable use of the work with that
127 | Major Component, or to implement a Standard Interface for which an
128 | implementation is available to the public in source code form. A
129 | "Major Component", in this context, means a major essential component
130 | (kernel, window system, and so on) of the specific operating system
131 | (if any) on which the executable work runs, or a compiler used to
132 | produce the work, or an object code interpreter used to run it.
133 |
134 | The "Corresponding Source" for a work in object code form means all
135 | the source code needed to generate, install, and (for an executable
136 | work) run the object code and to modify the work, including scripts to
137 | control those activities. However, it does not include the work's
138 | System Libraries, or general-purpose tools or generally available free
139 | programs which are used unmodified in performing those activities but
140 | which are not part of the work. For example, Corresponding Source
141 | includes interface definition files associated with source files for
142 | the work, and the source code for shared libraries and dynamically
143 | linked subprograms that the work is specifically designed to require,
144 | such as by intimate data communication or control flow between those
145 | subprograms and other parts of the work.
146 |
147 | The Corresponding Source need not include anything that users
148 | can regenerate automatically from other parts of the Corresponding
149 | Source.
150 |
151 | The Corresponding Source for a work in source code form is that
152 | same work.
153 |
154 | 2. Basic Permissions.
155 |
156 | All rights granted under this License are granted for the term of
157 | copyright on the Program, and are irrevocable provided the stated
158 | conditions are met. This License explicitly affirms your unlimited
159 | permission to run the unmodified Program. The output from running a
160 | covered work is covered by this License only if the output, given its
161 | content, constitutes a covered work. This License acknowledges your
162 | rights of fair use or other equivalent, as provided by copyright law.
163 |
164 | You may make, run and propagate covered works that you do not
165 | convey, without conditions so long as your license otherwise remains
166 | in force. You may convey covered works to others for the sole purpose
167 | of having them make modifications exclusively for you, or provide you
168 | with facilities for running those works, provided that you comply with
169 | the terms of this License in conveying all material for which you do
170 | not control copyright. Those thus making or running the covered works
171 | for you must do so exclusively on your behalf, under your direction
172 | and control, on terms that prohibit them from making any copies of
173 | your copyrighted material outside their relationship with you.
174 |
175 | Conveying under any other circumstances is permitted solely under
176 | the conditions stated below. Sublicensing is not allowed; section 10
177 | makes it unnecessary.
178 |
179 | 3. Protecting Users' Legal Rights From Anti-Circumvention Law.
180 |
181 | No covered work shall be deemed part of an effective technological
182 | measure under any applicable law fulfilling obligations under article
183 | 11 of the WIPO copyright treaty adopted on 20 December 1996, or
184 | similar laws prohibiting or restricting circumvention of such
185 | measures.
186 |
187 | When you convey a covered work, you waive any legal power to forbid
188 | circumvention of technological measures to the extent such circumvention
189 | is effected by exercising rights under this License with respect to
190 | the covered work, and you disclaim any intention to limit operation or
191 | modification of the work as a means of enforcing, against the work's
192 | users, your or third parties' legal rights to forbid circumvention of
193 | technological measures.
194 |
195 | 4. Conveying Verbatim Copies.
196 |
197 | You may convey verbatim copies of the Program's source code as you
198 | receive it, in any medium, provided that you conspicuously and
199 | appropriately publish on each copy an appropriate copyright notice;
200 | keep intact all notices stating that this License and any
201 | non-permissive terms added in accord with section 7 apply to the code;
202 | keep intact all notices of the absence of any warranty; and give all
203 | recipients a copy of this License along with the Program.
204 |
205 | You may charge any price or no price for each copy that you convey,
206 | and you may offer support or warranty protection for a fee.
207 |
208 | 5. Conveying Modified Source Versions.
209 |
210 | You may convey a work based on the Program, or the modifications to
211 | produce it from the Program, in the form of source code under the
212 | terms of section 4, provided that you also meet all of these conditions:
213 |
214 | a) The work must carry prominent notices stating that you modified
215 | it, and giving a relevant date.
216 |
217 | b) The work must carry prominent notices stating that it is
218 | released under this License and any conditions added under section
219 | 7. This requirement modifies the requirement in section 4 to
220 | "keep intact all notices".
221 |
222 | c) You must license the entire work, as a whole, under this
223 | License to anyone who comes into possession of a copy. This
224 | License will therefore apply, along with any applicable section 7
225 | additional terms, to the whole of the work, and all its parts,
226 | regardless of how they are packaged. This License gives no
227 | permission to license the work in any other way, but it does not
228 | invalidate such permission if you have separately received it.
229 |
230 | d) If the work has interactive user interfaces, each must display
231 | Appropriate Legal Notices; however, if the Program has interactive
232 | interfaces that do not display Appropriate Legal Notices, your
233 | work need not make them do so.
234 |
235 | A compilation of a covered work with other separate and independent
236 | works, which are not by their nature extensions of the covered work,
237 | and which are not combined with it such as to form a larger program,
238 | in or on a volume of a storage or distribution medium, is called an
239 | "aggregate" if the compilation and its resulting copyright are not
240 | used to limit the access or legal rights of the compilation's users
241 | beyond what the individual works permit. Inclusion of a covered work
242 | in an aggregate does not cause this License to apply to the other
243 | parts of the aggregate.
244 |
245 | 6. Conveying Non-Source Forms.
246 |
247 | You may convey a covered work in object code form under the terms
248 | of sections 4 and 5, provided that you also convey the
249 | machine-readable Corresponding Source under the terms of this License,
250 | in one of these ways:
251 |
252 | a) Convey the object code in, or embodied in, a physical product
253 | (including a physical distribution medium), accompanied by the
254 | Corresponding Source fixed on a durable physical medium
255 | customarily used for software interchange.
256 |
257 | b) Convey the object code in, or embodied in, a physical product
258 | (including a physical distribution medium), accompanied by a
259 | written offer, valid for at least three years and valid for as
260 | long as you offer spare parts or customer support for that product
261 | model, to give anyone who possesses the object code either (1) a
262 | copy of the Corresponding Source for all the software in the
263 | product that is covered by this License, on a durable physical
264 | medium customarily used for software interchange, for a price no
265 | more than your reasonable cost of physically performing this
266 | conveying of source, or (2) access to copy the
267 | Corresponding Source from a network server at no charge.
268 |
269 | c) Convey individual copies of the object code with a copy of the
270 | written offer to provide the Corresponding Source. This
271 | alternative is allowed only occasionally and noncommercially, and
272 | only if you received the object code with such an offer, in accord
273 | with subsection 6b.
274 |
275 | d) Convey the object code by offering access from a designated
276 | place (gratis or for a charge), and offer equivalent access to the
277 | Corresponding Source in the same way through the same place at no
278 | further charge. You need not require recipients to copy the
279 | Corresponding Source along with the object code. If the place to
280 | copy the object code is a network server, the Corresponding Source
281 | may be on a different server (operated by you or a third party)
282 | that supports equivalent copying facilities, provided you maintain
283 | clear directions next to the object code saying where to find the
284 | Corresponding Source. Regardless of what server hosts the
285 | Corresponding Source, you remain obligated to ensure that it is
286 | available for as long as needed to satisfy these requirements.
287 |
288 | e) Convey the object code using peer-to-peer transmission, provided
289 | you inform other peers where the object code and Corresponding
290 | Source of the work are being offered to the general public at no
291 | charge under subsection 6d.
292 |
293 | A separable portion of the object code, whose source code is excluded
294 | from the Corresponding Source as a System Library, need not be
295 | included in conveying the object code work.
296 |
297 | A "User Product" is either (1) a "consumer product", which means any
298 | tangible personal property which is normally used for personal, family,
299 | or household purposes, or (2) anything designed or sold for incorporation
300 | into a dwelling. In determining whether a product is a consumer product,
301 | doubtful cases shall be resolved in favor of coverage. For a particular
302 | product received by a particular user, "normally used" refers to a
303 | typical or common use of that class of product, regardless of the status
304 | of the particular user or of the way in which the particular user
305 | actually uses, or expects or is expected to use, the product. A product
306 | is a consumer product regardless of whether the product has substantial
307 | commercial, industrial or non-consumer uses, unless such uses represent
308 | the only significant mode of use of the product.
309 |
310 | "Installation Information" for a User Product means any methods,
311 | procedures, authorization keys, or other information required to install
312 | and execute modified versions of a covered work in that User Product from
313 | a modified version of its Corresponding Source. The information must
314 | suffice to ensure that the continued functioning of the modified object
315 | code is in no case prevented or interfered with solely because
316 | modification has been made.
317 |
318 | If you convey an object code work under this section in, or with, or
319 | specifically for use in, a User Product, and the conveying occurs as
320 | part of a transaction in which the right of possession and use of the
321 | User Product is transferred to the recipient in perpetuity or for a
322 | fixed term (regardless of how the transaction is characterized), the
323 | Corresponding Source conveyed under this section must be accompanied
324 | by the Installation Information. But this requirement does not apply
325 | if neither you nor any third party retains the ability to install
326 | modified object code on the User Product (for example, the work has
327 | been installed in ROM).
328 |
329 | The requirement to provide Installation Information does not include a
330 | requirement to continue to provide support service, warranty, or updates
331 | for a work that has been modified or installed by the recipient, or for
332 | the User Product in which it has been modified or installed. Access to a
333 | network may be denied when the modification itself materially and
334 | adversely affects the operation of the network or violates the rules and
335 | protocols for communication across the network.
336 |
337 | Corresponding Source conveyed, and Installation Information provided,
338 | in accord with this section must be in a format that is publicly
339 | documented (and with an implementation available to the public in
340 | source code form), and must require no special password or key for
341 | unpacking, reading or copying.
342 |
343 | 7. Additional Terms.
344 |
345 | "Additional permissions" are terms that supplement the terms of this
346 | License by making exceptions from one or more of its conditions.
347 | Additional permissions that are applicable to the entire Program shall
348 | be treated as though they were included in this License, to the extent
349 | that they are valid under applicable law. If additional permissions
350 | apply only to part of the Program, that part may be used separately
351 | under those permissions, but the entire Program remains governed by
352 | this License without regard to the additional permissions.
353 |
354 | When you convey a copy of a covered work, you may at your option
355 | remove any additional permissions from that copy, or from any part of
356 | it. (Additional permissions may be written to require their own
357 | removal in certain cases when you modify the work.) You may place
358 | additional permissions on material, added by you to a covered work,
359 | for which you have or can give appropriate copyright permission.
360 |
361 | Notwithstanding any other provision of this License, for material you
362 | add to a covered work, you may (if authorized by the copyright holders of
363 | that material) supplement the terms of this License with terms:
364 |
365 | a) Disclaiming warranty or limiting liability differently from the
366 | terms of sections 15 and 16 of this License; or
367 |
368 | b) Requiring preservation of specified reasonable legal notices or
369 | author attributions in that material or in the Appropriate Legal
370 | Notices displayed by works containing it; or
371 |
372 | c) Prohibiting misrepresentation of the origin of that material, or
373 | requiring that modified versions of such material be marked in
374 | reasonable ways as different from the original version; or
375 |
376 | d) Limiting the use for publicity purposes of names of licensors or
377 | authors of the material; or
378 |
379 | e) Declining to grant rights under trademark law for use of some
380 | trade names, trademarks, or service marks; or
381 |
382 | f) Requiring indemnification of licensors and authors of that
383 | material by anyone who conveys the material (or modified versions of
384 | it) with contractual assumptions of liability to the recipient, for
385 | any liability that these contractual assumptions directly impose on
386 | those licensors and authors.
387 |
388 | All other non-permissive additional terms are considered "further
389 | restrictions" within the meaning of section 10. If the Program as you
390 | received it, or any part of it, contains a notice stating that it is
391 | governed by this License along with a term that is a further
392 | restriction, you may remove that term. If a license document contains
393 | a further restriction but permits relicensing or conveying under this
394 | License, you may add to a covered work material governed by the terms
395 | of that license document, provided that the further restriction does
396 | not survive such relicensing or conveying.
397 |
398 | If you add terms to a covered work in accord with this section, you
399 | must place, in the relevant source files, a statement of the
400 | additional terms that apply to those files, or a notice indicating
401 | where to find the applicable terms.
402 |
403 | Additional terms, permissive or non-permissive, may be stated in the
404 | form of a separately written license, or stated as exceptions;
405 | the above requirements apply either way.
406 |
407 | 8. Termination.
408 |
409 | You may not propagate or modify a covered work except as expressly
410 | provided under this License. Any attempt otherwise to propagate or
411 | modify it is void, and will automatically terminate your rights under
412 | this License (including any patent licenses granted under the third
413 | paragraph of section 11).
414 |
415 | However, if you cease all violation of this License, then your
416 | license from a particular copyright holder is reinstated (a)
417 | provisionally, unless and until the copyright holder explicitly and
418 | finally terminates your license, and (b) permanently, if the copyright
419 | holder fails to notify you of the violation by some reasonable means
420 | prior to 60 days after the cessation.
421 |
422 | Moreover, your license from a particular copyright holder is
423 | reinstated permanently if the copyright holder notifies you of the
424 | violation by some reasonable means, this is the first time you have
425 | received notice of violation of this License (for any work) from that
426 | copyright holder, and you cure the violation prior to 30 days after
427 | your receipt of the notice.
428 |
429 | Termination of your rights under this section does not terminate the
430 | licenses of parties who have received copies or rights from you under
431 | this License. If your rights have been terminated and not permanently
432 | reinstated, you do not qualify to receive new licenses for the same
433 | material under section 10.
434 |
435 | 9. Acceptance Not Required for Having Copies.
436 |
437 | You are not required to accept this License in order to receive or
438 | run a copy of the Program. Ancillary propagation of a covered work
439 | occurring solely as a consequence of using peer-to-peer transmission
440 | to receive a copy likewise does not require acceptance. However,
441 | nothing other than this License grants you permission to propagate or
442 | modify any covered work. These actions infringe copyright if you do
443 | not accept this License. Therefore, by modifying or propagating a
444 | covered work, you indicate your acceptance of this License to do so.
445 |
446 | 10. Automatic Licensing of Downstream Recipients.
447 |
448 | Each time you convey a covered work, the recipient automatically
449 | receives a license from the original licensors, to run, modify and
450 | propagate that work, subject to this License. You are not responsible
451 | for enforcing compliance by third parties with this License.
452 |
453 | An "entity transaction" is a transaction transferring control of an
454 | organization, or substantially all assets of one, or subdividing an
455 | organization, or merging organizations. If propagation of a covered
456 | work results from an entity transaction, each party to that
457 | transaction who receives a copy of the work also receives whatever
458 | licenses to the work the party's predecessor in interest had or could
459 | give under the previous paragraph, plus a right to possession of the
460 | Corresponding Source of the work from the predecessor in interest, if
461 | the predecessor has it or can get it with reasonable efforts.
462 |
463 | You may not impose any further restrictions on the exercise of the
464 | rights granted or affirmed under this License. For example, you may
465 | not impose a license fee, royalty, or other charge for exercise of
466 | rights granted under this License, and you may not initiate litigation
467 | (including a cross-claim or counterclaim in a lawsuit) alleging that
468 | any patent claim is infringed by making, using, selling, offering for
469 | sale, or importing the Program or any portion of it.
470 |
471 | 11. Patents.
472 |
473 | A "contributor" is a copyright holder who authorizes use under this
474 | License of the Program or a work on which the Program is based. The
475 | work thus licensed is called the contributor's "contributor version".
476 |
477 | A contributor's "essential patent claims" are all patent claims
478 | owned or controlled by the contributor, whether already acquired or
479 | hereafter acquired, that would be infringed by some manner, permitted
480 | by this License, of making, using, or selling its contributor version,
481 | but do not include claims that would be infringed only as a
482 | consequence of further modification of the contributor version. For
483 | purposes of this definition, "control" includes the right to grant
484 | patent sublicenses in a manner consistent with the requirements of
485 | this License.
486 |
487 | Each contributor grants you a non-exclusive, worldwide, royalty-free
488 | patent license under the contributor's essential patent claims, to
489 | make, use, sell, offer for sale, import and otherwise run, modify and
490 | propagate the contents of its contributor version.
491 |
492 | In the following three paragraphs, a "patent license" is any express
493 | agreement or commitment, however denominated, not to enforce a patent
494 | (such as an express permission to practice a patent or covenant not to
495 | sue for patent infringement). To "grant" such a patent license to a
496 | party means to make such an agreement or commitment not to enforce a
497 | patent against the party.
498 |
499 | If you convey a covered work, knowingly relying on a patent license,
500 | and the Corresponding Source of the work is not available for anyone
501 | to copy, free of charge and under the terms of this License, through a
502 | publicly available network server or other readily accessible means,
503 | then you must either (1) cause the Corresponding Source to be so
504 | available, or (2) arrange to deprive yourself of the benefit of the
505 | patent license for this particular work, or (3) arrange, in a manner
506 | consistent with the requirements of this License, to extend the patent
507 | license to downstream recipients. "Knowingly relying" means you have
508 | actual knowledge that, but for the patent license, your conveying the
509 | covered work in a country, or your recipient's use of the covered work
510 | in a country, would infringe one or more identifiable patents in that
511 | country that you have reason to believe are valid.
512 |
513 | If, pursuant to or in connection with a single transaction or
514 | arrangement, you convey, or propagate by procuring conveyance of, a
515 | covered work, and grant a patent license to some of the parties
516 | receiving the covered work authorizing them to use, propagate, modify
517 | or convey a specific copy of the covered work, then the patent license
518 | you grant is automatically extended to all recipients of the covered
519 | work and works based on it.
520 |
521 | A patent license is "discriminatory" if it does not include within
522 | the scope of its coverage, prohibits the exercise of, or is
523 | conditioned on the non-exercise of one or more of the rights that are
524 | specifically granted under this License. You may not convey a covered
525 | work if you are a party to an arrangement with a third party that is
526 | in the business of distributing software, under which you make payment
527 | to the third party based on the extent of your activity of conveying
528 | the work, and under which the third party grants, to any of the
529 | parties who would receive the covered work from you, a discriminatory
530 | patent license (a) in connection with copies of the covered work
531 | conveyed by you (or copies made from those copies), or (b) primarily
532 | for and in connection with specific products or compilations that
533 | contain the covered work, unless you entered into that arrangement,
534 | or that patent license was granted, prior to 28 March 2007.
535 |
536 | Nothing in this License shall be construed as excluding or limiting
537 | any implied license or other defenses to infringement that may
538 | otherwise be available to you under applicable patent law.
539 |
540 | 12. No Surrender of Others' Freedom.
541 |
542 | If conditions are imposed on you (whether by court order, agreement or
543 | otherwise) that contradict the conditions of this License, they do not
544 | excuse you from the conditions of this License. If you cannot convey a
545 | covered work so as to satisfy simultaneously your obligations under this
546 | License and any other pertinent obligations, then as a consequence you may
547 | not convey it at all. For example, if you agree to terms that obligate you
548 | to collect a royalty for further conveying from those to whom you convey
549 | the Program, the only way you could satisfy both those terms and this
550 | License would be to refrain entirely from conveying the Program.
551 |
552 | 13. Use with the GNU Affero General Public License.
553 |
554 | Notwithstanding any other provision of this License, you have
555 | permission to link or combine any covered work with a work licensed
556 | under version 3 of the GNU Affero General Public License into a single
557 | combined work, and to convey the resulting work. The terms of this
558 | License will continue to apply to the part which is the covered work,
559 | but the special requirements of the GNU Affero General Public License,
560 | section 13, concerning interaction through a network will apply to the
561 | combination as such.
562 |
563 | 14. Revised Versions of this License.
564 |
565 | The Free Software Foundation may publish revised and/or new versions of
566 | the GNU General Public License from time to time. Such new versions will
567 | be similar in spirit to the present version, but may differ in detail to
568 | address new problems or concerns.
569 |
570 | Each version is given a distinguishing version number. If the
571 | Program specifies that a certain numbered version of the GNU General
572 | Public License "or any later version" applies to it, you have the
573 | option of following the terms and conditions either of that numbered
574 | version or of any later version published by the Free Software
575 | Foundation. If the Program does not specify a version number of the
576 | GNU General Public License, you may choose any version ever published
577 | by the Free Software Foundation.
578 |
579 | If the Program specifies that a proxy can decide which future
580 | versions of the GNU General Public License can be used, that proxy's
581 | public statement of acceptance of a version permanently authorizes you
582 | to choose that version for the Program.
583 |
584 | Later license versions may give you additional or different
585 | permissions. However, no additional obligations are imposed on any
586 | author or copyright holder as a result of your choosing to follow a
587 | later version.
588 |
589 | 15. Disclaimer of Warranty.
590 |
591 | THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY
592 | APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT
593 | HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY
594 | OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO,
595 | THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR
596 | PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM
597 | IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF
598 | ALL NECESSARY SERVICING, REPAIR OR CORRECTION.
599 |
600 | 16. Limitation of Liability.
601 |
602 | IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING
603 | WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS
604 | THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY
605 | GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE
606 | USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF
607 | DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD
608 | PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS),
609 | EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF
610 | SUCH DAMAGES.
611 |
612 | 17. Interpretation of Sections 15 and 16.
613 |
614 | If the disclaimer of warranty and limitation of liability provided
615 | above cannot be given local legal effect according to their terms,
616 | reviewing courts shall apply local law that most closely approximates
617 | an absolute waiver of all civil liability in connection with the
618 | Program, unless a warranty or assumption of liability accompanies a
619 | copy of the Program in return for a fee.
620 |
621 | END OF TERMS AND CONDITIONS
622 |
623 | How to Apply These Terms to Your New Programs
624 |
625 | If you develop a new program, and you want it to be of the greatest
626 | possible use to the public, the best way to achieve this is to make it
627 | free software which everyone can redistribute and change under these terms.
628 |
629 | To do so, attach the following notices to the program. It is safest
630 | to attach them to the start of each source file to most effectively
631 | state the exclusion of warranty; and each file should have at least
632 | the "copyright" line and a pointer to where the full notice is found.
633 |
634 |
635 | Copyright (C)
636 |
637 | This program is free software: you can redistribute it and/or modify
638 | it under the terms of the GNU General Public License as published by
639 | the Free Software Foundation, either version 3 of the License, or
640 | (at your option) any later version.
641 |
642 | This program is distributed in the hope that it will be useful,
643 | but WITHOUT ANY WARRANTY; without even the implied warranty of
644 | MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
645 | GNU General Public License for more details.
646 |
647 | You should have received a copy of the GNU General Public License
648 | along with this program. If not, see .
649 |
650 | Also add information on how to contact you by electronic and paper mail.
651 |
652 | If the program does terminal interaction, make it output a short
653 | notice like this when it starts in an interactive mode:
654 |
655 | Copyright (C)
656 | This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'.
657 | This is free software, and you are welcome to redistribute it
658 | under certain conditions; type `show c' for details.
659 |
660 | The hypothetical commands `show w' and `show c' should show the appropriate
661 | parts of the General Public License. Of course, your program's commands
662 | might be different; for a GUI interface, you would use an "about box".
663 |
664 | You should also get your employer (if you work as a programmer) or school,
665 | if any, to sign a "copyright disclaimer" for the program, if necessary.
666 | For more information on this, and how to apply and follow the GNU GPL, see
667 | .
668 |
669 | The GNU General Public License does not permit incorporating your program
670 | into proprietary programs. If your program is a subroutine library, you
671 | may consider it more useful to permit linking proprietary applications with
672 | the library. If this is what you want to do, use the GNU Lesser General
673 | Public License instead of this License. But first, please read
674 | .
675 |
--------------------------------------------------------------------------------