/r/Python

Photograph via snooOG

The official Python community for Reddit! Stay up to date with the latest news, packages, and meta information relating to the Python programming language.

If you have questions or are new to Python use r/LearnPython

News about the dynamic, interpreted, interactive, object-oriented, extensible programming language Python

Current Events

Upcoming Events

Full Events Calendar

Please read the rules

You can find the rules here.

If you are about to ask a "how do I do this in python" question, please try r/learnpython, the Python discord, or the #python IRC channel on Libera.chat.

Please don't use URL shorteners. Reddit filters them out, so your post or comment will be lost.

Posts require flair. Please use the flair selector to choose your topic.

Posting code to this subreddit:

Add 4 extra spaces before each line of code

def fibonacci():
    a, b = 0, 1
    while True:
        yield a
        a, b = b, a + b

Online Resources

Online exercices

programming challenges

Asking Questions

Try Python in your browser

Docs

Libraries

Related subreddits

Python jobs

Newsletters

Screencasts

/r/Python

1,305,400 Subscribers

1

Spotipy - has anyone used it before?

Hi all -

Has anyone used Spotipy? I'm just a bit concerned that I'd be giving my username and password to something I haven't wrote myself - I'm used to using random scripts off github, but it gives me pause to hand over my details

am I just being silly?

1 Comment
2024/12/21
22:21 UTC

1

PyMo - Python Motion Visualizer CLI

Hello, I have build a motion visualizer in python as a CLI script.

What My Project Does: It extracts frames from a video, offsets them and blends them using difference (blend mode from Image and Video Editing Software), applies a few filters and exports a new video.

Target Audience: This is for anyone willing to use it, mostly for fun. If you are comfortable with running scripts in a terminal, you are the target audience. I have mostly created it to see the movement of my vape clouds and that is fun and interesting.

Comparison: As this process can be achieved in any video editing software, even blender, there is not much of a comparison. The only thing that my project does, is the post processing. It just runs contrast and denoise, but that brings out details, which video editing software mostly won't give you (At least from my experience).

This was just a fun project for me which got me to learn and understand tqdm and opencv2.

Check it out at my Github Repo: https://github.com/TheElevatedOne/pymo

0 Comments
2024/12/21
21:36 UTC

0

Creating my own password manager bc I can

I started off with creating a CLI app and want to slowly move into making a desktop app, a web app, and a mobile app so I can just host my db and encryption key somewhere and be done with it. I was wondering if anyone can take a peek and give me some criticisms here and there since I don't normally create apps in python: https://github.com/mariaalexissales/password-manager

6 Comments
2024/12/21
21:25 UTC

3

In 2025 will there be a viable freelance market for Python Developers other than Upwork or Fiver?

Are companies looking for freelance Python developers for hourly or statement of work, fixed price scripting work from places other than Upwork or Fiver or similar sites?

9 Comments
2024/12/21
20:49 UTC

0

New Youtube Series: 1 Hour of Coding in 1 Minute - Feedback Welcomed!

Hey everyone im starting a new YouTube series where i condense an hour of coding into just one minute. The goal is to show the process of creating projects quickly and engagungly but without dragging things out.

Youtube Link: https://youtu.be/dXljs-eWn3E

The first video covers an hour of work on a Python project where i start and finish a program from scratch. My plan is to release more of these, gradually increasing the time spent coding, like "2 Hours of Coding in 2 Minutes", and so on.

So any and all feedback is appreciated as i also want this Youtube channel to serve as proof to potential employers that i know what im doing and im also very passionate about it in ways where im happy to learn to further increase my knowledge.

Thanks for checking it out if your reading this im looking forward to hearing your thouhgts

11 Comments
2024/12/21
17:08 UTC

51

Effective Python Developer Tooling in December 2024

I wrote a post of developer tooling I like at the moment: https://pydevtools.com/blog/effective-python-developer-tooling-in-december-2024/

18 Comments
2024/12/21
15:57 UTC

1

Any tips to improve my simple "game"

hey, i did the ib diploma in highschool and for my computer science project i made a simple 2d game, but due to deadlines i kinda rushed it, (here is the github link) now that i finished highschool i have more time and id like to redo it from scratch and do something that im proud of, if you could give me any tips on what i could add and how to improve it it would be extremely helpful, thank you everyone and have a wonderful weekend.

5 Comments
2024/12/21
14:52 UTC

