• XSS.stack #1 – первый литературный журнал от юзеров форума

Мануал/Книга Flash USDT / 2025

BlackElite

CD-диск
Пользователь
Регистрация
15.01.2025
Сообщения
12
Реакции
11
Это статья о том, как отправить Flash криптовалюту, и в то же время у меня есть вопрос,
Это мой код Python, и ситуация выглядит следующим образом.

1. Генерируется смарт-контракт.
2. Транзакция отправляется.
3. Блоки подтверждают
4. Взимается ПЛАТА ЗА ГАЗ

Но это не помещается в кошельки :rolleyes:

Кто-нибудь знает, в чем может быть причина?

Скрытый контент для зарегистрированных пользователей.

Python:
import tkinter as tk
from tkinter import messagebox, ttk
from web3 import Web3
import logging

# Set up logging
logging.basicConfig(filename="transaction_log.txt", level=logging.INFO, format='%(asctime)s - %(levelname)s - %(message)s')

# Connect to Ethereum Mainnet using your Infura Project ID
infura_url = "https://mainnet.infura.io/v3/ ********** "  # Your Infura Project ID
web3 = Web3(Web3.HTTPProvider(infura_url))

# Cryptocurrencies metadata
cryptocurrencies = {
    "USDT": {"address": " Reciever Address ", "decimals": 6}  # USDT Reciever Address Here
}

# Track the last transaction details
last_transaction = None

# Validate and convert the Ethereum address
def validate_and_convert_address(address):
    if not web3.is_address(address):  # Check if the address is valid
        raise ValueError("Invalid Ethereum address.")
    return web3.to_checksum_address(address)  # Convert to checksum address

# Function to send the transaction
def send_transaction():
    global last_transaction
    private_key = private_key_entry.get()
    delivery_address = delivery_address_entry.get()
    send_amount = amount_entry.get()
    selected_currency = currency_combobox.get()

    try:
        # Validate and convert the Ethereum address
        delivery_address = validate_and_convert_address(delivery_address)

        # Get the contract address and decimals for the selected currency
        currency_data = cryptocurrencies[selected_currency]
        contract_address = currency_data["address"]
        decimals = currency_data["decimals"]

        # Convert the send amount to smallest units
        send_amount = int(float(send_amount) * (10 ** decimals))

        # Sender's wallet
        account = web3.eth.account.from_key(private_key)
        sender_address = account.address

        # ERC-20 transfer method ID
        method_id = "0xa9059cbb"

        # Encode the transaction data
        padded_address = delivery_address[2:].zfill(64)  # Remove '0x' and pad with zeroes
        padded_amount = hex(send_amount)[2:].zfill(64)  # Convert amount to hex and pad with zeroes
        data = method_id + padded_address + padded_amount

        # Get the current nonce (from confirmed transactions)
        nonce = web3.eth.get_transaction_count(sender_address)

        # Set a gas price to keep it pending (3 gwei Stuck Forever) (20+ gwei Instant)
        gas_price = web3.to_wei(3, "gwei")
        gas_limit = 60000  # Gas limit for ERC-20 transfer

        # Construct the transaction
        transaction = {
            "to": contract_address,
            "value": 0,
            "gas": gas_limit,
            "gasPrice": gas_price,
            "nonce": nonce,
            "data": data,
            "chainId": 1,
        }

        # Sign the transaction
        signed_txn = web3.eth.account.sign_transaction(transaction, private_key)

        # Send the transaction
        tx_hash = web3.eth.send_raw_transaction(signed_txn.raw_transaction)
        tx_hash_hex = web3.to_hex(tx_hash)

        # Save the last transaction details
        last_transaction = {
            "nonce": nonce,
            "gasPrice": gas_price,
            "private_key": private_key
        }

        # Log the transaction
        logging.info(f"Transaction sent successfully. Hash: {tx_hash_hex}")

        # Copy txid to clipboard
        root.clipboard_clear()
        root.clipboard_append(tx_hash_hex)
        root.update()

        messagebox.showinfo("Success", f"Transaction sent!\nHash: {tx_hash_hex}\n(TxID copied to clipboard)")

    except Exception as e:
        logging.error(f"Error while sending transaction: {str(e)}")
        messagebox.showerror("Error", f"Failed to send transaction:\n{str(e)}")

