Search content
Sort by

Showing 20 of 95 results by Den11
Post
Topic
Board Service Announcements
Re: [ANN] Seven Seas Exchange: Privacy-focused | No KYC | Low fees | API |
by
Den11
on 22/09/2023, 19:14:54 UTC
They do not tolerate criticism and delete and block. They themselves launched fake trading and an averaging bot, and when you tell them about it, they block you. People, be careful with this exchange.
Post
Topic
Board Marketplace
Re: Is there an exchange as similar as txbit.io?
by
Den11
on 19/09/2023, 06:24:52 UTC
Guys, tell me if there is an exchange that is as similar as txbit.io visually and functionally. If anyone knows, please tell me!
So what feature that you like most about this exchange so that we can give you a recommendation, I didn't use an unknown exchange that might not have enough reputation to entrust our fund.  There's a lot of exchange that we can choose which is trusted enough, if you're willing to undergo KYC procedures go for CEXs and if you want to protect your privacy we have DEXs.

You can choose them here.
[BIG LIST] Buy/Sell Crypto (OTC, P2P, DEXs, CEXs, NO-KYC, ATMs, etc.).

Thanks for the list
Post
Topic
Board Marketplace
Topic OP
Is there an exchange as similar as txbit.io?
by
Den11
on 17/09/2023, 12:56:32 UTC
Guys, tell me if there is an exchange that is as similar as txbit.io visually and functionally. If anyone knows, please tell me!
Post
Topic
Board Trading Discussion
Re: Trading bot for sevenseas.exchange
by
Den11
on 09/09/2023, 08:18:56 UTC

Here is a bot that worked on txbit.io if anyone is interested.
I repeat, the risks are great.




from secrets import APIKEY, SECRET
from txbit import Txbit
import time
import requests

# Создание экземпляра класса Txbit
txbit = Txbit(APIKEY, SECRET)

# Торговая пара P3D/USDT
market = 'P3D/USDT'

# Функция для отмены всех ордеров на паре 'P3D/USDT'
def отменить_все_ордера():
    open_orders = txbit.getOpenOrders(market)
    for order in open_orders.result:
        order_id = order['OrderUuid']
        cancel_order = txbit.cancel(order_id)
        if cancel_order.success:
            print(f'Ордер {order_id} успешно отменен.')
        else:
            print(f'Не удалось отменить ордер {order_id}.')

# Отменить все ордеры перед запуском бота
отменить_все_ордера()

# Максимальная цена покупки и минимальная цена продажи
max_buy_price = 0.00860000
min_sell_price = 0.01000000

