Airdrop

比特币生态重点项目

Free NFT Claim

BERA FAUCET x BRICKS MINT

DEPIN - Decentralized Physical Infrastructure Networks

DePIN are blockchain protocols that bring decentralized communities together to create and maintain physical infrastructure.

Participants who contribute their resources receive rewards in tokens, thereby incentivizing network growth.

The DePIN sector has several unique advantages:

自动化脚本

Telegram minigame->Hamster Kombat(done)

手机检测: web.telegram => UI显示 Play on your mobile => source js: [“android”, “android_x”, “ios”].indexOf((Kt = (Jt = window

绕过: chrome extension: Resource Override => Add Rule->Select Inject File->Edit File, then paste the code:

if (location.hostname === "hamsterkombatgame.io") {
    const original_indexOf = Array.prototype.indexOf;
    Array.prototype.indexOf = function(...args) {
        if (JSON.stringify(this) === JSON.stringify(["android", "android_x", "ios"])) {
            setTimeout(() => {
                Array.prototype.indexOf = original_indexOf;
            });
            return 0;
        }
        return original_indexOf.apply(this, args);
    }
}

login Telegram Web, go to Hamster Kombat https://t.me/haMster_kombat_bot/start?startapp=kentId7352585642, start the game, open devleoper tool, go to Console tab, select clicker(hamsterkombatgame.io) and then paste the code:

(function() {
    const evt1 = new PointerEvent('pointerdown', {
        clientX: 150,
        clientY: 300
    });
    const evt2 = new PointerEvent('pointerup', {
        clientX: 150,
        clientY: 300
    });
    setInterval((function fn() {
        const energy = parseInt(document.getElementsByClassName("user-tap-energy")[0].getElementsByTagName("p")[0].textContent.split(" / ")[0]);
        if (energy > 25) {
            document.getElementsByClassName('user-tap-button')[0].dispatchEvent(evt1);
            document.getElementsByClassName('user-tap-button')[0].dispatchEvent(evt2);
        }
        return fn;
    })(), 300);
})();

Telegram minigame->Blumbot

Blumbot 入口链接

猴子脚本
  1. fix “refused connection” install Ignore X-Frame headers https://chromewebstore.google.com/detail/ignore-x-frame-headers/gleekbfjekiniecknbkamfmkohkpodhe

  2. Violentmonkey https://chromewebstore.google.com/detail/violentmonkey/jinjaccalgkegednnccohejagnlnfdag

// ==UserScript==
// @name         BlumBot
// @version      2.2
// @namespace    Violentmonkey Scripts
// @match        https://telegram.blum.codes/*
// @grant        none
// @icon         https://cdn.prod.website-files.com/65b6a1a4a0e2af577bccce96/65ba99c1616e21b24009b86c_blum-256.png
// ==/UserScript==

let GAME_SETTINGS = {
    minBombHits: Math.floor(Math.random() * 2),
    minIceHits: Math.floor(Math.random() * 2) + 2,
    flowerSkipPercentage: Math.floor(Math.random() * 11) + 15,
    minDelayMs: 2000,
    maxDelayMs: 5000,
    autoClickPlay: false
};

let isGamePaused = false;

try {
    let gameStats = {
        score: 0,
        bombHits: 0,
        iceHits: 0,
        flowersSkipped: 0,
        isGameOver: false,
    };

    const originalPush = Array.prototype.push;
    Array.prototype.push = function (...items) {
        if (!isGamePaused) {
            items.forEach(item => handleGameElement(item));
        }
        return originalPush.apply(this, items);
    };

    function handleGameElement(element) {
        if (!element || !element.item) return;

        const { type } = element.item;
        switch (type) {
            case "CLOVER":
                processFlower(element);
                break;
            case "BOMB":
                processBomb(element);
                break;
            case "FREEZE":
                processIce(element);
                break;
        }
    }

    function processFlower(element) {
        const shouldSkip = Math.random() < (GAME_SETTINGS.flowerSkipPercentage / 100);
        if (shouldSkip) {
            gameStats.flowersSkipped++;
        } else {
            gameStats.score++;
            clickElement(element);
        }
    }

    function processBomb(element) {
        if (gameStats.bombHits < GAME_SETTINGS.minBombHits) {
            gameStats.score = 0;
            clickElement(element);
            gameStats.bombHits++;
        }
    }

    function processIce(element) {
        if (gameStats.iceHits < GAME_SETTINGS.minIceHits) {
            clickElement(element);
            gameStats.iceHits++;
        }
    }

    function clickElement(element) {
        element.onClick(element);
        element.isExplosion = true;
        element.addedAt = performance.now();
    }

    function checkGameCompletion() {
        const rewardElement = document.querySelector('#app > div > div > div.content > div.reward');
        if (rewardElement && !gameStats.isGameOver) {
            gameStats.isGameOver = true;
            resetGameStats();
        }
    }

    function resetGameStats() {
        gameStats = {
            score: 0,
            bombHits: 0,
            iceHits: 0,
            flowersSkipped: 0,
            isGameOver: false,
        };
    }

    function getNewGameDelay() {
        return Math.floor(Math.random() * (GAME_SETTINGS.maxDelayMs - GAME_SETTINGS.minDelayMs + 1) + GAME_SETTINGS.minDelayMs);
    }

    function checkAndClickPlayButton() {
        const playButtons = document.querySelectorAll('button.kit-button.is-large.is-primary, a.play-btn[href="/game"], button.kit-button.is-large.is-primary');

        playButtons.forEach(button => {
            if (!isGamePaused && GAME_SETTINGS.autoClickPlay && (/Play/.test(button.textContent) || /Continue/.test(button.textContent))) {
                setTimeout(() => {
                    button.click();
                    gameStats.isGameOver = false;
                }, getNewGameDelay());
            }
        });
    }

    function continuousPlayButtonCheck() {
        checkAndClickPlayButton();
        setTimeout(continuousPlayButtonCheck, 1000);
    }

    const observer = new MutationObserver(mutations => {
        for (const mutation of mutations) {
            if (mutation.type === 'childList') {
                checkGameCompletion();
            }
        }
    });

    const appElement = document.querySelector('#app');
    if (appElement) {
        observer.observe(appElement, { childList: true, subtree: true });
    }

    continuousPlayButtonCheck();

    const settingsMenu = document.createElement('div');
    settingsMenu.className = 'settings-menu';
    settingsMenu.style.display = 'none';

    const menuTitle = document.createElement('h3');
    menuTitle.className = 'settings-title';
    menuTitle.textContent = 'BlumBot by @DefiWimar';

    const closeButton = document.createElement('button');
    closeButton.className = 'settings-close-button';
    closeButton.textContent = '×';
    closeButton.onclick = () => {
        settingsMenu.style.display = 'none';
    };

    menuTitle.appendChild(closeButton);
    settingsMenu.appendChild(menuTitle);

    function updateSettingsMenu() {
        document.getElementById('flowerSkipPercentage').value = GAME_SETTINGS.flowerSkipPercentage;
        document.getElementById('flowerSkipPercentageDisplay').textContent = GAME_SETTINGS.flowerSkipPercentage;
        document.getElementById('minIceHits').value = GAME_SETTINGS.minIceHits;
        document.getElementById('minIceHitsDisplay').textContent = GAME_SETTINGS.minIceHits;
        document.getElementById('minBombHits').value = GAME_SETTINGS.minBombHits;
        document.getElementById('minBombHitsDisplay').textContent = GAME_SETTINGS.minBombHits;
        document.getElementById('minDelayMs').value = GAME_SETTINGS.minDelayMs;
        document.getElementById('minDelayMsDisplay').textContent = GAME_SETTINGS.minDelayMs;
        document.getElementById('maxDelayMs').value = GAME_SETTINGS.maxDelayMs;
        document.getElementById('maxDelayMsDisplay').textContent = GAME_SETTINGS.maxDelayMs;
        document.getElementById('autoClickPlay').checked = GAME_SETTINGS.autoClickPlay;
    }

    settingsMenu.appendChild(createSettingElement('Flower Skip (%)', 'flowerSkipPercentage', 'range', 0, 100, 1, ''));
    settingsMenu.appendChild(createSettingElement('Min Freeze Hits', 'minIceHits', 'range', 1, 10, 1, ''));
    settingsMenu.appendChild(createSettingElement('Min Bomb Hits', 'minBombHits', 'range', 0, 10, 1, ''));
    settingsMenu.appendChild(createSettingElement('Min Delay (ms)', 'minDelayMs', 'range', 10, 10000, 10, ''));
    settingsMenu.appendChild(createSettingElement('Max Delay (ms)', 'maxDelayMs', 'range', 10, 10000, 10, ''));
    settingsMenu.appendChild(createSettingElement('Auto Click Play', 'autoClickPlay', 'checkbox', null, null, null, ''));

    const pauseResumeButton = document.createElement('button');
    pauseResumeButton.textContent = 'Pause';
    pauseResumeButton.className = 'pause-resume-btn';
    pauseResumeButton.onclick = toggleGamePause;
    settingsMenu.appendChild(pauseResumeButton);

    document.body.appendChild(settingsMenu);

    const settingsButton = document.createElement('button');
    settingsButton.className = 'settings-button';
    settingsButton.textContent = '⚙️';
    settingsButton.onclick = () => {
        settingsMenu.style.display = settingsMenu.style.display === 'block' ? 'none' : 'block';
    };
    document.body.appendChild(settingsButton);

    const style = document.createElement('style');
    style.textContent = `
        .settings-menu {
          position: fixed;
          top: 50%;
          left: 50%;
          transform: translate(-50%, -50%);
          background-color: rgba(40, 44, 52, 0.95);
          border-radius: 8px;
          box-shadow: 0 4px 6px rgba(0, 0, 0, 0.2);
          color: #abb2bf;
          font-family: 'Arial', sans-serif;
          z-index: 10000;
          padding: 20px;
          width: 300px;
        }
        .settings-title {
          color: #61afef;
          font-size: 18px;
          font-weight: bold;
          margin-bottom: 15px;
          display: flex;
          align-items: center;
          justify-content: space-between;
        }
        .settings-close-button {
          background: none;
          border: none;
          color: #e06c75;
          font-size: 20px;
          cursor: pointer;
          padding: 0;
        }
        .setting-item {
          margin-bottom: 12px;
        }
        .setting-label {
          display: flex;
          align-items: center;
          margin-bottom: 4px;
        }
        .setting-label-text {
          color: #e5c07b;
          margin-right: 5px;
        }
        .setting-input {
          display: flex;
          align-items: center;
        }
        .setting-slider {
          flex-grow: 1;
          margin-right: 8px;
        }
        .setting-value {
          min-width: 30px;
          text-align: right;
          font-size: 11px;
        }
        .pause-resume-btn {
          display: block;
          width: calc(100% - 10px);
          padding: 8px;
          margin: 15px 5px;
          background-color: #98c379;
          color: #282c34;
          border: none;
          border-radius: 4px;
          cursor: pointer;
          font-weight: bold;
          font-size: 14px;
          transition: background-color 0.3s;
        }
        .pause-resume-btn:hover {
          background-color: #7cb668;
        }
        .social-buttons {
          margin-top: 15px;
          display: flex;
          justify-content: center;
          flex-wrap: wrap;
        }
        .social-button {
          display: inline-flex;
          align-items: center;
          padding: 5px 8px;
          margin: 2px;
          border-radius: 4px;
          background-color: #282c34;
          color: #abb2bf;
          text-decoration: none;
          font-size: 12px;
          transition: background-color 0.3s;
          flex: 1 1 auto;
          min-width: 100px;
          max-width: 150px;
          box-sizing: border-box;
        }
        .social-button:hover {
          background-color: #4b5263;
        }
        .social-button img {
          width: 16px;
          height: 16px;
          margin-right: 5px;
        }
        .settings-button {
          position: fixed;
          bottom: 20px;
          right: 20px;
          background-color: rgba(36, 146, 255, 0.8);
          color: #fff;
          border: none;
          border-radius: 50%;
          width: 40px;
          height: 40px;
          font-size: 18px;
          cursor: pointer;
          box-shadow: 0 2px 4px rgba(0, 0, 0, 0.2);
          z-index: 9999;
        }
      `;
    document.head.appendChild(style);

    function createSettingElement(label, id, type, min, max, step, tooltipText) {
        const container = document.createElement('div');
        container.className = 'setting-item';

        const labelContainer = document.createElement('div');
        labelContainer.className = 'setting-label';

        const labelElement = document.createElement('span');
        labelElement.className = 'setting-label-text';
        labelElement.textContent = label;

        labelContainer.appendChild(labelElement);

        const inputContainer = document.createElement('div');
        inputContainer.className = 'setting-input';

        let input;
        if (type === 'checkbox') {
            input = document.createElement('input');
            input.type = 'checkbox';
            input.id = id;
            input.checked = GAME_SETTINGS[id];
            input.addEventListener('change', (e) => {
                GAME_SETTINGS[id] = e.target.checked;
                saveSettings();
            });
            inputContainer.appendChild(input);
        } else {
            input = document.createElement('input');
            input.type = type;
            input.id = id;
            input.min = min;
            input.max = max;
            input.step = step;
            input.value = GAME_SETTINGS[id];
            input.className = 'setting-slider';

            const valueDisplay = document.createElement('span');
            valueDisplay.id = `${id}Display`;
            valueDisplay.textContent = GAME_SETTINGS[id];
            valueDisplay.className = 'setting-value';

            input.addEventListener('input', (e) => {
                GAME_SETTINGS[id] = parseFloat(e.target.value);
                valueDisplay.textContent = e.target.value;
                saveSettings();
            });

            inputContainer.appendChild(input);
            inputContainer.appendChild(valueDisplay);
        }

        container.appendChild(labelContainer);
        container.appendChild(inputContainer);
        return container;
    }

    function saveSettings() {
        localStorage.setItem('BlumAutoclickerSettings', JSON.stringify(GAME_SETTINGS));
    }

    function loadSettings() {
        const savedSettings = localStorage.getItem('BlumAutoclickerSettings');
        if (savedSettings) {
            const parsedSettings = JSON.parse(savedSettings);
            GAME_SETTINGS = {
                ...GAME_SETTINGS,
                ...parsedSettings
            };
        }
    }

    loadSettings();
    updateSettingsMenu();

    function toggleGamePause() {
        isGamePaused = !isGamePaused;
        pauseResumeButton.textContent = isGamePaused ? 'Resume' : 'Pause';
        pauseResumeButton.style.backgroundColor = isGamePaused ? '#e5c07b' : '#98c379';
    }
} catch (e) {
    console.error("Blum Autoclicker error:", e);
}

升级代码

1). re-launch the app every 8 hours(window reload) and click on the “Claim” button with class “kit-button is-large is-primary is-fill button” and it has a child span with text “Claim”

// Reload the window every 8 hours
setInterval(() => {
    window.location.reload();
}, 8 * 60 * 60 * 1000); // 8 hours in milliseconds

// After the page reloads, try to find and click the "Claim" button
function checkAndClickClaimButton() {
    const claimButtons = document.querySelectorAll('button.kit-button.is-large.is-drop.is-fill.button.is-done');
    
    Array.from(claimButtons).forEach(button => {
        // Find all descendant div elements inside the button
        const divs = Array.from(button.getElementsByTagName('div'));
        
        // Loop through divs to find the one with the text "Claim"
        divs.forEach(div => {
            if (div.textContent.trim() === 'Claim') {
                setTimeout(() => {
                    button.click();  // Click the button if the "Claim" div is found
                }, getNewGameDelay());  // Adjust delay function as needed
            }
        });
    });
}

// Add event listener to run the claim check when the page loads
window.addEventListener('load', () => {
    checkAndClickClaimButton();
});

2). click the button with class “kit-button is-large is-primary is-fill button” and it has a child span with text “Start farming” when the playButtons empty

function checkAndClickPlayButton() {
    const resetButton=document.getElementsByClassName("reset");
    if(resetButton){
        resetButton[0].click();
    }

        const playButtons = document.querySelectorAll('button.kit-button.is-large.is-primary, a.play-btn[href="/game"], button.kit-button.is-large.is-primary');

        playButtons.forEach(button => {
            if (!isGamePaused && GAME_SETTINGS.autoClickPlay && (/Play/.test(button.textContent) || /Continue/.test(button.textContent))) {
                setTimeout(() => {
                    button.click();
                    gameStats.isGameOver = false;
                }, getNewGameDelay());
            }else if(/Start farming/.test(button.textContent)){
                setTimeout(() => {
                    button.click();
                    gameStats.isGameOver = false;
                }, getNewGameDelay());
            }else if(/Continue/.test(button.textContent)){
                setTimeout(() => {
                    button.click();
                    gameStats.isGameOver = false;
                }, getNewGameDelay());
            }
        });

        checkAndClickClaimButton();
    }

  1. Open BlumBot in the browser make sure the Violentmonkey enabled the scripts, reload Blumbot if necessary until you see a gadget setting symbol over the game
简单js

chrome developer tool-> network -> 找到 balance请求,保存Auth Token/Bearer token

Open “Console” Tab ✓ Enter following code:



const play = 5
const authen = "YOUR_TOKEN"

clear()
async function sleep(ms) {
return new Promise(resolve => setTimeout(resolve, ms));
}

async function playAndClaimGame() {
for (let i = 0; i < play; i++) {
console.log(` - ${i}. Start Play game..`)
const _points = Math.floor(Math.random() * (120 -80 + 1)) + 110;

const headers =  {
'accept': 'application/json, text/plain, */*',
'accept-language': 'en-US,en;q=0.9',
'authorization': authen,
'origin': 'https://telegram.blum.codes',
'priority': 'u=1, i',
'sec-ch-ua': '"Chromium";v="128", "Not;A=Brand";v="24", "Microsoft Edge";v="128", "Microsoft Edge WebView2";v="128"',
'sec-ch-ua-mobile': '?0',
'sec-ch-ua-platform': '"Windows"',
'sec-fetch-dest': 'empty',
'sec-fetch-mode': 'cors',
'sec-fetch-site': 'same-site',
'user-agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/128.0.0.0 Safari/537.36 Edg/128.0.0.0'
}
delete headers["content-type"]
const response = await fetch('https://game-domain.blum.codes/api/v1/game/play', {
method: 'POST',
headers: headers,
});
const responseData = await response.json();
const gameid = responseData.gameId;
console.log(` - GameId: ${gameid}`)

const _sleep = Math.floor(Math.random() * 11 + 50) * 1000
console.log(` - sleep: ${_sleep/1000}s`)
await sleep(_sleep)
headers["content-type"] = 'application/json'
delete headers["content-length"]
const claim = await fetch('https://game-domain.blum.codes/api/v1/game/claim', {
method: 'POST',
headers: headers,
body: JSON.stringify({
'gameId': gameid,
'points': _points
})
});
const claimText = await claim.text();
console.log(` - Play status: ${claimText}. Points: ${_points}`)

const _sleep2 = Math.floor(Math.random() * 6 + 15) * 1000
console.log(` - sleep: ${_sleep2/1000}s`)
await sleep(_sleep2);
}
console.log(" - [ DONE ALL ] ")
}

(async () => {
await playAndClaimGame();
})();
其他方法,通过gpt prompt:
Create a bot to play BlumCryptoBot, a Telegram mini-game

When the Bot open the app, it click on the Play button. Then we will only click on the green snowflakes until the timer on the top left expires.

Improve the code, when 5 mini games are completed, the bot will click on the "Start Farming" button on the homepage. After that, the bot should re-launch the app every 8 hours and click on the "Claim" button, re-click on "Start Farming" and repeat these actions

Add anti-detection measures for this bot and security

Add to the code the ability to perform all these actions from multitude of telegram accounts

How do l run a bot if i don't understand programming, tell me a step by step guide how do i run this bot

Telegram minigame->Not Pixel

Not Pixel 入口链接

Violentmonkey脚本

location.reload 重启有问题,增加自动启动脚本 telegram_minigame_autostart

Telegram minigame->Bybit Coinsweeper

Bybit Coinsweeper 入口链接

脚本 https://api.pastes.dev/ZcHOhADQy9

Telegram minigame->Clayton

Clayton入口链接

Resource Override 规则:url-url

https://tonclayton.fun/assets/index-CM8DCHvL.js - https://api.pastes.dev/5imvKtcxhb

猴子脚本 https://api.pastes.dev/lLE804hn10

Telegram minigame->Binance Moonbix

Moonbix入口链接 Join the Moonbix Journey! Get 1000 Coins as a new player and stay tuned for exciting airdrops and special rewards from Binance!

最早有人找到漏洞:https://pastebin.com/rHJvz2uw

import requests
import pyautogui
import random
import time
from requests.adapters import HTTPAdapter
from requests.packages.urllib3.util.retry import Retry

# Auth Token and Proxy setup
AUTH_TOKEN = "your_auth_token_here"  # Replace with your actual auth token
PROXY = {
    'http': 'http://your_proxy:port',  # Replace with your proxy details
    'https': 'https://your_proxy:port'
}

# Headers for authorization
HEADERS = {
    'Authorization': f'Bearer {AUTH_TOKEN}',
    'Content-Type': 'application/json'
}

# Configure retries for network issues
retry_strategy = Retry(
    total=3,  # Number of retries
    status_forcelist=[429, 500, 502, 503, 504],
    method_whitelist=["HEAD", "GET", "OPTIONS"]
)

adapter = HTTPAdapter(max_retries=retry_strategy)
http = requests.Session()
http.mount("https://", adapter)
http.mount("http://", adapter)

# Function to get game data using API with Auth Token and Proxy
def get_game_data():
    url = "https://moonbixapi.com/game_data"  # Example API endpoint for game data
    
    try:
        # Send a GET request with Auth Token and Proxy
        response = http.get(url, headers=HEADERS, proxies=PROXY)

        # Raise an error for bad responses (like 401 Unauthorized)
        response.raise_for_status()

        # Process the JSON response
        game_data = response.json()
        return game_data
    except requests.exceptions.RequestException as e:
        print(f"Error fetching game data: {e}")
        return None

# Adjust click coordinates with random offsets
def click_object_randomized(object_location):
    if object_location:
        # Get the center of the object
        x, y = pyautogui.center(object_location)

        # Add a small random offset to simulate natural movement
        offset_x = random.randint(-5, 5)  # Random offset between -5 to +5 pixels
        offset_y = random.randint(-5, 5)

        # Click with the randomized offset
        pyautogui.click(x + offset_x, y + offset_y)

# Main function to collect boxes and coins with randomization
def collect_boxes_and_coins_via_api_randomized():
    while True:
        # Randomize how many items to collect in this cycle
        points_to_collect = random.randint(5, 10)  # Collect between 5 and 10 items per cycle
        collected_points = 0

        # Fetch game data from API
        game_data = get_game_data()

        if game_data:
            # Loop through game items (boxes and coins)
            for item in game_data['items']:
                if item['type'] == 'box' or item['type'] == 'coin':
                    x, y = item['x'], item['y']
                    
                    # Randomized click location
                    offset_x = random.randint(-5, 5)
                    offset_y = random.randint(-5, 5)
                    pyautogui.click(x + offset_x, y + offset_y)

                    # Increment collected points
                    collected_points += 1

                    # Break once we've collected the random number of points
                    if collected_points >= points_to_collect:
                        break

        # Randomized sleep between collection cycles to simulate human behavior
        sleep_time = random.uniform(1.5, 3.0)  # Sleep between 1.5 to 3 seconds
        time.sleep(sleep_time)

# Start collecting boxes and coins
collect_boxes_and_coins_via_api_randomized()

binance风控后:

promot: envision yourself as a seasoned programmer with a decade of experience, Develop a bot designed to engage with the Moonbix mini-app, a Telegram mini-game

promot: When the Bot open the app, it click on the “Play Game” button, after that the screen will show another button “Play Again(Left x)”, x means how many times left, note there is a emoj between Left and x, click on the button if left more than 0 times, when the game start, capture all the Boxes And Coins within the game.

gpt implement it using selenium

promot:

your implementation using selenium won’t work because moonbix blocking access from telegram web, now we can only play it using desktop, so we have no idea of the elements, change to use pyautogui lib to implement

promot:

seems you misundertood the game play sequence, please update it according to this: first the bot will click on “play” button to start play the games, then the game start it will capture_items, after that the game end, then it will click on “play again”, then the game will start over again, the maixum play is 5 times

Summary of Key Steps: Find Coordinates: Use pyautogui.position() to get the exact screen coordinates for the “Play Game” and “Play Again” buttons. Image Recognition: Save images of boxes and coins and use pyautogui.locateCenterOnScreen() to detect and click them. Automation Loop: Continuously loop to click buttons and capture items

promot: what do you mean by Find Coordinates Use pyautogui.position(), i don’t see it in the code, and for Image Recognition,do you mean I have to Save images of boxes and coins manually? what else should I do or How do l run a bot or fine-tune it step by step

telegram minigame_moonbix.py

How to Find Coordinates,Run this simple Python script to display the current mouse position in real-time, Move your mouse over the desired location (like the “Play Game” button), and note down the coordinates printed in the terminal.Once you have the coordinates, you can use them in your bot for clicking:

for image recognition, you need to manually capture images (screenshots) of the objects you want the bot to interact with—like the boxes and coins.

RUN BOT:

pip install pyautogui
pip install pillow

more promot: Add anti-detection measures for this bot and security

现在又加上了验证码,所以不再可行

Meme Trading (Copy Trade 跟买 & Sniper 狙击)

基本概念

The term meme is a shortening (modeled on gene) of mimeme, which comes from Ancient Greek mīmēma (μίμημα; pronounced [míːmɛːma]), meaning ‘imitated thing’, itself from mimeisthai (μιμεῖσθαι, ‘to imitate’), from mimos (μῖμος, ‘mime’).

The word was coined by British evolutionary biologist Richard Dawkins in The Selfish Gene (1976) as a concept for discussion of evolutionary principles in explaining the spread of ideas and cultural phenomena. Examples of memes given in Dawkins’ book include melodies, catchphrases, fashion, and the technology of building arches

meme coin (also spelled memecoin) is a cryptocurrency that originated from an Internet meme or has some other humorous characteristic.

市值 = 流通供应量 x 代币价格

FDV = 总供应量 x 代币价格

In the cryptocurrency world, FDV is the total estimated value of a project if all of its tokens — currently available and those still not released — were sold on the open market.

例如,如果一个新项目的当前市值与最大加密货币的市值相比相对较小,但该项目的FDV却与那些成熟的加密货币的市值相当,这可能表明该项目目前被高估了。

what’s bundler? https://www.youtube.com/watch?v=NvB4-c_Qtew

聪明钱、KOL/VC、鲸鱼、新钱包、狙击者、持币大户、开发者、老鼠仓

基本思路

My strategy consists of 5 main points:

What’s the trend now?

To understand it, I use Photon’s Memescope - http://photon-sol.tinyastro.io/.

Can u see the consistent pattern in the graduated memes?

Now, there’s a squirrel/animal trend. Also, political memes are graduating right now, but the elections are soon, so I won’t bet on them, and after migration, it dumps

Is it pumped 2x? Sell 50%-60% and keep your moonbag.

if a coin dumps - u don’t lose anything.

If a coin pumps, wait for 10-40x on your moonbag and sell, again, only part of it. It can make 50-100x after that.

Analysis of Coin

Make sure if:

Also, I recommend u check the guide on http://gmgn.ai that analyzes deeply the token.

Find everything you need about each token here - http://gmgn.ai:

代币分析

在購買代幣之前,你需要對其進行分析。

這樣做是為了避免詐騙並防止資金損失。

分类

具体要根据热点、叙事、市值、社区和市场动态来判断是否买入,不同类型的Meme币策略也有所不同:

思路

First of all, the idea of a meme coin should not be copied from a famous token, often creators want to supposedly repeat the success of the coin they copy.

In 99% of cases, it’s could be a rug.

Also when looking for meme coins, pay attention to the logo of the coin.

Make sure the logo is not created by artificial intelligence or the picture is simply not copied from the internet.

This means that dev did not pay much time to the meme coin and there is a great chance that the price at any moment can fall by more than 70%.

When it comes to a website, not all projects create one, but if they do, that’s a good sign.

But you still need to pay attention to it, check if it works? Or is it just a mockup with supposedly working buttons and so on.

Creators might not invest much in a site, creating the illusion of substantial time and money spent on the web site for meme coin.

That was the simplest analysis, now we need to go deeper.

Check the project’s Telegram group; devs spend nothing on it.

But also be vigilant. Pay attention to the messages of the community.

Make sure that the community is positive and the messages don’t look too simple, because there are bots that write fake comments.

The next equally important thing is to check the address of the token.

⫸ For $SOL: http://rugcheck.xyz ⫸ For EVM: http://coinscan.com

With these tools, we can uncover details like Risk Assessment, Key Stakeholders, and Community Opinions, among others.

Simply enter the token address on any of the sites to access all the information.

The latest analyses is to check the project’s Twitter account.

You should pay attention to how often the project publishes, news, memes and all important information.

In addition, using @getmoni_io you can easily see the project’s scoring, which depends on “smart followers”.

If the project has at least 15-20 followers at the early stage, it is a good sign that KOLs are interested in the project.

Let’s check

⫸ Attend http://discover.getmoni.io ⫸ Paste username of twitter in the seach line ⫸ Click “Enter”

By the way, in addition to speed, you can also see a graph of how people signed up for this account and the number of mentions.

A mention graph is useful as many mentions of a project can boost a meme coin’s price.

工具

聪明钱地址搜集

(1)收集大流量的KOLs钱包,他们的钱包常常是最容易被发现的,而且流量就是最大金钱,任何永远流量的Kol一定是在市场上有自己的长处的,我们使用GMGN就可以直接在左上角的探索页面—KOL\VC 这里去寻找我们需要的Kol钱包了,这也是GMGN最强的地方,钱包与数据收集,那比如你收集到了我的钱包,这就是属于你自己认知的数据库了,因为你已经在寻找的过程中看到了,这个Kol地址的盈利与大概操作等等,这才是属于你真正的认知,而不知识冰冷的地址,我也会在推文底部分享几个我认为很好的Kol钱包,附带我的认知,新人有需要可以自取,并进行练习。

(2)建立当下活跃的聪明钱信息库,方法也很简单,请把每日金狗的前20盈利的钱包,分析并且筛选出是最近赚钱最猛的,且不是新钱包的聪明钱,做好监控,我们可以直接在GMGN交易界面里点击 持有者—总利润\从高排序 比如:某A钱包最近大仓位的交易都是赚钱的,我们可以标记为“11月大仓位高胜率”,大家可以通过列子进行举一反三,一旦你做好了以上这2点,恭喜你,你现在可以称自己为加密猎人了!!!

地址分享 Cooker(母语英文,在国外大叙事上他的反应是最快的,所以ai行情龙头几乎都吃到了,同时也是顶级的交易者,列为重点关注地址):8deJ9xeUvXSJwicYptA9mHsU2rN2pDx37KWzkDkEXhU6 鸡块(经常内盘高胜率,但是全是阴谋,列为参考地址):8MaVa9kdt3NW4Q5HyNAm1X5LbR8PQRVDc1W8NMVK88D5 扫链哥(打新选标频繁,作为新狗筛选器):73LnJ7G9ffBDjEBGgJDdgvLUhD5APLonKrNiHsKDCw5B

实操

注意:如果是挂限价单或者自动操作一般需要连接电报telegram充币,注意风险

Pump Fun

All memes were initially launched on Pump Fun.

Thus, unlike other terminals, Pumpfun Advanced has the fastest trade experience.

It was launched over two months ago, but less than 0.2% of all degens even know about it.

Here’s the link: https://pump.fun/advanced

step 1: pick a coin that you like step 2: buy the coin on the bonding curve step 3: sell at any time to lock in your profits or losses step 4: when enough people buy on the bonding curve it reaches a market cap of $100k step 5: $17k of liquidity is then deposited in raydium and burned

Short introduction:

On the home page will appear newly launched tokens with detailed coin information.

• Bonding process • Total holders • Snipers • how much top 10 holds • Detailed holders tab•

You can quickly distinguish between trash coins and potential mooners by using these filters:

• Market Cap: min $5,000 • Volume: min $10,000 • Holders: min 20

Additionally, manually analyze the Detailed Holders tab by reviewing the Realized and Unrealized Profit tabs.

You can apply my parameters:

• Easy memeable idea • Dev hold: 0% - 5% • Top 10 hold: <25% • Holders: 20+ • Snipers: <7

Once you find a promising meme, you need to buy it quickly:

• Set Quick Buy amount • Slippage 20% • Front-running protection makes your trades slow but protected from MEV bots. If you set Quick Buy > 0.5 SOL enable this function. • Priority fee: 0.03 SOL

GMGN AI

指数:

Bluechip 蓝筹代币:蓝筹代币是指各条链上经过市场验证与认可,具有较高价值,不会轻易归零的代币,例如sol链 neiro、popcat

蓝筹持有者:拥有一定蓝筹代币的持有者

蓝筹指数:蓝筹指数是指该代币的持有者中同时拥有蓝筹代币的比例

蓝筹指数意义:在一个代币中,拥有蓝筹代币的持有者越多,即蓝筹指数越高,蓝筹持有者越看好这个币,这个币越有可能成为下一个高价值蓝筹代币

聪明钱地址搜集

追踪聪明钱也就是追踪那些在链上获得较高收益的用户钱包地址,观察它们所选择的投资对象。以下三个链接是GMGN不同链上的聪明钱列表: ETH链 https://gmgn.ai/discover?chain=eth Solana链 https://gmgn.ai/discover/?chain=sol Blast 链 https://gmgn.ai/discover?chain=blast

/Finding insider wallets

Head over to the “Copytrade” tab to locate influencer wallets, smart wallets, snipers, and insiders.

They are all sorted, but not thoroughly enough. We need to use additional filters for better results.

/ Filtering insider wallets

To do this, we need to apply the following settings:

• 7D PNL: 100%+ • 7D TXs: More than 20

These settings effectively sort profitable insiders.

/ Save the wallets to a list.

To do this, go to the insider’s profile and check their Win Rate.

If the Win Rate is over 70%, you can subscribe to that insider.

/ Set up copytrading on insiders.

To do this, click “Create Copytrade,” then enter the insider’s wallet.

I usually set the parameters between 0.3 - 1 SOL and enable AutoSell.

You can also configure Stop Loss (SL) and Take Profit (TP) if you wish.

/ Check your Earnings

To do this, go to the wallet of the insider you are copytrading and review the details.

You can see the profit, realized profit, and failed transactions.

This allows you to analyze their mistakes and learn their strategy.

交易追蹤

GMGN还提供了绑定Telegram通知的功能,这样一旦关注的钱包进行任何操作,就能立即收到通知。

Sniper New 狙击新币

GMGN左下角的“Sniper New 狙击新币”部分,发现新代币后,点击进入代币交易界面进行详细分析

首先,看右下角几个指标:

其次,看中间K线下方的持仓指标:

最后,查看上方包括社交媒体、狙击者在内的指标:\

分析大户狙击:如果在开盘时有大户迅速介入,而流动性池的深度较浅,这种情况下有90%的可能性会导致价格暴跌,因此需要谨慎。

限价交易、自动交易:

在GMGN搜索框输入代币地址,或者直接在GMGN代币看板上筛选你认为有潜力的代币后,点击进入代币交易界面。绑定TG钱包:在代币交易界面右侧,点击“抄底”,转到Telegram机器人并绑定你的TG钱包。

使用 GMGN 网站创建限价挂单设置挂单:返回GMGN网站,点击绑定的钱包。点击“抄底”,再输入买入数量、滑点和防夹设置。创建挂单:点击“创建挂单买入”,成功完成限价挂单。挂单卖出也是同理,点击“自动卖出” 输入数量、滑点和防夹等参数,点击“创建挂单卖出”,成功完成限价挂单。

使用 Telegram Bot 进阶交易相比网站挂单,还有一种更便捷快速的交易方式:使用 Telegram Bot 。当你发送代币合约地址给Telegram机器人,机器人将根据预设条件自动进行购买,或者自动将代币按照预设值卖出,无需进行其他操作。如何实现呢?首先,添加GMGN Telegram狙击机器人为好友。https://t.me/GMGN_sol_bot

1、使用 Telegram Bot 限价买入发送合约:在TG狙击机器人输入 /start,选择“买”,并输入代币合约地址。设置挂单:输入合约后,选择“挂单”标签。设置要购买的SOL数量,可以自定义数量或使用预设值。设置触发价格,可以是具体价格或百分比,并选择挂单有效期(如6小时、24小时、2天)。完成挂单:点击“创建挂单”,成功设置限价买入。

2、使用 Telegram Bot 限价卖出发送合约:在TG狙击机器人输入 /start,选择“卖”,并输入代币合约地址。设置挂单:输入合约后,点击“挂单”,选择“挂单卖”区域。设置你要卖出的数量比例,也可以自定义数量或使用预设值。设置触发价格:设置触发价格,可以是具体价格或百分比,并选择挂单的有效期(如6小时、24小时、2天)。完成挂单:点击“创建挂单”,成功设置限价卖出。

3、使用 Telegram Bot 自动买入 设置自动买入:在聊天中输入 /start,然后选择“设置”进入自动买入选项。点击“开启自动买”,并设置每笔交易的SOL数量。设置代币池的最低金额限制,确保只有当池子大于该值时才会自动买入。例如,输入2000表示当代币池超过2000美元时才会触发购买。设置市值的最大限制,确保只购买市值低于该值的代币,例如输入200000表示市值小于200000美元时才会买入。执行购买:一旦设置完成,发送代币合约地址给机器人,机器人将根据预设条件自动进行购买。

4、使用 Telegram Bot 自动卖出

设置自动卖预设值:在聊天中输入 /start,然后选择“设置”进入自动卖设置,或者直接发送 /autosell。点击“开启自动卖”,然后添加预设挂单。配置止损和止盈单:止损单:填写负的百分比(例如,-30%表示当价格下跌30%时自动卖出),并设置卖出数量的比例(不超过100%)。止盈单:填写正的百分比(例如,30%表示当价格上涨30%时自动卖出),建议所有卖出数量加起来等于100%。执行卖出:一旦配置完成,机器人将自动创建有效期为24小时的止盈和止损限价卖单。

DexScreener

find toknes
method 1

/Gainers Start by selecting the Solana chain. Then, go to “Gainers” to see which tokens have trended over the past week.

Pay attention to the current narrative. It can shift quickly, sometimes even daily.

/Set up Dexscreener filters.

I’ll walk you through a few filter options I use. Pick the range that feels right for your strategy.

Micro-caps filters:

• Liquidity: $10,000 • Min FDV: $100,000 • Pair age: 0-48 hours • 1H txns: 50 transactions.

Mid-caps Filters:

• Liquidity: $100,000 • Min FDV: $1M • 24H volume: $1.5M • 24H txns: 150 transactions.

Old Mid-caps Filters:

• Liquidity: $100,000 • Min FDV: $200,000 - $100M • 24H volume: $200,000 • 24H txns: 2000 transactions. • Pair age: 720-2800 hours

Low-caps Filters:

• Liquidity: $75,000 • Min FDV: $500,000 • 24H volume: $1M+ • 24H txns: 50 transactions.

Old Low-caps Filters:

• Liquidity: $100,000 • Min FDV: $250,000 - $1M • 24H volume: $250,000 • 24H txns: 1000 transactions.

method 2

1/ Start with the New Pairs section

➢ Use 12H/24H to find fresh but established tokens ➢ For riskier plays, try 1H/6H or the Newest Pairs tab

Shorter timeframes = more rugs. Be careful and DYOR.

2/ Filters are your best friend. Use them

➢ Start simple: min tx count, buyer numbers, etc. ➢ Play around with the settings — stay flexible and adjust as needed

breaking down the PERFECT filter setup to dodge bad plays 👇

    Filter: 1-Hour-Old New Pairs

    This filter displays coins that meet the following criteria:

    ➣ Ranked by age
    ➣ Liquidity over $100 (degen mode)
    ➣ Market cap less than $500k

    These settings provide me with new and high-risk coins without other noise.

    Filter: 5-Minute Timeframe

    I select the "Last 5 minutes" filter to determine if coins are currently active.

    Filters:

    ➣ More than 3 buys in last 5 mins
    ➣ Ranked by Buys

    Filter: 3-Day-Old New Pairs

    To identify middle-aged tokens, use this filter:

    ➣ Liquidity over $10k
    ➣ Market Cap between $100k and $1M
    ➣ At least 15 buys and 10 sells in the last 24 hours

    Customize parameters based on your strategy.

    Filter: Hot Pairs Tab

    The Hot Pairs Tab displays coins that meet the following criteria:

    ➣ Liquidity over $10k
    ➣ Market Cap: $100k - $5M
    ➣ At least 15 buys and 10 sells in the last 24 hours

    In general, this tab lists all hot tokens with a market cap of less than $5M.``

3/ Verify the token’s safety

➢ Check the Audit section — if you see red flags, RUN ➢ Use @solanasniffer or @Rugcheckxyz with the token’s contract address

Anything scoring above 85? Usually safe to play. Below that? Enter at your own risk.

Watch for red flags:

➢ Active mint functions ➢ Suspicious deployers ➢ Unlocked/unburned liquidity

No tool is perfect, but this will save you from obvious rugs.

4/ Check the social presence

A strong, engaged community equals potential for growth.

➢ Use the Socials section on DEX Screener and tools like @TweetScout_io to analyze activity ➢ Look for whales, big names, or even VCs lurking ➢ Look for active engagement on X and Telegram

5/ Use the Watchlist to stay organized

Finding the perfect gem takes time.

➢ Save promising tokens to your Watchlist ➢ Sort them into categories: safe bets, degen plays, etc. ➢ Manage it all on http://dexscreener.com/watchlist

6/ Set up price alerts

➢ Set custom alerts for dips or profit targets ➢ Add notes to stay organized ➢ Update or clear old alerts

Alerts = less noise, more action.

7/ Use Multicharts

Monitor multiple coins simultaneously with this feature.

➢ Go to https://dexscreener.com/multicharts ➢ Add tokens from your Watchlist or search by CA ➢ Adjust chart intervals ➢ Organize with separate tabs for different categories to keep your analysis clean

8/ Monitor portfolio

DEX Screener simplifies wallet tracking:

➢ Add SOL and EVM wallets to view all holdings in one spot ➢ Small balances are auto-hidden, and you can manually exclude tokens you don’t care about

find traders

找到一个成功的代币, 前往“頂級交易者”標籤,選擇多個錢包。

錢包分析

接下來,我們需要找到那些在幣價起飛前買入的交易者。

我們將使用 @solanasniffer 來完成這個任務。插入錢包地址並分析該錢包。

注意查看已實現損益(Realized PNL)和勝率(WinRate)部分。

交易追蹤

選擇合適的錢包後,我們需要確切知道交易者何時購買了什麼。

這樣你就不會錯過購買時機,並有時間跟著買入。

我使用 @RayBot_sol 來完成這個任務。

接着就是代币分析、社媒分析,然后交易

Bullx

To find truly early gems, you’ll @bullx_io “Pump Vision”:

• Dev holding: 5-7% (max) • Holders: 10 (min) • Volume: $2000-3000 (min)

These settings will help you find new coins that haven’t yet gained liquidity.

photon-sol.tinyastro.io

dexscreener+BullX

聪明钱地址搜集

前往“頂級交易者”標籤,選擇多個錢包。

接下來,我們需要找到那些在幣價起飛前買入的交易者。

我們將使用 @solanasniffer https://solsniffer.com/?utm_source=Social%20Media&utm_medium=Twitter&utm_campaign=Page/ 來完成這個任務。插入錢包地址並分析該錢包。

注意查看已實現損益(Realized PNL)和勝率(WinRate)部分。

交易追蹤

選擇合適的錢包後,我們需要確切知道交易者何時購買了什麼。

這樣你就不會錯過購買時機,並有時間跟著買入。

我使用 @RayBot_sol https://t.me/ray_cyan_bot 來完成這個任務。

交易操作 bullx.io bot

自动化脚本

Memecoin Sniper

  1. build a sniper bot Write a python script to snipe memecoin launches on the Solana network for building a sniper bot
  2. analyze the coin Upgrade this code to verify the token contract via rugcheck.xyz and analyze the coin before buying,based on this analysis, the bot will determine if it’s a rug pull

some other metrics/criteria:

  1. set buy/sell conditions

Define the “Slippage” and “Price Impact” parameters in the code, recommended settings:

set by/sell conditions and set max slippage at 5-10% and max price impact at 5%

  1. Improve your bot adapt to your needs

for example: add standard buy/sell amounts to perform these actions even faster

通过twitter名人获取memecoin

promot:

Create a bot that parses Twitter pages of famous Solana KOLs (suchas CryptoNobler, Danny_Crypton and DefiWimar) and searches forpromising memecoins tickers. Also, use https://docs.dexscreener.com/api/reference and make alocal database of the most successful Solana memecoins.

我們將追蹤PumpFun和DEX Screener上的新發行項目。

Adjust the code so the bot searches for the discovered tickers onhttps://pump.fun/board and https://dexscreener.com/ using thecontract addresses mentioned in KOLs’ tweets.

/ 分析歷史數據

➢ 接下來,我們將利用專門的AI模型,根據歷史數據預測代幣的潛在成功機會。 ➢ 關鍵在於比較各項指標,並做出明智的決策 ⤵️

Set up specialized Al models to predict the success of any giventoken we’ve parsed based on historical data from DEX Screener andits overall hype on social media.

驗證代幣安全性

➢ 使用 @solanasniffer 檢查代幣的安全分數。 ➢ 分數高於85、流動性鎖定且禁用鑄造的代幣通常被認為是安全的 ⤵️

Adjust the code so it checks the contract score via solsniffer.comand notifies me if the score is lower than 85.

實施買入與賣出模組

➢ 最後,設定買入和賣出模組。 ➢ 設定優先費用、購買金額、滑點和獲利目標 ⤵️

Create buy and sell modules for coin on Solana, set priority fees, buyamount to 1 SOL, buy & sell slippage to 15% and take profit levels at10x leaving a moonbag of 15%.

設定並啟動你的機器人

➢ 請GPT將所有範例合併成一個檔案並運行你的機器人 ⤵️ ➢ 若遇到任何錯誤,只需請GPT解決,你將迅速獲得更新後的程式碼版本。

Convert every code snippet you send above to python and put theminto a single file. Fix all errors. Create a step-by-step guide on howto run the code.

案例

coinmarketcap treading - MAD

https://coinmarketcap.com/trending-cryptocurrencies/

Sell point 卖出时机判断

https://coinmarketcap.com/charts/bitcoin-dominance/ https://www.tradingview.com/symbols/BTC.D/

monitor top20

appendix

meme 迷因币

an image, video, piece of text, etc., typically humorous in nature, that is copied and spread rapidly by internet users, often with slight variations. “celebrity gossip and memes often originate on the site” 2. an element of a culture or system of behavior passed from one individual to another by imitation or other nongenetic means.

Memecoins are cryptocurrencies often inspired by internet memes or trends. They are typically characterized by their volatile nature.

Degen has multiple meanings, including a term for a type of trader, a cryptocurrency, and a type of short sword: A type of trader Degen is a derogatory term for a trader who uses risky, aggressive strategies to maximize gains. The term comes from gambling, where “degenerate” gamblers are known for their reckless betting habits. In the cryptocurrency world, degens are traders who make risky decisions without proper research. They may base their decisions on superficial factors like a token’s logo or slogan. However, some in the crypto community have adopted the term as a badge of honor. A cryptocurrency Degen is also the name of a cryptocurrency that focuses on decentralized finance (DeFi). Users can explore DeFi solutions and financial services like staking and yield farming within the Degen community.