🦊 Powerfull Discord Nitro Generator

Overview

🦊 Follow me here 🦊
Discord | YouTube | Github

Usage

  • 💻 Downloading

    >> git clone https://github.com/KanekiWeb/Nitro-Generator/new/main
    >> pip install -r requirements.txt
    
  • 🖥️ Starting

    1 - Enter your proxies in config/proxies.txt
    2 - Create Discord Webhook and put link in config/config.json (optional)
    3 - Enter a custom avatar url and username for webhook (optional)
    4 - Select how many thread you want use in config/config.json (optional)
    5 - Run main.py and enjoy checking
    

🏆 Features List

  • Very Fast Checking
  • Proxy support: http/s, socks4/5, Premium
  • Simple Usage
  • Custom Thread
  • Send hit to webhook

🧰 Support

📜 License & Warning

  • Make for education propose only
  • Under licensed MIT MIT License.

Contribution Welcome License Badge Open Source Visitor Count

You might also like...
A powerfull Zee5 Downloader Bot With Permeneant Thumbnail Support 💯 With Love From NexonHex

Zᴇᴇ5 DL A ᴘᴏᴡᴇʀғᴜʟʟ Zᴇᴇ5 Dᴏᴡɴʟᴏᴀᴅᴇʀ Bᴏᴛ Wɪᴛʜ Pᴇʀᴍᴇɴᴇᴀɴᴛ Tʜᴜᴍʙɴᴀɪʟ Sᴜᴘᴘᴏʀᴛ 💯 Wɪᴛʜ Lᴏᴠᴇ Fʀᴏᴍ NᴇxᴏɴHᴇx Wʜᴀᴛ Cᴀɴ I Dᴏ ? • ɪ ᴄᴀɴ Uᴘʟᴏᴀᴅ ᴀs ғɪʟᴇ/ᴠɪᴅᴇᴏ ғʀᴏᴍ

🎀 First and most powerfull open source clicktune botter
🎀 First and most powerfull open source clicktune botter