14

[Release 0.4.0] TSignal: A Flexible Python Signal/Slot System for Async and Threaded Python—Now with

Hey everyone!

I’m thrilled to announce TSignal 0.4.0, a pure-Python signal/slot library that helps you build event-driven applications with ease. TSignal integrates smoothly with async/await, handles thread safety for you, and doesn’t force you to install heavy frameworks.

What’s New in 0.4.0

Weak Reference Support

You can now connect a slot with weak=True. If the receiver object is garbage-collected, TSignal automatically removes the connection, preventing memory leaks or stale slots in long-lived applications:

# Set weak=True for individual connections
sender.event.connect(receiver, receiver.on_event, weak=True)

# Or, set weak_default=True at class level (default is True)
@t_with_signals(weak_default=True)
class WeakRefSender:
    @t_signal
    def event(self):
        pass

# Now all connections from this sender will use weak references by default
# No need to specify weak=True for each connect call
sender = WeakRefSender()
sender.event.connect(receiver, receiver.on_event)  # Uses weak reference

# Once `receiver` is GC’d, TSignal cleans up automatically.

One-Shot Connections (Optional)

A new connection parameter, one_shot=True, lets you disconnect a slot right after its first call. It’s handy for “listen-once” or “single handshake” scenarios. Just set:

signal.connect(receiver, receiver.handler, one_shot=True)

The slot automatically goes away after the first emit.

Thread-Safety Improvements

TSignal’s internal locking and scheduling mechanisms have been refined to further reduce race conditions in high-concurrency environments. This ensures more robust behavior under demanding multi-thread loads.

From Basics to Practical Use Cases

We’ve expanded TSignal’s examples to guide you from simple demos to full-fledged applications. Each example has its own GitHub link with fully commented code.

For detailed explanations, code walkthroughs, and architecture diagrams of these examples, check out our Examples Documentation.

Basic Signal/Slot Examples

Multi-Threading and Workers

  • thread_basic.py and thread_worker.py
    • walk you through multi-threaded setups, including background tasks and worker loops.
    • You’ll see how signals emitted from a background thread are properly handled in the main event loop or another thread’s loop.

Stock Monitor (Console & GUI)

  • stock_monitor_simple.py

    • A minimal stock monitor that periodically updates a display. Perfect for learning how TSignal can orchestrate real-time updates without blocking.
  • stock_monitor_console.py

    • A CLI-based interface that lets you type commands to set alerts, list them, and watch stock data update in real time.
  • stock_monitor_ui.py

    • A more elaborate Kivy-based UI example showcasing real-time stock monitoring. You'll see how TSignal updates the interface instantly without freezing the GUI. This example underscores how TSignal’s thread and event-loop management keeps your UI responsive and your background tasks humming.

Together, these examples highlight TSignal’s versatility—covering everything from quick demos to production-like patterns with threads, queues, and reactive UI updates.

Why TSignal?

Pure Python, No Heavy Frameworks TSignal imposes no large dependencies; it’s a clean library you can drop into your existing code.

Async-Ready

Built for modern asyncio workflows; you can define async slots that are invoked without blocking your event loop.

Thread-Safe by Design

Signals are dispatched to the correct thread or event loop behind the scenes, so you don’t have to manage locks.

Flexible Slots

Connect to class methods, standalone functions, or lambdas. Use strong references (the usual approach) or weak=True.

Robust Testing & Examples

We’ve invested heavily in test coverage, plus we have real-world examples (including a GUI!) to showcase best practices.

Quick Example

from tsignal import t_with_signals, t_signal, t_slot

@t_with_signals
class Counter:
    def __init__(self):
        self.count = 0

    @t_signal
    def count_changed(self):
        pass

    def increment(self):
        self.count += 1
        self.count_changed.emit(self.count)

@t_with_signals
class Display:
    @t_slot
    def on_count_changed(self, value):
        print(f"Count is now: {value}")

counter = Counter()
display = Display()
counter.count_changed.connect(display, display.on_count_changed)
counter.increment()
# Output: "Count is now: 1"

Get Started

  • GitHub Repo: TSignal on GitHub
  • Documentation & Examples: Explore how to define your own signals and slots, integrate with threads, or build a reactive UI.
  • Issues & PRs: We welcome feedback, bug reports, and contributions.