# Основной цикл бота
while True:
    try:
        # Проверка баланса P3D
        balance = txbit.getBalance('P3D')
        p3d_balance = float(balance.result['Available'])

        if p3d_balance >= 300:
            # Цикл продажи
            while True:
                # Получение ордербука на продажу
                sell_orderbook = txbit.getOrderBook(market, 'sell')
                # Получение ордербука на покупку
                buy_orderbook = txbit.getOrderBook(market, 'buy')

                # Проверка наличия ордеров в ордербуке на продажу
                if len(sell_orderbook.result) > 0:
                    # Получение лучшего ордера на продажу
                    best_sell_order = min(sell_orderbook.result, key=lambda x: x['Rate'])
                    best_sell_price = best_sell_order['Rate']

                    # Проверка наличия ордеров в ордербуке на покупку
                    if len(buy_orderbook.result) > 0:
                        # Получение лучшего ордера на покупку
                        best_buy_order = max(buy_orderbook.result, key=lambda x: x['Rate'])
                        best_buy_price = best_buy_order['Rate']

                        # Вычисление разницы в цене между продажей и покупкой в процентах
                        price_difference_percent2 = (best_sell_price - best_buy_price) / best_buy_price * 100

                        # Проверка разницы в цене
                        if price_difference_percent2 >= 3:
                            # Вывод разницы в цене между продажей и покупкой
                            print(f'Разница в цене между продажей и покупкой составляет {price_difference_percent2}%')

                            # Проверка минимальной цены продажи
                            if best_sell_price >= min_sell_price:
                                # Вычисление цены для нового ордера на продажу
                                sell_price = best_sell_price - 0.00000001
                                # Размер ордера на продажу
                                sell_quantity = txbit.getBalance('P3D').result['Available']
                                # Размещение ордера на продажу
                                sell_order = txbit.sellLimit(market, sell_quantity, sell_price)
                                print(f'Sell Order Placed for {sell_quantity} P3D at price {sell_price}')
                                # Ожидание 30 секунд
                                time.sleep(30)
                                # Отмена ордера на продажу
                                cancel_order = txbit.cancel(sell_order.result['uuid'])
                                print(f'Sell Order Cancelled: {cancel_order}')
                                # Проверка выполнения ордера на продажу
                                if cancel_order.success and cancel_order.result is not None and cancel_order.result['Quantity'] > 0:
                                    # Обновление размера ордера на продажу
                                    sell_quantity = float(cancel_order.result['Quantity'])
                            else:
                                print(f'Цена продажи {best_sell_price} ниже минимальной цены продажи {min_sell_price}')
                                # Ожидание 10 секунд
                                time.sleep(10)
                        else:
                            print('Ожидание разницы в цене...')
                            # Ожидание 10 секунд
                            time.sleep(10)
                    else:
                        print('Отсутствуют ордера на покупку')
                else:
                    print('Отсутствуют ордера на продажу')

                # Проверка баланса P3D
                balance = txbit.getBalance('P3D')
                p3d_balance = float(balance.result['Available'])
                if p3d_balance == 0:
                    # Переход к циклу покупки
                    break
        else:
            # Цикл покупки
            while True:
                # Получение ордербука на покупку
                buy_orderbook = txbit.getOrderBook(market, 'buy')
                # Получение ордербука на продажу
                sell_orderbook = txbit.getOrderBook(market, 'sell')

                # Проверка наличия ордеров в ордербуке на покупку
                if len(buy_orderbook.result) > 0:
                    # Получение лучшего ордера на покупку
                    best_buy_order = max(buy_orderbook.result, key=lambda x: x['Rate'])
                    best_buy_price = best_buy_order['Rate']

                    # Проверка наличия ордеров в ордербуке на продажу
                    if len(sell_orderbook.result) > 0:
                        # Получение лучшего ордера на продажу
                        best_sell_order = min(sell_orderbook.result, key=lambda x: x['Rate'])
                        best_sell_price = best_sell_order['Rate']

                        # Вычисление разницы в цене между покупкой и продажей в процентах
                        price_difference_percent1 = (best_sell_price - best_buy_price) / best_sell_price * 100

                        # Проверка разницы в цене
                        if price_difference_percent1 >= 3:
                            # Вывод разницы в цене между покупкой и продажей
                            print(f'Разница в цене между покупкой и продажей составляет {price_difference_percent1}%')

                            # Проверка максимальной цены покупки
                            if best_buy_price <= max_buy_price:
                                # Вычисление цены для нового ордера на покупку
                                buy_price = best_buy_price + 0.00000001
                                # Размер ордера на покупку
                                buy_quantity = 500
                                # Размещение ордера на покупку
                                buy_order = txbit.buyLimit(market, buy_quantity, buy_price)
                                print(f'Buy Order Placed for {buy_quantity} P3D at price {buy_price}')
                                # Ожидание 30 секунд
                                time.sleep(30)
                                # Отмена ордера на покупку
                                cancel_order = txbit.cancel(buy_order.result['uuid'])
                                print(f'Buy Order Cancelled: {cancel_order}')
                                # Проверка выполнения ордера на покупку
                                if cancel_order.success and cancel_order.result is not None and cancel_order.result['Quantity'] > 0:
                                    # Обновление размера ордера на покупку
                                    buy_quantity = 3 - float(cancel_order.result['Quantity'])
                            else:
                                print(f'Лучшая цена на покупку {best_buy_price} превышает максимальную цену покупки {max_buy_price}')
                                # Ожидание 10 секунд
                                time.sleep(10)
                        else:
                            print('Ожидание разницы в цене...')
                            # Ожидание 10 секунд
                            time.sleep(10)
                    else:
                        print('Отсутствуют ордера на продажу')
                else:
                    print('Отсутствуют ордера на покупку')

                # Проверка баланса P3D
                balance = txbit.getBalance('P3D')
                p3d_balance = float(balance.result['Available'])
                if p3d_balance >= 300:
                    # Переход к циклу продажи
                    break

    except requests.exceptions.RequestException:
        # Обработка ошибки отсутствия интернет-соединения
        print('Отсутствует интернет-соединение. Ожидание...')
        time.sleep(10)
        continue

    except Exception as e:
        # Обработка других исключений
        print(f'Произошла ошибка: {str(e)}')
        break
