How to Make a Telegram Bot in 2025
Telegram bots are useful for automating tasks, providing customer support, and integrating with various services. In this guide, you'll learn how to create a simple Telegram bot using Python.
Step 1: Create a Bot with BotFather
- Open Telegram and search for "BotFather."
- Start a chat and type
/newbot
. - Follow the instructions to name your bot and create a unique username (must end with 'bot').
- BotFather will generate a token. Save this token—it's required to connect your bot to Telegram.
Step 2: Set Up Your Development Environment
You'll need Python and the python-telegram-bot
library.
Install Required Packages
pip install python-telegram-bot
Step 3: Write Your Bot Code
Create a Python file (bot.py
) and add the following code:
from telegram import Update
from telegram.ext import Updater, CommandHandler, MessageHandler, Filters, CallbackContext
def start(update: Update, context: CallbackContext):
update.message.reply_text("Hello! I'm your Telegram bot.")
def echo(update: Update, context: CallbackContext):
update.message.reply_text(update.message.text)
def main():
TOKEN = "YOUR_BOT_TOKEN_HERE"
updater = Updater(TOKEN, use_context=True)
dp = updater.dispatcher
dp.add_handler(CommandHandler("start", start))
dp.add_handler(MessageHandler(Filters.text & ~Filters.command, echo))
updater.start_polling()
updater.idle()
if __name__ == "__main__":
main()
Replace YOUR_BOT_TOKEN_HERE
with the token from BotFather.
Step 4: Run Your Bot
Save and run your script:
python bot.py
Your bot is now active and will respond to messages!
Step 5: Deploy Your Bot
For a persistent bot, deploy it on a server using services like Heroku, Railway, or a VPS.
Deploy on Heroku
- Install Heroku CLI
- Initialize a Git repository and push your code:
git init git add . git commit -m "Initial commit" heroku create git push heroku main
- Set your bot token in Heroku environment variables:
heroku config:set BOT_TOKEN=your_token_here
- Restart your bot:
heroku ps:scale worker=1
Conclusion
You’ve successfully created a Telegram bot! You can expand its functionality by integrating APIs, adding database support, and handling more commands. Happy coding!