If you’re building async or threaded Python apps that could benefit from a robust event-driven approach, give TSignal a try. We’d love to know what you think—open an issue or share your experience!

Thanks for checking out TSignal 0.4.0, and happy coding!

0 Comments
2024/12/21
12:58 UTC

0

How I got a data analytics job of 10LPA | Fresher data analyst interview experience 2024 | Python

Hello guys I am Dharshan, a final year computer science student. In this video, I have share my detailed interview experience with Tredence, where I secured a Data Analyst job offer for 10 LPA! for which I used python to crack the coding questions. I'll be joining in 2025, and I’m excited to walk you through my journey. I have already posted 3 interview experience videos on my channel and the next one will be amazon interview experience. https://youtu.be/aeLL29SHBGw?si=9CULGR5plBDWs-jg

1 Comment
2024/12/21
07:02 UTC

0

Saturday Daily Thread: Resource Request and Sharing! Daily Thread

Weekly Thread: Resource Request and Sharing 📚

Stumbled upon a useful Python resource? Or are you looking for a guide on a specific topic? Welcome to the Resource Request and Sharing thread!

How it Works:

  1. Request: Can't find a resource on a particular topic? Ask here!
  2. Share: Found something useful? Share it with the community.
  3. Review: Give or get opinions on Python resources you've used.

Guidelines:

  • Please include the type of resource (e.g., book, video, article) and the topic.
  • Always be respectful when reviewing someone else's shared resource.

Example Shares:

  1. Book: "Fluent Python" - Great for understanding Pythonic idioms.
  2. Video: Python Data Structures - Excellent overview of Python's built-in data structures.
  3. Article: Understanding Python Decorators - A deep dive into decorators.

Example Requests:

  1. Looking for: Video tutorials on web scraping with Python.
  2. Need: Book recommendations for Python machine learning.

Share the knowledge, enrich the community. Happy learning! 🌟

0 Comments
2024/12/21
00:00 UTC

2

ShortMoji: Emoji Shortcuts Made Easy for Your Keyboard! 🧑‍💻✨

What My Project Does

ShortMoji is a lightweight, open-source program that lets you insert emojis anywhere using simple, intuitive keyboard shortcuts. Inspired by Discord's emoji system, it supports 89 unique emoji shortcuts (and counting!) to make your conversations and workflows more expressive.

Simply type a shortcut like :smi, and it transforms into 😃 instantly. ShortMoji runs in the background and is designed for speed and ease of use.

Features include:

  • Fast emoji insertion via shortcuts.
  • Low resource consumption.
  • Quick program termination by pressing Esc twice.
  • Free and fully customizable under the MIT license.

Target Audience

ShortMoji is for anyone who loves emojis and wants a faster way to use them. Whether you're:

  • A developer looking for efficiency.
  • A casual user who enjoys using emojis.
  • A Discord enthusiast already familiar with emoji shortcuts.

Comparison

While there are other emoji tools available, ShortMoji sets itself apart with:

  • Customizable shortcuts: Familiar to Discord users and adaptable for others.
  • Open-source freedom: Unlike proprietary software, you can modify and expand ShortMoji as you like.
  • Minimal resource impact: A lightweight utility that doesn’t slow down your system.
  • Simple UX: No need to navigate menus or GUIs—just type and see the magic !

Unlike system-level emoji menus or bloated applications, ShortMoji is a focused solution for quick and easy emoji input.

🎉 Try ShortMoji Now!
Download it on GitHub and join the emoji revolution!

I'm committed to regularly updating ShortMoji with new emojis and features. Contributions are welcome—submit pull requests or suggest ideas to help it grow! What features or emojis would you like to see next? Let me know! 🚀

2 Comments
2024/12/20
21:31 UTC

10

bnap4000 - A simple music player made in made with true randomness in mind.

I have been working on a terminal music player for Linux and Windows. Feel free to suggest or report bugs on GitHub.

What does my project do: It's meant to be a simple, lightweight music player that runs right in your terminal. It's main purpose is to play music randomly and stay out of your way, you just drop music into your music folder and let it play.

Target Audience: Mostly meant for slightly tech savvy people who want something that won't take up a ton of resources, it only uses ~60mb of RAM on my system.

Comparison: I'd compare it to VLC Media player, what I think bnap4000 does better is with simplicity. It has a very simple UI that shows what song is playing, a couple things like volume, a progress bar, and a queue.