Post
Topic
Board Trading Discussion
Re: Trading bot for sevenseas.exchange
by
Den11
on 08/09/2023, 05:09:00 UTC
once downloaded a bot from github and fixed it a bit. The bot tried  first to buy and sell  with some restrictions on price and percentage. To be honest, the risk is big, but it was worth it (I made $468 from $50 in a month) But writing interactions from scratch and the bot is not smart enough.
So basically you've managed to edit and run it on your own? What kind of features are you looking for that you are looking for in a script-based trading bot? I suggest making a new thread on services if you want to commission someone to edit or make a bot for you. There is no way you can find a free one that is designed specifically for your purpose. Even if you do, there will always be some restrictions like limited API calls and so on.
I was able to make the changes using GPT chat. The bot traded on the txbit exchange, but it closed. On the txbit exchange, many coins had a large price difference compared to popular exchanges. People upload to Github for free to many but popular exchanges.
Post
Topic
Board Trading Discussion
Re: Trading bot for sevenseas.exchange
by
Den11
on 04/09/2023, 16:33:29 UTC
It's much better to learn trading and build your own strategy that may make you profits in long run.

Its much better to learn trading, build your own strategy, automatize it and run 24/7 on every single trading pair available isn't it?

The bots are brainless

Thats their biggest advantage over people. bots don't get bored, bots don't get tired, bots don't get carried away by emotions. Bots implement the strategy invented by the creator.

Guys who have a simple python trading bot for the exchange https://www.sevenseas.exchange

there is no such thing as "simple python trading bot". What is it supposed to do? arbitrage, marketmaking, trading based on indicators? besides, I recommend using proven exchanges and not no-names with zero liquidity and zero trust.
I once downloaded a bot from github and fixed it a bit. The bot tried  first to buy and sell  with some restrictions on price and percentage. To be honest, the risk is big, but it was worth it (I made $468 from $50 in a month) But writing interactions from scratch and the bot is not smart enough.
Post
Topic
Board Trading Discussion
Topic OP
Trading bot for sevenseas.exchange
by
Den11
on 03/09/2023, 12:23:11 UTC
Guys who have a simple python trading bot for the exchange https://www.sevenseas.exchange
Post
Topic
Board Trading Discussion
Re: Help improve the trading bot code
by
Den11
on 01/07/2023, 16:54:26 UTC
It's difficult to help you out without knowing where the problem is occurring exactly (which function/line).

But if I had to guess, I would say it's because one of your variables (possibly buy or sell) is failing for some reason and not returning anything. Did you by any chance forget to set your APIKEY and SECRET?


Sorry. For not posting right away.

The spread right now is 7.000000000000001%
{
    "success": true,
    "message": "",
    "result": {
        "uuid": "856c4057-f36b-1410-8ee1-00532493487a"
    }
}
{
    "success": false,
    "message": "INSUFFICIENT_FUNDS",
    "result": null
}
No uuid's!
Sleeping for 1s
{
    "success": false,
    "message": "UUID_INVALID",
    "result": null
}
Canceling buy order 🗙
{
    "success": false,
    "message": "UUID_INVALID",
    "result": null
}
Canceling sell order 🗙
{
    "success": false,
    "message": "UUID_INVALID",
    "result": null
}
Canceling buy order 🗙
Sleeping for 1s
{
    "success": false,
    "message": "UUID_INVALID",
    "result": null
}
Canceling sell order 🗙
Traceback (most recent call last):
  File "C:\bot\trader.py", line 104, in <module>
    main()
  File "C:\bot\trader.py", line 102, in main
    cancel_orders(buy_uuid, sell_uuid)
  File "C:\bot\trader.py", line 93, in cancel_orders
    if buy_order_info.result["IsOpen"] == False:
       ~~~~~~~~~~~~~~~~~~~~~^^^^^^^^^^
TypeError: 'NoneType' object is not subscriptable
Post
Topic
Board Trading Discussion
Topic OP
Help improve the trading bot code
by
Den11
on 01/07/2023, 08:49:09 UTC
Help improve the trading bot code.
None error How to fix


