hivefans

pumpbot.py

Jan 27th, 2025
25
0
Never
Not a member of Pastebin yet? Sign Up, it unlocks many cool features!
Python 23.90 KB | Cryptocurrency | 0 0
  1. #!/usr/bin/env python3
  2. """
  3. PumpFun Bot - All-In-One
  4. --------------------------------
  5. Monitors recently migrated coins from PumpFun API, performs security checks,
  6. handles basic sentiment analysis, and integrates a Telegram bot for alerts
  7. and (optional) trading commands.
  8.  
  9. Requirements:
  10.    pip install requests web3 python-telegram-bot==20.* pandas sqlalchemy textblob scikit-learn hdbscan
  11.  
  12. Usage:
  13.    1. Create a config.ini (see example below).
  14.    2. python pumpfun_bot.py
  15.  
  16. """
  17.  
  18. import os
  19. import time
  20. import json
  21. import asyncio
  22. import configparser
  23. from datetime import datetime, timedelta
  24.  
  25. import requests
  26. import numpy as np
  27. import pandas as pd
  28. from sqlalchemy import create_engine
  29. from textblob import TextBlob
  30.  
  31. # Blockchain
  32. from web3 import Web3
  33.  
  34. # Telegram Bot (async version)
  35. from telegram import Bot, Update
  36. from telegram.ext import (
  37.     ApplicationBuilder,
  38.     CommandHandler,
  39.     MessageHandler,
  40.     ContextTypes,
  41.     filters
  42. )
  43.  
  44. # Machine Learning
  45. from sklearn.cluster import DBSCAN
  46. from sklearn.ensemble import IsolationForest
  47.  
  48. ######################################################################
  49. # 1. CONFIGURATION
  50. ######################################################################
  51.  
  52. CONFIG_FILE = "config.ini"
  53.  
  54. EXAMPLE_CONFIG = """
  55. [API]
  56. PUMPFUN_KEY = your_pumpfun_api_key_here
  57. INFURA_KEY = your_infura_key_here
  58. ETHERSCAN_KEY = your_etherscan_key_here
  59. POLL_INTERVAL = 60
  60.  
  61. [FILTERS]
  62. MIN_LIQUIDITY = 5.0
  63. MAX_CREATOR_FEE = 10.0
  64. MIN_HOLDERS = 25
  65. BLOCK_NEW_COINS_MINUTES = 10
  66. MAX_COINS_PER_CREATOR = 3
  67.  
  68. [BLACKLISTS]
  69. COIN_ADDRESSES = 0x0000000000000000000000000000000000000000
  70. DEV_ADDRESSES = 0x0000000000000000000000000000000000000000
  71. COIN_BLACKLIST_URL = https://your.service/coin_blacklist
  72. DEV_BLACKLIST_URL = https://your.service/dev_blacklist
  73.  
  74. [TWITTER]
  75. # If you have a custom Twitter API or a service like TweetScout
  76. API_KEY = your_twitter_api_key
  77. RATE_LIMIT = 30
  78.  
  79. [TELEGRAM]
  80. BOT_TOKEN = your_telegram_bot_token
  81. CHANNEL_ID = your_telegram_channel_id
  82.  
  83. [TRADING]
  84. DEFAULT_AMOUNT = 0.1
  85. SLIPPAGE = 1.5
  86. MAX_POSITION = 5.0
  87. STOP_LOSS = -0.15
  88. TAKE_PROFIT = 0.3
  89.  
  90. [SECURITY]
  91. RUGCHECK_API = your_rugcheck_api_key
  92. BUNDLED_THRESHOLD = 0.65
  93. """
  94.  
  95.  
  96. class PumpFunBot:
  97.     def __init__(self, config_path: str = CONFIG_FILE):
  98.         """Initialize everything: config, DB, Web3, etc."""
  99.         self.config = self.load_config(config_path)
  100.  
  101.         # Database
  102.         self.db_path = self.config.get("DATABASE", "DB_PATH", fallback="pumpfun.db")
  103.         self.db_engine = create_engine(f"sqlite:///{self.db_path}")
  104.  
  105.         self.create_tables()
  106.  
  107.         # Web3
  108.         infura_key = self.config["API"].get("INFURA_KEY", "")
  109.         self.w3 = Web3(
  110.             Web3.HTTPProvider(f"https://mainnet.infura.io/v3/{infura_key}")
  111.         )
  112.  
  113.         # PumpFun API settings
  114.         self.api_base = "https://api.pump.fun"  # Example endpoint
  115.         self.pumpfun_key = self.config["API"].get("PUMPFUN_KEY", "")
  116.         self.headers = {
  117.             'Authorization': f'Bearer {self.pumpfun_key}',
  118.             'Content-Type': 'application/json'
  119.         }
  120.  
  121.         # Filters
  122.         self.filters = {
  123.             'min_liquidity': self.config["FILTERS"].getfloat("MIN_LIQUIDITY", 5.0),
  124.             'max_creator_fee': self.config["FILTERS"].getfloat("MAX_CREATOR_FEE", 10.0),
  125.             'min_holders': self.config["FILTERS"].getint("MIN_HOLDERS", 25),
  126.             'block_new_coins_minutes': self.config["FILTERS"].getint("BLOCK_NEW_COINS_MINUTES", 10),
  127.             'max_coins_per_creator': self.config["FILTERS"].getint("MAX_COINS_PER_CREATOR", 3),
  128.         }
  129.  
  130.         # Blacklist sets
  131.         self.blacklisted_coins = self.load_blacklist("COIN_ADDRESSES")
  132.         self.blacklisted_devs = self.load_blacklist("DEV_ADDRESSES")
  133.  
  134.         # Telegram
  135.         self.telegram_token = self.config["TELEGRAM"].get("BOT_TOKEN", "")
  136.         self.telegram_channel_id = self.config["TELEGRAM"].get("CHANNEL_ID", "")
  137.         self.application = None  # Will initialize if Telegram token is present
  138.  
  139.         # For demonstration, we keep track of the "currently analyzed" contract
  140.         self.currently_analyzed_contract = None
  141.  
  142.     ######################################################################
  143.     # 2. CONFIG & DATABASE
  144.     ######################################################################
  145.  
  146.     @staticmethod
  147.     def load_config(path: str) -> configparser.ConfigParser:
  148.         """Load config.ini or create an example if missing."""
  149.         if not os.path.exists(path):
  150.             with open(path, "w") as f:
  151.                 f.write(EXAMPLE_CONFIG)
  152.             raise FileNotFoundError(
  153.                 f"No config.ini found. An example config has been created at {path}."
  154.             )
  155.  
  156.         config = configparser.ConfigParser()
  157.         config.read(path)
  158.         return config
  159.  
  160.     def load_blacklist(self, key: str):
  161.         """Load blacklisted addresses from config."""
  162.         addresses_str = self.config["BLACKLISTS"].get(key, "")
  163.         addresses = [addr.strip() for addr in addresses_str.split(",") if addr.strip()]
  164.         # Convert to checksummed addresses if valid
  165.         checksummed = set()
  166.         for addr in addresses:
  167.             try:
  168.                 checksummed.add(Web3.to_checksum_address(addr))
  169.             except ValueError:
  170.                 # If it doesn't parse as an address, skip
  171.                 pass
  172.         return checksummed
  173.  
  174.     def create_tables(self):
  175.         """Initialize database schema if not exists."""
  176.         with self.db_engine.connect() as conn:
  177.             # Coins table
  178.             conn.execute("""
  179.                CREATE TABLE IF NOT EXISTS coins (
  180.                    id INTEGER PRIMARY KEY AUTOINCREMENT,
  181.                    contract_address TEXT UNIQUE,
  182.                    name TEXT,
  183.                    symbol TEXT,
  184.                    creator_wallet TEXT,
  185.                    migration_time DATETIME,
  186.                    initial_liquidity REAL,
  187.                    creator_fee FLOAT,
  188.                    holders INTEGER,
  189.                    social_score FLOAT,
  190.                    created_at DATETIME DEFAULT CURRENT_TIMESTAMP
  191.                )
  192.            """)
  193.  
  194.             # Transactions table
  195.             conn.execute("""
  196.                CREATE TABLE IF NOT EXISTS transactions (
  197.                    id INTEGER PRIMARY KEY AUTOINCREMENT,
  198.                    contract_address TEXT,
  199.                    tx_hash TEXT UNIQUE,
  200.                    direction TEXT,
  201.                    amount_eth REAL,
  202.                    gas_price REAL,
  203.                    block_number INTEGER,
  204.                    timestamp DATETIME
  205.                )
  206.            """)
  207.  
  208.             # Twitter metrics table
  209.             conn.execute("""
  210.                CREATE TABLE IF NOT EXISTS twitter_metrics (
  211.                    coin_address TEXT PRIMARY KEY,
  212.                    twitter_handle TEXT,
  213.                    follower_count INTEGER,
  214.                    following_count INTEGER,
  215.                    sentiment_score REAL,
  216.                    post_frequency REAL,
  217.                    verified BOOLEAN,
  218.                    account_age_days INTEGER
  219.                )
  220.            """)
  221.  
  222.             # Twitter posts table
  223.             conn.execute("""
  224.                CREATE TABLE IF NOT EXISTS twitter_posts (
  225.                    post_id TEXT PRIMARY KEY,
  226.                    coin_address TEXT,
  227.                    content TEXT,
  228.                    likes INTEGER,
  229.                    retweets INTEGER,
  230.                    timestamp DATETIME,
  231.                    sentiment REAL,
  232.                    hashtags TEXT,
  233.                    links TEXT
  234.                )
  235.            """)
  236.  
  237.             # Security checks table
  238.             conn.execute("""
  239.                CREATE TABLE IF NOT EXISTS security_checks (
  240.                    contract_address TEXT PRIMARY KEY,
  241.                    rugcheck_score REAL,
  242.                    rugcheck_verdict TEXT,
  243.                    top_holder_percent REAL,
  244.                    is_bundled BOOLEAN,
  245.                    check_time DATETIME
  246.                )
  247.            """)
  248.  
  249.             # Trades table (if using trading features)
  250.             conn.execute("""
  251.                CREATE TABLE IF NOT EXISTS trades (
  252.                    id INTEGER PRIMARY KEY AUTOINCREMENT,
  253.                    timestamp DATETIME DEFAULT CURRENT_TIMESTAMP,
  254.                    direction TEXT,
  255.                    contract_address TEXT,
  256.                    amount REAL,
  257.                    tx_hash TEXT,
  258.                    profit REAL
  259.                )
  260.            """)
  261.  
  262.     ######################################################################
  263.     # 3. DATA FETCHING & PARSING
  264.     ######################################################################
  265.  
  266.     def fetch_migrated_coins(self, limit=100):
  267.         """Retrieve recently migrated coins from PumpFun API."""
  268.         try:
  269.             params = {
  270.                 'limit': limit,
  271.                 'sort': 'desc'
  272.             }
  273.             url = f"{self.api_base}/migrations"
  274.             resp = requests.get(url, headers=self.headers, params=params, timeout=10)
  275.             resp.raise_for_status()
  276.             data = resp.json()
  277.             return data.get("data", [])
  278.         except Exception as e:
  279.             print(f"fetch_migrated_coins error: {e}")
  280.             return []
  281.  
  282.     def parse_coin_data(self, raw_data):
  283.         """Convert raw PumpFun API data into a consistent dictionary."""
  284.         try:
  285.             # Some data might not exist in raw_data; handle gracefully
  286.             contract_address = raw_data.get("contractAddress", "")
  287.             # Convert to checksum
  288.             contract_address = Web3.to_checksum_address(contract_address)
  289.  
  290.             name = raw_data["token"].get("name", "Unknown")
  291.             symbol = raw_data["token"].get("symbol", "UNK")
  292.             creator = raw_data.get("creator", "0x0000000000000000000000000000000000000000")
  293.             creator_wallet = Web3.to_checksum_address(creator)
  294.  
  295.             migration_time_str = raw_data.get("migrationTime", datetime.now().isoformat())
  296.             migration_time = datetime.fromisoformat(migration_time_str)
  297.  
  298.             initial_liquidity = float(raw_data.get("initialLiquidity", 0))
  299.             creator_fee = float(raw_data.get("feePercentage", 0))
  300.             holders = int(raw_data.get("holderCount", 0))
  301.  
  302.             parsed = {
  303.                 "contract_address": contract_address,
  304.                 "name": name,
  305.                 "symbol": symbol,
  306.                 "creator_wallet": creator_wallet,
  307.                 "migration_time": migration_time,
  308.                 "initial_liquidity": initial_liquidity,
  309.                 "creator_fee": creator_fee,
  310.                 "holders": holders,
  311.             }
  312.             return parsed
  313.  
  314.         except Exception as e:
  315.             print(f"parse_coin_data error: {e}")
  316.             return {}
  317.  
  318.     def enhanced_parse_coin_data(self, raw_data):
  319.         """
  320.        Extended parse to add more fields (like contract verification).
  321.        Adjust or remove if you do not have Etherscan or advanced checks.
  322.        """
  323.         parsed = self.parse_coin_data(raw_data)
  324.         parsed["is_verified_contract"] = self.check_contract_verification(
  325.             parsed["contract_address"]
  326.         )
  327.         return parsed
  328.  
  329.     def check_contract_verification(self, address: str) -> bool:
  330.         """Check if contract is verified on Etherscan (optional)."""
  331.         etherscan_key = self.config["API"].get("ETHERSCAN_KEY", "")
  332.         if not etherscan_key or not address:
  333.             return False
  334.         try:
  335.             url = (
  336.                 f"https://api.etherscan.io/api?"
  337.                 f"module=contract&action=getabi&address={address}&apikey={etherscan_key}"
  338.             )
  339.             resp = requests.get(url, timeout=5)
  340.             data = resp.json()
  341.             # If 'result' is a string error, contract might not be verified
  342.             return bool(data.get("status") == "1")
  343.         except Exception:
  344.             return False
  345.  
  346.     ######################################################################
  347.     # 4. SECURITY & FILTERS
  348.     ######################################################################
  349.  
  350.     def is_blacklisted(self, coin_data) -> bool:
  351.         """Check if coin or creator wallet is in our blacklists."""
  352.         contract_address = coin_data.get("contract_address", "")
  353.         creator_wallet = coin_data.get("creator_wallet", "")
  354.         if not contract_address or not creator_wallet:
  355.             return True
  356.  
  357.         if contract_address in self.blacklisted_coins:
  358.             print(f"[SECURITY] Coin {contract_address} is blacklisted.")
  359.             return True
  360.         if creator_wallet in self.blacklisted_devs:
  361.             print(f"[SECURITY] Dev {creator_wallet} is blacklisted.")
  362.             return True
  363.  
  364.         # Could also implement "suspicious creator" checks:
  365.         if self.is_suspicious_creator(creator_wallet):
  366.             print(f"[SECURITY] Creator {creator_wallet} made too many coins.")
  367.             return True
  368.  
  369.         return False
  370.  
  371.     def is_suspicious_creator(self, creator_wallet: str) -> bool:
  372.         """Check how many coins a single creator has made."""
  373.         query = f"""
  374.            SELECT COUNT(*) as created_coins
  375.            FROM coins
  376.            WHERE creator_wallet = '{creator_wallet}'
  377.        """
  378.         df = pd.read_sql(query, self.db_engine)
  379.         return df["created_coins"].iloc[0] > self.filters["max_coins_per_creator"]
  380.  
  381.     def apply_filters(self, coin_data):
  382.         """Apply standard filters to exclude suspicious/low-quality coins."""
  383.         if not coin_data:
  384.             return False
  385.  
  386.         # Check liquidity, fee, holders, and age
  387.         if coin_data["initial_liquidity"] < self.filters["min_liquidity"]:
  388.             return False
  389.         if coin_data["creator_fee"] > self.filters["max_creator_fee"]:
  390.             return False
  391.         if coin_data["holders"] < self.filters["min_holders"]:
  392.             return False
  393.  
  394.         age_threshold = datetime.now() - timedelta(
  395.             minutes=self.filters["block_new_coins_minutes"]
  396.         )
  397.         if coin_data["migration_time"] > age_threshold:
  398.             # It's too new
  399.             return False
  400.  
  401.         return True
  402.  
  403.     def perform_security_checks(self, coin_data: dict):
  404.         """
  405.        Placeholder for external security checks (e.g. RugCheck).
  406.        If you don't have an external service, omit or stub this.
  407.        """
  408.         # Example: Mark 'top_holder_percent' or 'is_bundled' as False
  409.         # because we don't have a standard way to get top holders
  410.         security_data = {
  411.             "contract_address": coin_data["contract_address"],
  412.             "rugcheck_score": 100.0,  # Pretend it's safe
  413.             "rugcheck_verdict": "Good",
  414.             "top_holder_percent": 0.0,
  415.             "is_bundled": False,
  416.             "check_time": datetime.now()
  417.         }
  418.  
  419.         # In a real scenario, you'd call the external API and parse:
  420.         # rug_data = self.check_rugcheck_verdict(coin_data["contract_address"])
  421.         # is_bundled = self.analyze_token_distribution(coin_data["contract_address"])
  422.  
  423.         # Then store in DB
  424.         df = pd.DataFrame([security_data])
  425.         df.to_sql("security_checks", self.db_engine, if_exists="replace", index=False)
  426.         return security_data
  427.  
  428.     ######################################################################
  429.     # 5. STORING & ANALYZING DATA
  430.     ######################################################################
  431.  
  432.     def save_coins(self, parsed_coin: dict):
  433.         """Insert or update coin data in the 'coins' table."""
  434.         if not parsed_coin:
  435.             return
  436.         df = pd.DataFrame([parsed_coin])
  437.         df.to_sql("coins", self.db_engine, if_exists="append", index=False)
  438.  
  439.     def analyze_transaction_patterns(self):
  440.         """Example of identifying suspicious transactions using DBSCAN."""
  441.         query = """
  442.            SELECT contract_address,
  443.                   COUNT(*) as tx_count,
  444.                   SUM(amount_eth) as total_volume,
  445.                   AVG(gas_price) as avg_gas
  446.            FROM transactions
  447.            GROUP BY contract_address
  448.        """
  449.         df = pd.read_sql(query, self.db_engine)
  450.         if df.empty:
  451.             return pd.DataFrame()
  452.  
  453.         X = df[["tx_count", "total_volume", "avg_gas"]].fillna(0)
  454.         clustering = DBSCAN(eps=0.5, min_samples=3).fit(X)
  455.         df["cluster"] = clustering.labels_
  456.         # Outliers have label == -1
  457.         return df[df["cluster"] == -1]
  458.  
  459.     def sentiment_analysis_example(self, text: str) -> float:
  460.         """Basic sentiment polarity with TextBlob."""
  461.         if not text:
  462.             return 0.0
  463.         analysis = TextBlob(text)
  464.         return analysis.sentiment.polarity
  465.  
  466.     def analyze_coin(self, coin_data: dict):
  467.         """
  468.        Placeholder for additional analysis steps on a new coin:
  469.        e.g. analyzing sentiment, transaction patterns, liquidity, etc.
  470.        """
  471.         print(f"[ANALYSIS] Analyzing {coin_data['symbol']} ({coin_data['contract_address']})...")
  472.         # ...
  473.         outliers = self.analyze_transaction_patterns()
  474.         # If outliers exist, you might do some alerting or extra checks
  475.         if not outliers.empty:
  476.             print(f"[WARNING] Transaction outliers detected: {outliers.to_dict('records')}")
  477.  
  478.     ######################################################################
  479.     # 6. TELEGRAM BOT (Optional)
  480.     ######################################################################
  481.  
  482.     def setup_telegram_bot(self):
  483.         """Initialize Telegram application if a bot token is configured."""
  484.         if not self.telegram_token:
  485.             print("[TELEGRAM] No bot token provided. Telegram bot is disabled.")
  486.             return
  487.  
  488.         self.application = ApplicationBuilder().token(self.telegram_token).build()
  489.  
  490.         self.application.add_handler(CommandHandler("start", self.cmd_start))
  491.         self.application.add_handler(CommandHandler("buy", self.cmd_buy))
  492.         self.application.add_handler(CommandHandler("sell", self.cmd_sell))
  493.         self.application.add_handler(MessageHandler(filters.TEXT, self.cmd_handle_text))
  494.  
  495.     async def cmd_start(self, update: Update, context: ContextTypes.DEFAULT_TYPE):
  496.         """Handle /start command."""
  497.         await update.message.reply_text(
  498.             "Welcome to PumpFun Bot!\n"
  499.             "Commands:\n"
  500.             "/buy [amount] - Execute a mock buy.\n"
  501.             "/sell [amount] - Execute a mock sell.\n"
  502.         )
  503.  
  504.     async def cmd_buy(self, update: Update, context: ContextTypes.DEFAULT_TYPE):
  505.         """Mock buy command."""
  506.         try:
  507.             args = context.args
  508.             amount = float(args[0]) if args else 0.1
  509.             message = f"Buying {amount} of {self.currently_analyzed_contract} (mock)..."
  510.             await update.message.reply_text(message)
  511.             # Here you'd call your actual trading code
  512.         except Exception as e:
  513.             await update.message.reply_text(f"Error: {str(e)}")
  514.  
  515.     async def cmd_sell(self, update: Update, context: ContextTypes.DEFAULT_TYPE):
  516.         """Mock sell command."""
  517.         try:
  518.             args = context.args
  519.             amount = float(args[0]) if args else 0.1
  520.             message = f"Selling {amount} of {self.currently_analyzed_contract} (mock)..."
  521.             await update.message.reply_text(message)
  522.             # Here you'd call your actual trading code
  523.         except Exception as e:
  524.             await update.message.reply_text(f"Error: {str(e)}")
  525.  
  526.     async def cmd_handle_text(self, update: Update, context: ContextTypes.DEFAULT_TYPE):
  527.         """Handle any text message not matching a command."""
  528.         await update.message.reply_text("Use /buy or /sell commands, or /start for help.")
  529.  
  530.     async def send_telegram_alert(self, message: str):
  531.         """Send a message to the configured Telegram channel."""
  532.         if not self.telegram_channel_id:
  533.             print("[TELEGRAM] No CHANNEL_ID configured.")
  534.             return
  535.         if not self.application:
  536.             print("[TELEGRAM] Telegram bot is not initialized.")
  537.             return
  538.         bot: Bot = self.application.bot
  539.         await bot.send_message(chat_id=self.telegram_channel_id, text=message)
  540.  
  541.     ######################################################################
  542.     # 7. MAIN LOOP
  543.     ######################################################################
  544.  
  545.     async def monitor_coins_loop(self):
  546.         """Asynchronous loop that fetches, filters, and analyzes new coins."""
  547.         poll_interval = self.config["API"].getint("POLL_INTERVAL", 60)
  548.         while True:
  549.             try:
  550.                 raw_coins = self.fetch_migrated_coins(limit=10)
  551.                 for raw_coin in raw_coins:
  552.                     parsed = self.enhanced_parse_coin_data(raw_coin)
  553.  
  554.                     # Security checks
  555.                     if self.is_blacklisted(parsed):
  556.                         continue
  557.                     self.perform_security_checks(parsed)
  558.  
  559.                     # Filter checks
  560.                     if not self.apply_filters(parsed):
  561.                         continue
  562.  
  563.                     # Save to DB
  564.                     self.save_coins(parsed)
  565.  
  566.                     # Perform further analysis
  567.                     self.analyze_coin(parsed)
  568.  
  569.                     # Example: send a Telegram alert if desired
  570.                     if self.application:
  571.                         msg = (f"New coin found:\n"
  572.                                f"Symbol: {parsed['symbol']}\n"
  573.                                f"Contract: {parsed['contract_address']}\n"
  574.                                f"Liquidity: {parsed['initial_liquidity']}\n")
  575.                         await self.send_telegram_alert(msg)
  576.  
  577.                     # Keep track of the "current" coin for /buy /sell
  578.                     self.currently_analyzed_contract = parsed["contract_address"]
  579.  
  580.                 await asyncio.sleep(poll_interval)
  581.  
  582.             except Exception as e:
  583.                 print(f"[ERROR] {e}")
  584.                 await asyncio.sleep(60)
  585.  
  586.     def run(self):
  587.         """Entry point to run the bot. If Telegram is configured, run async."""
  588.         self.setup_telegram_bot()
  589.  
  590.         if self.application:
  591.             # If Telegram is available, run the async loop
  592.             loop = asyncio.get_event_loop()
  593.             loop.create_task(self.monitor_coins_loop())
  594.             loop.create_task(self.application.initialize())
  595.             loop.create_task(self.application.start_polling())
  596.             try:
  597.                 loop.run_forever()
  598.             except KeyboardInterrupt:
  599.                 print("[SHUTDOWN] Stopping Telegram bot...")
  600.                 loop.run_until_complete(self.application.shutdown())
  601.                 loop.run_until_complete(self.application.stop())
  602.                 loop.close()
  603.         else:
  604.             # Run a simple synchronous loop if Telegram not configured
  605.             print("[INFO] Telegram not configured; running simple loop.")
  606.             while True:
  607.                 try:
  608.                     raw_coins = self.fetch_migrated_coins(limit=10)
  609.                     for raw_coin in raw_coins:
  610.                         parsed = self.enhanced_parse_coin_data(raw_coin)
  611.                         if self.is_blacklisted(parsed):
  612.                             continue
  613.                         self.perform_security_checks(parsed)
  614.                         if not self.apply_filters(parsed):
  615.                             continue
  616.                         self.save_coins(parsed)
  617.                         self.analyze_coin(parsed)
  618.                     time.sleep(self.config["API"].getint("POLL_INTERVAL", 60))
  619.                 except Exception as e:
  620.                     print(f"[ERROR] {e}")
  621.                     time.sleep(60)
  622.  
  623.  
  624. ######################################################################
  625. # 8. MAIN ENTRY POINT
  626. ######################################################################
  627.  
  628. if __name__ == "__main__":
  629.     bot = PumpFunBot()
  630.     bot.run()
Tags: Web3
Add Comment
Please, Sign In to add comment