GitHub page: https://github.com/0hStormy/bnap4000
bnap stands for Badass New Audio Player if you were wondering.

3 Comments
2024/12/20
18:56 UTC

119

Built my own link customization tool because paying $25/month wasn't my jam

Hey folks! I built shrlnk.icu, a free tool that lets you create and customize short links.

What My Project Does: You can tweak pretty much everything - from the actual short link to all the OG tags (image, title, description). Plus, you get to see live previews of how your link will look on WhatsApp, Facebook, and LinkedIn. Type customization is coming soon too!

Target Audience: This is mainly for developers and creators who need a simple link customization tool for personal projects or small-scale use. While it's running on SQLite (not the best for production), it's perfect for side projects or if you just want to try out link customization without breaking the bank.

Comparison: Most link customization services out there either charge around $25/month or miss key features. shrlnk.icu gives you the essential customization options for free. While it might not have all the bells and whistles of paid services (like analytics or team collaboration), it nails the basics of link and preview customization without any cost.

Tech Stack:

  • Flask + SQLite DB (keeping it simple!)
  • Gunicorn & Nginx for serving
  • Running on a free EC2 instance
  • Domain from Namecheap ($2 - not too shabby)

Want to try it out? Check it at shrlnk.icu

If you're feeling techy, you can build your own by following my README instructions.

GitHub repo: https://github.com/nizarhaider/shrlnk

Enjoy! 🚀

15 Comments
2024/12/20
12:46 UTC

1

I made a Project that fetches avatar from libravatar(gravatar) and sets it as gnome user profile

Hello everyone 👋

I built gnome-libravatar today, a small python script that fetches avatar from libravatar (or gravatar) and sets it as user profile in gnome.

What My Project Does

  • Fetches avatar from libravatar
  • Copies it to /var/lib/AccountCenter/user/<username>
  • Adds Icon entry
  • Creates a systemd file that runs on every reboot to refresh the avatar.

Target Audience

This project is for power linux users, those who want to have one profile picture but see it everywhere.

Comparison

There is no alternative project that does this.

GitHub: https://github.com/baseplate-admin/gnome-libravatar

I would love if you guys take a look at the project

0 Comments
2024/12/20
10:41 UTC

10

First Interpreter Project — Finally Clicked after 3 unsuccessful attempts.

I did my first attempt in Rust, but that was following along a tutorial that wasn’t very well explained. Then I followed another person on YouTube who was reading through the book Crafting Interpreters. I followed along with them in Rust but kept finding myself fighting the language and spending way too much time just making sense of Rust constructs.

So, I decided to go back to first principles and make it in Python instead to see how far I could get in a month. I only spend about 2 hours a week on it, depending on my mood.

Happy to say I’ve now got something Turing complete! I’ve got loops, branching conditionals, procedures, and even some built-in functions.

Next, I’m planning to write the same thing again in Go once I properly understand classes etc. Hoping to get something multithreaded going (looking at you, GIL).

Thanks for reading my rant! If you’re curious, here’s the repo: GitHub Link.

0 Comments
2024/12/20
08:20 UTC

46

Whose building on Python NoGIL?

I am interested in knowing if anyone is building on top of python NoGIL. I have seen a few async frameworks being built but do not see anyone taking advantage of NoGIL python.

23 Comments
2024/12/20
05:46 UTC

2

Friday Daily Thread: r/Python Meta and Free-Talk Fridays

Weekly Thread: Meta Discussions and Free Talk Friday 🎙️

Welcome to Free Talk Friday on /r/Python! This is the place to discuss the r/Python community (meta discussions), Python news, projects, or anything else Python-related!

How it Works:

  1. Open Mic: Share your thoughts, questions, or anything you'd like related to Python or the community.
  2. Community Pulse: Discuss what you feel is working well or what could be improved in the /r/python community.
  3. News & Updates: Keep up-to-date with the latest in Python and share any news you find interesting.

Guidelines:

  • All topics should be related to Python or the /r/python community.
  • Be respectful and follow Reddit's Code of Conduct.

Example Topics:

  1. New Python Release: What do you think about the new features in Python 3.11?
  2. Community Events: Any Python meetups or webinars coming up?
  3. Learning Resources: Found a great Python tutorial? Share it here!
  4. Job Market: How has Python impacted your career?
  5. Hot Takes: Got a controversial Python opinion? Let's hear it!
  6. Community Ideas: Something you'd like to see us do? tell us.