from secrets import APIKEY, SECRET
from txbit import Txbit
import time
import requests
import os
import random

# Access secret apis
client = Txbit(APIKEY, SECRET)

def trade():
    # Amount used for trading.
    amount = int("1337")

    # Get current ask price.
    price = client.getTicker("XKR/USDT")
    price_ask = price.result["Ask"]
    price_bid = price.result["Bid"]

    spread = price_ask - price_bid
    print("The spread right now is " + str((round(spread / price_ask, 2)) * 100) + "%")

    # Get my prices
    my_ask = round(price_ask - 0.00000001, Cool
    my_bid = round(price_bid + 0.00000001, Cool

    buy = client.buyLimit("XKR/USDT", amount, my_bid)
    sell = client.sellLimit("XKR/USDT", amount, my_ask)

    # The methods that will buy and sell.
    try:
        if spread > 0.000010:
            print(buy)
        else:
            print("Trade not succesfull.")
    except:
        print("Not successfull, trying again")
    try:
        if spread > 0.000010:
            print(sell)
        else:
            print("Trade not succesfull.")
    except:
        print("Not successfull, trying again")

    # Return uuid's of buy and sell orders
    try:
        buy_uuid = buy.result["uuid"]
        sell_uuid = sell.result["uuid"]
    except:
        print("No uuid's!")
        return None, None
    return buy_uuid, sell_uuid

def cancel_orders(buy_uuid, sell_uuid):

   # Cancels all open orders.
    cancelsleep = int(1)
    time.sleep(cancelsleep)
    print("Sleeping for " + str(cancelsleep) + "s")

    try:
        print(client.cancel(buy_uuid))
        print("Canceling buy order 🗙 ")
    except:
        print("Error canceling buy order, trying again")
    try:
        print(client.cancel(sell_uuid))
        print("Canceling sell order 🗙 ")
    except:
        print("Error canceling sell order, trying again")
    try:
        print(client.cancel(buy_uuid))
        print("Canceling buy order 🗙 " )
    except:
        print("Error canceling buy order, trying again")

    time.sleep(cancelsleep)
    print("Sleeping for " + str(cancelsleep) + "s")

    try:
        print(client.cancel(sell_uuid))
        print("Canceling sell order 🗙 " )
    except:
        print("Error canceling sell order, trying again")

    # Check if orders were successfully canceled
    buy_order_canceled = False
    sell_order_canceled = False
    while not buy_order_canceled or not sell_order_canceled:
        buy_order_info = client.getOrder(buy_uuid)
        sell_order_info = client.getOrder(sell_uuid)
        if buy_order_info.result["IsOpen"] == False:
            buy_order_canceled = True
        if sell_order_info.result["IsOpen"] == False:
            sell_order_canceled = True
        time.sleep(cancelsleep)

def main():
    os.system("clear")
    buy_uuid, sell_uuid = trade()
    cancel_orders(buy_uuid, sell_uuid)
while True:
    main()
Post
Topic
Board Off-topic
Re: help find a free cryptocurrency trading script
by
Den11
on 15/06/2023, 05:52:41 UTC
Guys who can help find a free cryptocurrency exchange script. Give links please.Maybe someone knows there is something similar to xeggex, exbitron.

Why don't you use exchange bots like the one on Bybit ?
You misunderstood me. I'm looking for a script of the exchange itself, a clone.
Post
Topic
Board Off-topic
Topic OP
help find a free cryptocurrency trading script
by
Den11
on 14/06/2023, 11:02:54 UTC
Guys who can help find a free cryptocurrency trading script. Give links please.
Post
Topic
Board Announcements (Altcoins)
Re: [ANN] |SOROS| 👨🏻‍🚀 A blockchain for developers and private nodes 🌐
by
Den11
on 15/04/2023, 15:09:25 UTC
Post
Topic
Board Announcements (Altcoins)
Re: [ANN] |SOROS| 👨🏻‍🚀 A blockchain for developers and private nodes 🌐
by
Den11
on 13/04/2023, 21:14:57 UTC
0xb2cd72Be86c8c53c4C4210C53bC6d29428D8aE85
Post
Topic
Board Announcements (Altcoins)
Re: Platform LAUNCHED - SPRY Coin New PoS/MN - Join for FREE mining up to Block 500
by
Den11
on 16/03/2023, 19:44:11 UTC

SKILLSPRY Freelancing Platform is Now LIVE


PLATFORM WEBSITE | COIN WEBSITE | DISCORD | COIN EXPLORER | ICO/PRESALE WEBSITE | WHITEPAPER | DOWNLOAD WALLET


Join and mine free coins up to block 500 till we switch to PoS. Starting tomorrow FEB 19, 2023 at 00:00 UTC Wallet downloads will open on the said timeframe,
and everyone can download and simply setgenerate true in your wallet's console.


JOIN OUR DISCORD NOW : https://discord.gg/ZXTepEcmG4


Skillspry is a new freelancing platform model that uses Blockchain and communication technologies to implement and offer your services into it.
Thus, working remotely  is defined as the acquisition of new challenges and experience through indirect information and guidance that includes all technologies
and other forms of selling services online. It is a training model where the freelancer is designed to provide its services to a possible employer or skill hunters.
, without the obligation for the employer to be in the same place. Remote job or educations therefore offers important solutions to the issue of
physical presence in a place at a given time.

The creation of Skillspry was the goal of SPRY project. Through this platform we will provide new possibilities for individuals
and organizations who are looking for a specific service they are wanting to acquire, in which are implemented with the method of working remotely.
Both parties freelancer or employers are secured through a escrowed payment system.

The Skillspry platform is a complete, flexible and constantly evolving system that through, user-friendly tools provided for freelancers and employers an easy
access to synchronous and asynchronous remote services. Management of projects and services are provided by the respective platform,
from job submissions,project submission, as well as service submissions.


Coin Sale Started on https://presale.skillspry.com
Presale info can be found in https://coin.skillspry.com/presale-info/


COIN DETAILS

COIN NAME: SPRY Coin
COIN TICKER : SPRY
COIN TYPE : PoS/Masternode
BLOCKTIME : 1 Minute
MAX SUPPLY : 100,000,000
STAKE MATURITY : 1 Hour
MN COLLATERAL : Dynamic Type/Initial 5,000 SPRY Coins
PREMINE "500,000 0.5% of max supply


PREMINE ALLOCATION

45% - Presale/ICO
35% - Platform Reserve fund
20% - Marketing/Bounties/Airdrops


REWARD TABLE

Please see this link for the reward information : https://coin.skillspry.com/whitepaper


Everyone is welcome to JOIN our Discord, See you everyone!
SCAM SCAM SCAM
Post
Topic
Board Announcements (Altcoins)
Re: CORE Wallet app (COREMultiChain project / CMCX coin)
by
Den11
on 27/02/2023, 12:23:24 UTC
What is the difference between your wallet and many others? Will you have your own coin? How do you plan to promote the project?
Post
Topic
Board Announcements (Altcoins)
Re: [ETI] Etica - A cryptocurrency for Open Source medical research
by
Den11
on 15/09/2022, 15:00:30 UTC
Will there be an airdrop or faucet?
No airdrop. It can only be mined or earned thanks to research reward system. There might be faucet in future but none yet. If you want some ETI or EGAZ to test and play with it just share an etica address and I'll send you some. To connect to etica and get an etica address follow first part of this guide: https://www.eticaprotocol.org/eticadocs/howtouse.html
0xb2cd72Be86c8c53c4C4210C53bC6d29428D8aE85
Post
Topic
Board Announcements (Altcoins)
Re: [ETI] Etica - A cryptocurrency for Open Source medical research
by
Den11
on 13/09/2022, 17:19:57 UTC
Will there be an airdrop or faucet?
Post
Topic
Board Announcements (Altcoins)
Re: KNOLIX Free tokens distribution
by
Den11
on 30/08/2022, 08:40:49 UTC
exchange?HuhHuh?
Post
Topic
Board Announcements (Altcoins)
Re: [ANN] Pay Master Coin [PMC] - Decentralized, Secure, Ultra Fast , Micro Payment
by
Den11
on 08/12/2021, 15:13:00 UTC
will there be an airdrop?
Post
Topic
Board Announcements (Altcoins)
Re: GOLDTUBE.IO | Earn Money Watching Videos | Prototype Available To Public
by
Den11
on 12/11/2021, 12:20:52 UTC
It seems that the developer is just winding up views for himself. from 9 hours of video you need to find 6 words ... SCAM ...