# Function to cancel the last transaction
def cancel_transaction():
    global last_transaction
    if not last_transaction:
        logging.warning("No transaction to cancel.")
        messagebox.showerror("Error", "No transaction to cancel.")
        return

    try:
        private_key = last_transaction["private_key"]
        nonce = last_transaction["nonce"]
        gas_price = last_transaction["gasPrice"]

        # Increase the gas price to replace the transaction
        new_gas_price = int(gas_price * 1.5)

        # Sender's wallet
        account = web3.eth.account.from_key(private_key)
        sender_address = account.address

        # Create a replacement transaction to self
        transaction = {
            "to": sender_address,
            "value": 0,
            "gas": 21000,
            "gasPrice": new_gas_price,
            "nonce": nonce,
            "chainId": 1,
        }

        # Sign the replacement transaction
        signed_txn = web3.eth.account.sign_transaction(transaction, private_key)

        # Send the replacement transaction
        tx_hash = web3.eth.send_raw_transaction(signed_txn.raw_transaction)
        tx_hash_hex = web3.to_hex(tx_hash)

        # Log the successful cancellation
        logging.info(f"Transaction canceled successfully. Hash: {tx_hash_hex}")

        messagebox.showinfo("Success", f"Transaction canceled!\nHash: {tx_hash_hex}")

    except Exception as e:
        logging.error(f"Error while canceling transaction: {str(e)}")
        messagebox.showerror("Error", f"Failed to cancel transaction:\n{str(e)}")

# GUI
root = tk.Tk()
root.title("Flashing")

# Private Key
tk.Label(root, text="Private Key:").grid(row=0, column=0, padx=10, pady=5)
private_key_entry = tk.Entry(root, width=50, show="*")
private_key_entry.grid(row=0, column=1, padx=10, pady=5)

# Delivery Address
tk.Label(root, text="Delivery Address:").grid(row=1, column=0, padx=10, pady=5)
delivery_address_entry = tk.Entry(root, width=50)
delivery_address_entry.grid(row=1, column=1, padx=10, pady=5)

# Amount
tk.Label(root, text="Amount:").grid(row=2, column=0, padx=10, pady=5)
amount_entry = tk.Entry(root, width=50)
amount_entry.grid(row=2, column=1, padx=10, pady=5)

# Cryptocurrency Dropdown
tk.Label(root, text="Select Currency:").grid(row=3, column=0, padx=10, pady=5)
currency_combobox = ttk.Combobox(root, values=list(cryptocurrencies.keys()), state="readonly")
currency_combobox.grid(row=3, column=1, padx=10, pady=5)
currency_combobox.set("USDT")  # Default selection

# Submit Button
submit_button = tk.Button(root, text="Send Transaction", command=send_transaction)
submit_button.grid(row=4, column=0, columnspan=2, pady=10)

# Cancel Button
cancel_button = tk.Button(root, text="Cancel Last Transaction", command=cancel_transaction)
cancel_button.grid(row=5, column=0, columnspan=2, pady=10)

root.mainloop()
 
Если хочешь, могу скинуть свой код, тоже на питоне, но у меня есть проблема, транза пропадает через несколько секунд, я думаю нужно повысить плату за газ!
 
Если хочешь, могу скинуть свой код, тоже на питоне, но у меня есть проблема, транза пропадает через несколько секунд, я думаю нужно повысить плату за газ!
да, вам нужно убедиться, что вы регулируете достаточно газа, чтобы он мог остаться, но у меня есть проблема, что транзакция находится на рассмотрении, но она отражает, чтобы сбалансировать любую идею, как ее исправить ?
 
Is this script works only exodus to exodus wallet flashing usdt (erc20)
In that case it will only stay there for sometime as "receiving" and then will dissappear.
correct but the script does not work as it should because it does not appear in balance just in activity 1 week ago the scripted was working perfectly it showed in balance too now it doesnt
 
Спасибо всем за внимание, все работает успешно.

Thank you all for your attention, everything is working successfully.
 
We took into wallets the issue and found the following process.
Since the WEB3 Blockchain has been updated Smart contracts on the network are examined so easy to identify.
 
Пожалуйста, обратите внимание, что пользователь заблокирован
Спасибо всем за внимание, все работает успешно.

Thank you all for your attention, everything is working successfully.
на какие кошельки получается завести?
 
Спасибо всем за внимание, все работает успешно.

Thank you all for your attention, everything is working successfully.
Could you please PM me your ID, I have been looking for this for a while now
 
Flash Crypto = ONLY SCAM!

Никакая биржа, обменник, бот, сервис, гарант, сайт и даже мамонт, знакомый с криптой на уровне школьника, монету без ликвидности петушиное дно, НЕ ПРИМЕТ ❌❗
 
Flash Crypto = ONLY SCAM!

Никакая биржа, обменник, бот, сервис, гарант, сайт и даже мамонт, знакомый с криптой на уровне школьника, монету без ликвидности петушиное дно, НЕ ПРИМЕТ ❌❗
Логично. Форум же вроде бы именно об этом, нет? 2008 уже прошел и на форуме больше обсуждается BlackHat Fraud нежели какие-то технические вопросы глубокие.
Спасибо за интересный факт в любом случае :)👍
 


Напишите ответ...
  • Вставить:
Прикрепить файлы
Верх