Let's keep the conversation going. Happy discussing! 🌟

0 Comments
2024/12/20
00:00 UTC

51

Pytask Queue - Simple Job/Task Management

What My Project Does

This is my first ever public python package, it is a job/task management queuing system using sqlite.

Using a worker, jobs are picked up off the queue, manipulated/edited, then reinserted.

It is meant to replace messaging services like RabbitMQ or Kafka, for smaller, lightweight apps. Could also be good for a benchmark tool, to run several processes and use the sqlite database to build reports on how long n number of processes took to run.

Target Audience

Devs looking to not have to use a heavier messaging service, and not having to write your own database queries with sqlite to replace that.

Comparison

I don't know of any packages that do queuing/messaging like this, so not sure.

Feel free to give it a try and leave it a star if you like it, also feel free to submit a PR if you are having issues.

https://github.com/jaypyles/pytask

11 Comments
2024/12/19
22:33 UTC

3

any other alternative to selenium wire?

i’m running a scraping tool via python that extracts network response from requests that return 403 errors. i started using selenium wire and i got it to work, but the main issue is the memory increasing more and more the longer i run it.

i’ve tried everything in order for it to not increase in memory usage, but ive had no success with it.

i’m wondering if anyone has had this problem and found a solution to access these requests without memory increasing over time. or if anyone has found another solution.

i’ve tried playwright and seleniumbase, but i didn’t have success with those.

thank you.

14 Comments
2024/12/19
22:20 UTC

25

Python in Finance/Controlling

Hi everyone! I've been working in the controlling department of my company for about 3 months. Generally, apart from SAP, I'm terrified by the amount of Excel, the amount of files that I prepare for analyses for other departments. Of course, every excel has queries from SQL... I'm thinking about switching to Python, but I'm afraid that people won't understand it. I used to work on production analyses, I did a lot of "live" Power BI reports and in Python for my calculations. My goal is to replace Excel with Python.

14 Comments
2024/12/19
19:12 UTC

4

Build a real-time speech-to-text agent for a Livekit app with Python

LiveKit is a platform for building real-time applications (livestreaming, virtual meetings, etc.). They have an "AI agents" framework that allows you to add programmatic agents to your app to interact with the real-time data.

I wrote this tutorial on how you can use this to add an AI agent that transcribes speech in real time and prints it in the chatbox:

  1. Difficulty: Intermediate (understanding of asynchronous programs required, but instructions (hopefully) easy to follow)
  2. Tutorial: here
  3. Repository: here

Let me know what you think!

0 Comments
2024/12/19
16:52 UTC

31

Master the Fundamentals of Python - Free Course - Videos, text, projects, exercises and solutions

Master the Fundamentals of Python is a comprehensive course that I was recently selling for $99 but have now released for free.

View the playlist here.

Download the material here.

The course comes with:

  • 300 page PDF
  • 20 modules
  • Videos
  • Projects
  • Hundreds of exercises with solutions

This is a college-level course that requires over 50 hours of effort to complete.

Modules

  1. Operators
  2. What is Python
  3. Objects and Types
  4. Strings
  5. Lists
  6. Ranges and Constructors
  7. Conditional Statements
  8. Writing Entire Programs
  9. Looping
  10. List Comprehensions
  11. Built-in Functions
  12. User-defined Functions
  13. Tic-Tac-Toe
  14. Tuples, Sets, Dictionaries
  15. Python Modules
  16. User-defined Python Modules
  17. Errors and Exceptions
  18. Files
  19. Classes
  20. Texas Hold'em Poker
4 Comments
2024/12/19
15:36 UTC

2

Ideas for Standout Data Analyst Projects for My Resume?

Hi everyone!

I’ve done many projects like creating visualizations in Tableau and performing analysis using SQL and Python. While these are great for showcasing on LinkedIn, I feel they might not stand out enough on my resume.

I’m looking for ideas for data analysis projects that could really make an impression on potential employers. What kinds of projects would you suggest that go beyond the basics and demonstrate real value?

Thanks in advance for your suggestions! 😊

5 Comments
2024/12/19
13:16 UTC

10

Implementing Retrieval-Augmented Generation with LangChain, Pgvector and OpenAI

1 Comment
2024/12/19
05:07 UTC

6

Thursday Daily Thread: Python Careers, Courses, and Furthering Education!