CTB 🖤 Follow me here: Discord | YouTube | Twitter | Github 🐺 Features: /* *- The first *- Fast *- Proxy support: http/s, socks4/5, premieum (w

An powerfull telegram group management anime themed bot.
An powerfull telegram group management anime themed bot.

ErzaScarlet Erza Scarlet is the female deuteragonist of the anime/manga series Fairy Tail. She is an S-class Mage from the Guild Fairy Tail. Like most

A powerfull SMS Bomber for Bangladesh . NO limite .Unlimited SMS Spaming
A powerfull SMS Bomber for Bangladesh . NO limite .Unlimited SMS Spaming

RedBomberBD A powerfull SMS Bomber for Bangladesh . NO limite .Unlimited SMS Spaming Installation Install my-tool on termux by using thoes commands pk

A powerfull Telegram Leech Bot
A powerfull Telegram Leech Bot

owner of this repo :- Abijthkutty contact me :- Abijth Telegram Torrent and Direct links Leecher Dont Abuse The Repo ... this is intented to run in Sm

A PowerFull Telegram Mirror Bot.......
A PowerFull Telegram Mirror Bot.......

- [ DEAD REPO AND NO MORE UPDATE ] Slam Mirror Bot Slam Mirror Bot is a multipurpose Telegram Bot written in Python for mirroring files on the Interne

Sakura: an powerfull Autofilter bot that can be used in your groups
Sakura: an powerfull Autofilter bot that can be used in your groups

Sakura AutoFilter This Bot May Look Like Mwk_AutofilterBot And Its Because I Like Its UI, That's All Sakura is an powerfull Autofilter bot that can be

A Powerfull Userbot Telegram PandaX_Userbot, Vc Music Userbot + Bot Manager based Telethon

Support ☑ CREDITS THANKS YOU VERRY MUCH FOR ALL Telethon Pyrogram TeamUltroid TeamUserge CatUserbot pytgcalls Dan Lainnya

Auto Moderation is a powerfull moderation bot

Auto Moderation.py Auto Moderation a powerful Moderation Discord Bot 🎭 Futures Moderation Auto Moderation 🚀 Installation git clone https://github.co

Comments
  • What type of python is this built on?

    What type of python is this built on?

    I'm trying to build a bare-bones linux distro (Kinda), designed for things like bitcoin mining and various brute-force type things, and I'm trying to try every Nitro Generator to put the most efficient and feature filled one. I'm curious what version of python this is for.

    opened by Packjackisback 0
  • Logic?

    Logic?

    There are so many issues in this code, I am shocked!

    First of all, the LICENSE file states out that the given project is licensed under the GNU General Public License v3.0 while the readme.md says it is licensed under the MIT license?

    Now, the code itself is full of issues:

    1. PEP8: The code clearly breaks the style convention specified by PEP8

      • inline imports of multiple packages
      • unused import multiprocessing
      • missing 2 empty lines between functions and classes
      • wrong type annotations
        • inconvenient use of type annotations
      • raw except clause
      • and so on
    2. threading.Lock is completely misused

    def printer(self, color, status, code):
        threading.Lock().acquire()
        print(f"{color} {status} > {Fore.RESET}discord.gift/{code}")
    

    This code is not thread safe as the Lock is created within that method, which means that different threads will create different Lock instances, making this line of code completely useless. Better would be:

    # global variable
    lock = threading.Lock()
    
    
    def safe_print() -> None:
        with lock:
            print("hi")
    
    1. What is that?
    "".join(random.choice("abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ1234567890") for _ in range(16))
    

    rewrite as:

    from string import ascii_letters, digits
    import random
    
    
    "".join(random.choices(ascii_letters + digits, k=16))
    
    1. Files are opened explicitly with the r parameter although it is the default parameter value

      • open("blah", "r") == open("blah")
    2. Why so much work?

     def proxies_count(self):
            proxies_list = 0
            with open('config/proxies.txt', 'r') as file:
                proxies = [line.strip() for line in file]
            
            for _ in proxies:
                proxies_list += 1
            
            return int(proxies_list)
    
    # Is the same as
    
    def proxy_count(self) -> int:
        with open("config/proxies.txt") as file:
            return len(file.readlines())
    
    1. Only one thread is running (always one!!!):
    threading.Thread(target=DNG.run(), args=()).start()
    

    look at target! You are calling run instead of passing the method itself to target. That means that you execute the method in the current thread instead of the new thread that you are trying to create there, essentially blocking the while loop and hence blocking the creation of new threads.

    opened by chr3st5an 1
Releases(discord-nitro)
Owner
Kaneki
"𝙖𝙫𝙚𝙘 𝙙𝙚 𝙡'𝙚𝙣𝙩𝙧𝙖𝙞̂𝙣𝙚𝙢𝙚𝙣𝙩 𝙢𝙚̂𝙢𝙚 𝙪𝙣 𝙧𝙖𝙩𝙚́ 𝙥𝙚𝙪𝙩 𝙙𝙚𝙫𝙚𝙣𝙞𝙧 𝙪𝙣 𝙜𝙚́𝙣𝙞𝙚"
Kaneki
A Python library for miHoYo bbs and HoYoLAB Community

A Python library for miHoYo bbs and HoYoLAB Community. genshin 原神签到小助手

384 Jan 05, 2023
Discord Blogger Integration Using Blogger API

It's a very simple discord bot created in python using blogger api in order to search and send your website articles in your discord chat in form of an embedded message. It's pretty useful for people

Owen Singh 8 Oct 28, 2022
Um simples bot escrito em Python usando a lib pyTelegramBotAPI

Telegram Bot Python Um simples bot escrito em Python usando a lib pyTelegramBotAPI Instalação Windows: Download do Python 3 Aqui Download do ZIP do Có

Sr_Yuu 1 May 07, 2022
OpenSea Bulk Uploader And Trader 100000 NFTs (MAC WINDOWS ANDROID LINUX) Automatically and massively upload and sell your non-fungible tokens on OpenSea using Python Selenium

OpenSea Bulk Uploader And Trader 100000 NFTs (MAC WINDOWS ANDROID LINUX) Automatically and massively upload and sell your non-fungible tokens on OpenS

ERC-7211 3 Mar 24, 2022
Get Notified about vaccine availability in your location on email & sms ✉️! Vaccinator Octocat tracks & sends personalised vaccine info everday. Go get your shot ! 💉

Vaccinater Get Notified about vaccine availability in your location on email & sms ✉️ ! Vaccinator Octocat tracks & sends personalised vaccine info ev

Mayukh Pankaj 6 Apr 28, 2022
Rapid Sms Bomber For Indian Number.

Bombzilla Rapid Sms Bomber For Indian Number. Installation git clone https://github.com/sarv99/Bombzilla cd Bombzilla chmod +x setup.sh ./setup.sh Af

Saurav Jangid 1 Jan 12, 2022
A discord.py code generator program. Compatible with both linux and windows.

Astro-Cord A discord.py code generator program. Compatible with both linux and windows. About This is a program made to make discord.py bot developmen

Astro Inc. 2 Dec 23, 2021
A multi-platform HTTP(S) Reverse Shell Server and Client in Python 3

Phantom - A multi-platform HTTP(S) Reverse Shell Server and Client Phantom is a multi-platform HTTP(S) Reverse Shell server and client in Python 3. Bi

85 Nov 18, 2022
HTTP Calls to Amazon Web Services Rest API for IoT Core Shadow Actions 💻🌐💡

aws-iot-shadow-rest-api HTTP Calls to Amazon Web Services Rest API for IoT Core Shadow Actions 💻 🌐 💡 This simple script implements the following aw

AIIIXIII 3 Jun 06, 2022
A Python API to retrieve and read MLB GameDay data

mlbgame mlbgame is a Python API to retrieve and read MLB GameDay data. mlbgame works with real time data, getting information as games are being playe

Zach Panzarino 493 Dec 13, 2022
ABACUS Aroio API for Webinterfaces and App-Connections

ABACUS Aroio API for Webinterfaces and App-Connections Setup Start virtual python environment if you don't have python3 running setup: $ python3 -m ve

Abacus Aroio Developer Team 1 Apr 01, 2021
A updated and improved version from the original Discord-Netflix from Nirewen.

Discord-Netflix A updated version from the original Discord-Netflix from nirewen A Netflix wrapper that uses Discord RPC to show what you're watching

Void 42 Jan 02, 2023
Yet another Wahrheit-oder-Pflicht bot for Telegram, because all the others suck.

Der WoPperBot Yet another Wahrheit-oder-Pflicht bot for Telegram, because all the others suck. The existing bots are all defunct or incomplete. So I w

Ben Wiederhake 9 Nov 15, 2022
Script to post multiple status(posts) on twitter

Script to post multiple status on twitter (i.e. TWITTER STORM) This program can post upto maximum limit of twitter(around 300 tweets) within seconds.

Sandeep Kumar 4 Sep 09, 2021
alpaca-trade-api-python is a python library for the Alpaca Commission Free Trading API.

alpaca-trade-api-python is a python library for the Alpaca Commission Free Trading API. It allows rapid trading algo development easily, with support for both REST and streaming data interfaces

Alpaca 1.5k Jan 09, 2023
A simple telegram bot that takes a list of files sent by the user and returns them 7zipped

A simple telegram bot that takes a list of files sent by the user and returns them 7zipped

1 Oct 28, 2022
Python client for Messari's API

Messari API Messari provides a free API for crypto prices, market data metrics, on-chain metrics, and qualitative information (asset profiles). This d

Messari 85 Dec 22, 2022
Wrapper for Gismeteo.ru.

pygismeteo Обёртка для Gismeteo.ru. Асинхронная версия здесь. Установка python -m pip install -U pygismeteo Документация https://pygismeteo.readthedoc

Almaz 7 Dec 26, 2022
A script to find the people whom you follow, but they don't follow you back

insta-non-followers A script to find the people whom you follow, but they don't follow you back Dependencies: python3 libraries - instaloader, getpass

Ritvik 5 Jul 03, 2022
A python wrapper for the mangadex API V5. Work in progress

mangadex A python wrapper for the mangadex API V5. It uses the requests library and all the aditional arguments can be viewed in the Official Mangadex

Eduardo Ceja 27 Dec 14, 2022