🦊 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
Simple tool to gather domains from crt.sh using the organization name

Domain Collector: _ _ ___ _ _ _ __| | ___ _ __ ___ __ _(_)_ __ / __\___ | |

Cyber Guy 63 Dec 24, 2022
Andrei 1.4k Dec 24, 2022
Wrapper for Between - 비트윈을 위한 파이썬 라이브러리

PyBetween Wrapper for Between - 비트윈을 위한 파이썬 라이브러리 Legal Disclaimer 오직 교육적 목적으로만 사용할수 있으며, 비트윈은 VCNC의 자산입니다. 악의적 공격에 이용할시 처벌 받을수 있습니다. 사용에 따른 책임은 사용자가

1 Mar 15, 2022
Discord bot for the IOTA Wiki

IOTA Wiki Bot Discord bot for the IOTA Wiki Report Bug · Request Feature About The Project This is a Discord bot for the IOTA Wiki. It's currently use

IOTA Community 2 Nov 14, 2021
Github Workflows üzerinde Çalışan A101 Aktüel Telegam Bot

A101AktuelRobot Github Workflows üzerinde Çalışan A101 Aktüel Telegam Bot @A101AktuelRobot 💸 Bağış Yap ☕️ Kahve Ismarla 🌐 Telif Hakkı ve Lisans Copy

Ömer Faruk Sancak 10 Nov 02, 2022
this repo store a Awoesome telegram bot for protect from your large group from bot attack.

this repo store a Awoesome telegram bot for protect from your large group from bot attack.

Mehran Alam Beigi 2 Jul 22, 2022
The Python SDK for the Rackspace Cloud

pyrax Python SDK for OpenStack/Rackspace APIs DEPRECATED: Pyrax is no longer being developed or supported. See openstacksdk and the rackspacesdk plugi

PyContribs 238 Sep 21, 2022
Telegram Group Manager Bot + Userbot Written In Python Using Pyrogram.

Telegram Group Manager Bot + Userbot Written In Python Using PyrogramTelegram Group Manager Bot + Userbot Written In Python Using Pyrogram

1 Nov 11, 2021
A discord bot thet lets you play Space invaders.

space_Invaders A discord bot thet lets you play Space invaders. It is my first discord bot... so please give any suggestions to improve it :] Commands

2 Dec 30, 2021
A Telegram Bot which will ask new Group Members to verify them by solving an emoji captcha.

Emoji-Captcha-Bot A Telegram Bot which will ask new Group Members to verify them by solving an emoji captcha. About API: Using api.abirhasan.wtf/captc

Abir Hasan 52 Dec 11, 2022
Pixoo-Awesome is a tool to get more out of your Pixoo Devices.

Pixoo-Awesome is a tool to get more out of your Pixoo Devices. It uses the Pixoo-Client to connect to your Pixoo devices and send data to them. I targ

Horo 10 Oct 27, 2022
A cool discord bot, called Fifi

Fifi A cool discord bot, called Fifi This bot is the official server bot of Meme Studios discord server. This github repo is the code we use for the b

Fifi Discord Bot 3 Jun 08, 2021
🔮 A usefull set of scripts to dig into your Discord data package.

Discord DataExtractor 🔮 Discord DataExtractor is a set of scripts that allows you to dig into your Discord Data package. Repository guide ☕ Coffee_Ga

3 Dec 29, 2021
A template that help you getting started with Pycord.

A Pycord Template with some example! Getting Started: Clone this repository using git clone https://github.com/AungS8430/pycord-template.git If you ha

2 Feb 10, 2022
A working selfbot for discord

React Selfbot Yes, for real ⚠ "Maintained" version: https://github.com/AquaSelfBot/AquaSelfbot ⚠ Why am I making this open source? Because can't stop

3 Jan 25, 2022
A Bot To remove forwarded messages

Forward-Mess-Remover A Bot To remove forwarded messages. uses Remove forwarded messages from Group. Deploy To Heroku

SpamShield 5 Oct 14, 2022
A Matrix-Instagram DM puppeting bridge

mautrix-instagram A Matrix-Instagram DM puppeting bridge. Documentation All setup and usage instructions are located on docs.mau.fi. Some quick links:

89 Dec 14, 2022
Tesseract Open Source OCR Engine (main repository)

Tesseract OCR About This package contains an OCR engine - libtesseract and a command line program - tesseract. Tesseract 4 adds a new neural net (LSTM

48.3k Jan 05, 2023
AWS Enumeration and Footprinting Tool

Quiet Riot 🎶 C'mon, Feel The Noise 🎶 An enumeration tool for scalable, unauthenticated validation of AWS principals; including AWS Acccount IDs, roo

Wes Ladd 89 Jan 05, 2023
Image-Bot-Discord - This Is a discord bot that shows the specific image you search from Google

Advanced Discord.py Image Bot CREDITS Made by RLX and Mathiscool README by Milrato Installation Guide in .env Adjust the TOKEN python main.py to start

RLX 3 Jan 16, 2022