Weekly Thread: Professional Use, Jobs, and Education 🏢

Welcome to this week's discussion on Python in the professional world! This is your spot to talk about job hunting, career growth, and educational resources in Python. Please note, this thread is not for recruitment.


How it Works:

  1. Career Talk: Discuss using Python in your job, or the job market for Python roles.
  2. Education Q&A: Ask or answer questions about Python courses, certifications, and educational resources.
  3. Workplace Chat: Share your experiences, challenges, or success stories about using Python professionally.

Guidelines:

  • This thread is not for recruitment. For job postings, please see r/PythonJobs or the recruitment thread in the sidebar.
  • Keep discussions relevant to Python in the professional and educational context.

Example Topics:

  1. Career Paths: What kinds of roles are out there for Python developers?
  2. Certifications: Are Python certifications worth it?
  3. Course Recommendations: Any good advanced Python courses to recommend?
  4. Workplace Tools: What Python libraries are indispensable in your professional work?
  5. Interview Tips: What types of Python questions are commonly asked in interviews?

Let's help each other grow in our careers and education. Happy discussing! 🌟

1 Comment
2024/12/19
00:00 UTC

45

I made an open source, self hostable, AI meeting Copilot

Hey Everyone 👋

I recently built Amurex, a self-hosted AI meeting copilot that actually works:

What My Project Does

Amurex is a self-hosted AI meeting copilot that:

  • Records meetings seamlessly (no bot interruptions).
  • Delivers accurate transcripts instantly.
  • Drafts follow-up emails automatically.
  • Keeps a memory of past meetings for easy context.
  • Provides real-time engagement suggestions during boring meetings (unique feature!).

It’s open source, self-hosted, and ensures full data privacy with no subscriptions or vendor lock-in. And of course, it uses Robyn as the backend ;)

Target Audience

Perfect for professionals, privacy-conscious users, and open-source enthusiasts who want smarter meeting tools.

Comparison

FeatureAmurexOthers
Real-Time SuggestionsYesNo
Seamless RecordingYesBot interruptions
Self-Hosted PrivacyFull controlThird-party servers

GitHub: https://github.com/thepersonalaicompany/amurex
Website: https://www.amurex.ai/

Would love to know what you all think of it. 😊

21 Comments
2024/12/18
18:34 UTC

0

Get started with algo trading

I am looking forward to implement a trading strategy, I have computer science background having skilled in python and JavaScript. My concern is that I am not able to find the best platform or framework to create an algo trading software. I have tried pine script but I think it is not quite customisable in comparison with python. But as I moved to exploring options that are available in python, I found backtrader, quant connect, blueshift, and many more but still I am not able to completely understand from where will I be able to achieve my last goal. I am looking for a push from where I can start from an expert who is in this field from many years. Thanks

2 Comments
2024/12/18
18:17 UTC

12

Which (Django) CMS is the easiest to extend with own development?

I have to create a website, which consists of content pages fuelled by a CMS, and some other pages which are basically CRUD applications. Which CMS is the easiest to extend or merge with own development: Django CMS, Wagtail or Mezzanine?

Besides good developer experience I also need good documentation.

10 Comments
2024/12/18
16:55 UTC

40

Benchmark library that uses PostgreSQL

I am writing an open-source library that simplifies CRUD operations for PostgreSQL. The most similar library would be SQLAlchemy Core.

I plan to benchmark my library against SQLAlchemy ORM, SQLAlchemy Core, and SQLModel. I am unsure about the setup. I have the following considerations:

- Local DB vs Remote DB. Or both?
- My library depends on psycopg. Should I only use psycopg for the others?
- Which test cases should I cover?
- My library integrates pydantic / msgspec for serialisation and validation. What' the best practice for SQLAlchemy here? Do I need other libraries?

What are your opinions. Do you maybe have some good guidelines or examples?

My library is not yet released but quite stable. You can find more details here:
Github: https://github.com/dakivara/pgcrud
Docs: https://pgcrud.com

19 Comments
2024/12/18
16:03 UTC

0

Python botting ?

Wondering if anyone here has coded a checkout bot on python? I'm looking to see if someone can code me one before purchasing one online. It seems that there isn't any great options online really. And the difficulties of coding this i believe is out of my realm as I only ever took a high-school coding class.

5 Comments
2024/12/18
12:14 UTC

Back To Top