BadRequestKey error. Getting an error saying the keyerror is confirmpassword. Is there a problem in my code?
@app.route('/register', methods=['GET' , 'POST'])
def register():
from authoperations import registeruser
if request.method == 'POST':
username = request.form['username']
password = request.form['password']
confirmpassword = request.form'confirm_password'
/r/flask
https://redd.it/1gy6mbh
How to get user input for a Flask App with Autogen AI Agents?
Hi,
I am trying to implement Autogen agents with a Flask App. The new version of autogen-agentchat library allows a rich architecture for multiagent systems.
The following is an example from the documentation (Swarm Chat) that starts an agent chat, where at some point a user input is needed. The chat stops at that point. Then whenever the user input is obtained the chat is resumed.import asyncio
from autogen_ext.models import OpenAIChatCompletionClient
from autogen_agentchat.agents import AssistantAgent
from autogen_agentchat.teams import Swarm
from autogen_agentchat.task import HandoffTermination, Console, MaxMessageTermination
from autogen_agentchat.messages import HandoffMessage
async def main() -> None:
model_client = OpenAIChatCompletionClient(model="gpt-4o" api_key=os.environ.get("OPENAI_API_KEY))
agent = AssistantAgent(
"Alice",
model_client=model_client,
handoffs=["user"],
system_message="You are Alice and you only answer questions about yourself, ask the user for help if needed.",
)
termination = HandoffTermination(target="user") | MaxMessageTermination(3)
team = Swarm([agent], termination_condition=termination)
# Start the conversation.
await Console(team.run_stream(task="What is bob's birthday?"))
# Resume with user feedback.
await Console(
team.run_stream(
task=HandoffMessage(source="user", target="Alice", content="Bob's birthday is on 1st January.")
)
)
asyncio.run(main())
I want to implement this in a Flask App. So there will be an endpoint that receives user messages. Then:
If
/r/flask
https://redd.it/1gyrccn
I made a Spotify → YouTube Music converter that doesn't need API keys! [GUI]
Hey r/python! After Spotify decided to make their mobile app practically unusable for free users, my friend u/zakede and I decided to switch to YT Music. With our huge libraries, we needed something to convert our playlists, so we made this. It works with a Web GUI (made in FastHTML), and did I mention you don't need any API or OAuth keys?
**What it does:**
* Transfers your Spotify playlists/albums/liked songs to YouTube Music
* Has a simple Web GUI
* Better song search than the default YouTube one (at least in my testing)
* No API keys needed
**Target Audience:** This is for anyone who:
* Is switching from Spotify to YouTube Music
* Wants to maintain libraries on both platforms (Library sync is on the roadmap)
* Is tired of copying playlists manually
* Doesn't want to mess with API keys
**How it's different:** Most existing tools either:
* Require you to get API keys and do OAuth (which is currently [broken](https://github.com/sigma67/ytmusicapi/issues/676) for YT Music)
* Are online services that are slow and have low limits (the one I tried only allowed 150 songs per playlist and a total of 5 playlists)
* Are CLI-only
Here's the source: [spotify-to-ytm](https://github.com/Kan1shak/spotify-to-ytm)
Would love to hear your thoughts! Let me know if you try it out
/r/Python
https://redd.it/1gz2vhf
Incoming data not being comitted to the database
I am trying to make a registration page, for my website. The data is coming from the javascript frontend to the backend successfully (evident by browser logs.) and by print statements, but the incoming data is failing to commit to the database.
Background, App is made with "Role Based Access" in mind with models User, Roles and UserRoles (association table)Influencer
and Sponsor
inherit from User and their primary keys and foreign keys are same. i.e (influencer_id and sponsor_id) respectively.
Here creation of instance of User first is necessary so that its (user_id
) could be used to populate the primary keys of Influencer and Sponsor.
@app.route('/register', methods='POST')
def register():
data = request.getjson()
username = data.get('username')
email = data.get('email')
password = data.get('password')
role = data.get('role')
socialm =data.get('socialmedia')
handle = data.get('handle')
country = data.get('country')
/r/flask
https://redd.it/1gysp9f
Can't link CSS files to HTML in Flask Blueprints!
I’m a total beginner at (any) development and this is my first flask application. I’m having trouble linking CSS files to HTML when inside a blueprint. It works fine outside a blueprint.
Here's my project file structure -
project_root/
|
├── app.py
├── templates/
│ └── (global templates)
├── static/
│ └── (global static files)
├── auth/ # my blueprint
│ ├── __init__.py
│ ├── routes.py
│ ├── templates/
│ │ └── main.html
│ └── static/
│ └──main.css
I'm trying to link the auth/static/main.css file in the auth/templates/main.html file like this -
`<link rel = 'stylesheet' type="text/css" href="{{url_for('auth.static', filename='main.css')}}">`
I’ve tried changing the `url_for` with “static” or specifying the filename to auth.static.main.ss or static/main.css, but none work. It correctly displays the main.html but without any styling.
I suspect the `url_for` function inside the blueprint is incorrect.
/r/flask
https://redd.it/1gz0sps
[OC] (Dooit V3) A very customizable TUI Todo Manager!
**What My Project Does:**
Dooit is a TUI based todo manager app which gives you a nice user interface to organize your tasks. Unlike other applications, dooit runs directly in your terminal!
It tries to be function and customizable at the same time
**Key Features:**
* An interactive & beautiful UI
* Fully customizable, you can configure your bar, your colors and how everything is displayed!
* Extensible, python config file allows you to do as much as you like!
* Vim like keybindings
* Topicwise separated Todo Lists (With branching)
**Target Audience:**
Anyone who uses the terminal!
**Comparison with Existing Alternatives:**
There are definitely a lot of options out there but I didnt find anyone which fulfilled all my requirements
**How to Get Started:**
Github Link: [Dooit](https://github.com/dooit-org/dooit)
Get started with the [Dooit Docs](https://dooit-org.github.io/dooit/)
/r/Python
https://redd.it/1gysoo4
Benchmark: DuckDB, Polars, Pandas, Arrow, SQLite, NanoCube on filtering / point queryies
While working on the NanoCube project, an in-process OLAP-style query engine written in Python, I needed a baseline performance comparison against the most prominent in-process data engines: DuckDB, Polars, Pandas, Arrow and SQLite. I already had a comparison with Pandas, but now I have it for all of them. My findings:
A purpose-built technology (here OLAP-style queries with NanoCube) written in Python can be faster than general purpose high-end solutions written in C.
A fully index SQL database is still a thing, although likely a bit outdated for modern data processing and analysis.
DuckDB and Polars are awesome technologies and best for large scale data processing.
Sorting of data matters! Do it! Always! If you can afford the time/cost to sort your data before storing it. Especially DuckDB and Nanocube deliver significantly faster query times.
The **full comparison** with many very nice charts can be found in the **NanoCube GitHub repo**. Maybe it's of interest to some of you. Enjoy...
|\#|technology|duration_sec|factor|
|:-|:-|:-|:-|
|0|NanoCube|0.016|1|
|1|SQLite (indexed)|0.133|8.312|
|2|Polars|0.534|33.375|
|3|Arrow|1.933|120.812|
|4|DuckDB|4.171|260.688|
|5|SQLite|12.452|778.25|
|6|Pandas|36.457|2278.56|
The table above shows the duration for 1000x point queries on the car_prices_us
dataset (available on kaggle.com) containing 16x columns and 558,837x rows. The query is highly selective, filtering on 4 dimensions (model='Optima', trim='LX', make='Kia', body='Sedan')
and aggregating column mmr
.
/r/Python
https://redd.it/1gyoi7n
ASP.NET and Django. What's the difference?
I'd like to say that I'm not looking for an answer about which one is better, but that's a lie. However, this is subjective for everyone.
If there are anyone here who has experience with both ASP.NET and Django, please share your impressions.
P.S. I searched, but if anyone made a comparison, it was years ago!
/r/djangolearning
https://redd.it/1gv90p8
Django Hosting
I noticed many people using digitialocean droplets for hosting django, and I wanted to see if anyone recommends hostinger as their VPS deal seems clearly better. $ 5.99 /mo for 24-month term
2 vCPU cores, 8 GB RAM, 100 GB NVMe disk space, 8 TB bandwidth
/r/django
https://redd.it/1gyaden
Which is the Best Django Course on YouTube in 2024 for Beginners?
Hey everyone!
I'm looking to dive into Django and start my journey as a Python developer. As a beginner, I'm hoping to find a free, high-quality Django course on YouTube that can walk me through the basics and help me build some beginner-friendly projects.
I've seen some options pop up, but it's hard to decide which one is the most up-to-date and beginner-friendly in 2024. If you've come across any YouTube creators or playlists that do a great job explaining Django from scratch, please let me know!
Bonus points if the course includes:
* Step-by-step tutorials
* Project-based learning
* Clear explanations of concepts like models, views, templates, and databases
Thanks in advance for your suggestions!
/r/django
https://redd.it/1gy7bc0
Bagels - Expense tracker that lives in your terminal (TUI)
Hi r/Python! I'm excited to share Bagels \- a terminal (UI) expense tracker built with the textual TUI library! Check out the git repo for screenshots.
# Target audience
But first, why an expense tracker in the terminal? This is intended for people like me: I found it easier to build a habit and keep an accurate track of my expenses if I did it at the end of the day, instead of on the go. So why not in the terminal where it's fast, and I can keep all my data locally?
# What my project does
Some notable features include:
Keep track of your expenses with Accounts, (Sub)Categories, Splits, Transfers and Records
Templates for recurring transactions
Keep track of who owes you money in the people's view
Add templated records with number keys
Clear and concise table layout with collapsible splits
Transfer to and from non-tracked accounts (outside of wallet)
"Jump Mode" Navigation
Fewer fields to enter per transaction by default input modes
Insights
Customizable config, such as First Day of Week
Comparison: Unlike traditional expense trackers that are accessed by web or mobile, Bagels lives in your terminal. It differs as an expense tracker tool by providing more convenient input fields and a
/r/Python
https://redd.it/1gy0r1v
Django image storage inside media folder for a freelance project
I’m working on a freelance project for an alumni website that’s expected to have very low traffic. The client chose to deploy it on a very cheap shared Linux server, so performance will likely be slow. The backend is a Django app with features like a gallery section and events, meaning it will need to handle multiple photos. Since we’re not investing in object storage like S3, what are the downsides of storing images directly in the media
folder on the server?
/r/django
https://redd.it/1gy8ump
Right way to start with Django?
Hey, I know this question may seem obvious but I don't really know where to start.
I work in marketing, I use Python for web crawling and data analysis + I have some experience with HTML and JavaScript creating A/B tests in VWO and implementing tracking tools in GTM. I also have 2+ years of experience in SQL (mainly managing 50+ databases in BigQuery) and creating data transfers in Google Cloud (YT -> BigQuery or Google Ads -> BigQuery and so on).
I would like to focus more on Python and django (e.g. to be able to embed pandas reports in a dashboard for the rest of the team instead of taking screenshots of Jupyter notebooks etc.) but I don't know where to start. I'm quite good at programming console applications etc. in Python but Django seems like a very complicated subject that will require knowledge of additional topics.
So... if you were not a computer science student/programmer but had some knowledge of Python and IT - how would you approach learning Django? Maybe I'm underselling my skills but I don't feel very confident in my skills since I'm primary 40+ marketing guy.
/r/djangolearning
https://redd.it/1gxvxp1
Python isn't just glue, it's an implicit JIT ecosystem
Writing more Rust recently led me to a revelation about Python. Rust was vital to my original task, but only a few simplifications away, the shorter Python version leapt to almost as fast. I'd stumbled from a cold path to a hot path...
This is my argument that Python, through a number of features both purposeful and accidental, ended up with an implicit JIT ecosystem, well-worn trails connecting optimized nodes, paved over time by countless developers.
I'm definitely curious to hear how this feels to others.
I've been doing Python half my life (almost two decades) and Rust seriously for the last few years.
I love both languages deeply but the pendulum has now swung back towards Python not as I won't use Rust but as I feel my eyes are now open as to how when and how I should use Rust.
Python isn't just glue, it's an implicit JIT ecosystem
/r/Python
https://redd.it/1gxlogn
D Accepted NeurIPS 2024 paper claimed to be solving a novel problem as first work, but ignores 5 prior works
At NeurIPS 2024 I found a paper that got accepted that positions its main contribution in the form of “Existing algorithms for X ignore Y. We adapt algorithm Z for X to account for Y”.
On OpenReview I see that the reviewers in particular praised the novelty of the work, and recognised Y as an important aspect that had been ignored in the field of X.
Now the interesting bit: co-authors and I published a paper in Springer’s Machine Learning journal in 2023 that also proposes an algorithm for X that account for Y. We were also not the first to study the problem setting of X with Y: our paper’s related work section discusses 4 papers that have all proposed algorithms for X that account for Y. One is even from NeurIPS (2017), and the oldest one dates back to 2012 (an AAAI paper).
The authors of this 2024 NeurIPS paper completely missed all this prior literature and believed they were the first, and so did all the reviewers.
This week I e-mailed the authors of this NeurIPS 2024 paper and they acknowledged that these works (mine + the 4 others) indeed were all working on the same problem setting, mentioned that they
/r/MachineLearning
https://redd.it/1gxooqv
D Self-Promotion Thread
Please post your personal projects, startups, product placements, collaboration needs, blogs etc.
Please mention the payment and pricing requirements for products and services.
Please do not post link shorteners, link aggregator websites , or auto-subscribe links.
--
Any abuse of trust will lead to bans.
Encourage others who create new posts for questions to post here instead!
Thread will stay alive until next one so keep posting after the date in the title.
--
Meta: This is an experiment. If the community doesnt like this, we will cancel it. This is to encourage those in the community to promote their work by not spamming the main threads.
/r/MachineLearning
https://redd.it/1gyhfxm
Django + MTN momo integration.
Hi everyone,
I’m working on a Django project, and I want to integrate MTN MoMo (Mobile Money) for payment processing. I’ve gone through the MTN MoMo API documentation, but I’m still a bit confused about how to set it up with Django.
I’m also wondering if there are any reliable third-party APIs or libraries available that make the integration process simpler or more efficient
If anyone here has experience with this, could you share
Thanks.
/r/django
https://redd.it/1gz4d68
Monday Daily Thread: Project ideas!
# Weekly Thread: Project Ideas 💡
Welcome to our weekly Project Ideas thread! Whether you're a newbie looking for a first project or an expert seeking a new challenge, this is the place for you.
## How it Works:
1. **Suggest a Project**: Comment your project idea—be it beginner-friendly or advanced.
2. **Build & Share**: If you complete a project, reply to the original comment, share your experience, and attach your source code.
3. **Explore**: Looking for ideas? Check out Al Sweigart's ["The Big Book of Small Python Projects"](https://www.amazon.com/Big-Book-Small-Python-Programming/dp/1718501242) for inspiration.
## Guidelines:
* Clearly state the difficulty level.
* Provide a brief description and, if possible, outline the tech stack.
* Feel free to link to tutorials or resources that might help.
# Example Submissions:
## Project Idea: Chatbot
**Difficulty**: Intermediate
**Tech Stack**: Python, NLP, Flask/FastAPI/Litestar
**Description**: Create a chatbot that can answer FAQs for a website.
**Resources**: [Building a Chatbot with Python](https://www.youtube.com/watch?v=a37BL0stIuM)
# Project Idea: Weather Dashboard
**Difficulty**: Beginner
**Tech Stack**: HTML, CSS, JavaScript, API
**Description**: Build a dashboard that displays real-time weather information using a weather API.
**Resources**: [Weather API Tutorial](https://www.youtube.com/watch?v=9P5MY_2i7K8)
## Project Idea: File Organizer
**Difficulty**: Beginner
**Tech Stack**: Python, File I/O
**Description**: Create a script that organizes files in a directory into sub-folders based on file type.
**Resources**: [Automate the Boring Stuff: Organizing Files](https://automatetheboringstuff.com/2e/chapter9/)
Let's help each other grow. Happy
/r/Python
https://redd.it/1gz5fou
Django forms?
Hey there 👋
I am struggling to understand Django forms can anyone help share some resources
/r/djangolearning
https://redd.it/1gyn0hh
DRF + React
Hello, everyone. I'm planning to build an ecomm over the next few weeks and would appreciate some guidance from more experienced developers. Could you share the best approach to take for building a scalable, efficient ecomm? Additionally, what libraries or tools do you recommend that could help streamline the development process and make things easier along the way?
/r/django
https://redd.it/1gyxp4q
any performance issues for django-parler?
I am looking for i18n packages, django-parler seems good, but are there any cons?? it requires inner join, is it going to affect the performance?? is it negligible if I use select_related or prefect_relateed
/r/django
https://redd.it/1gywmyg
Django Rest Framework Authentication/Permission tip
/r/django
https://redd.it/1gyplon
FLASK/SQLite NIGHTMARE - Please help!
(UPDATE: THANK YOU! AFTER HOURS I FIGURED IT OUT)
Hey guys,
So I'm new to the whole web app thing, but I've been following this tutorial on how the basics work: https://www.youtube.com/watch?v=dam0GPOAvVI
Here's the github for the code he's also used:
https://github.com/techwithtim/Flask-Web-App-Tutorial/tree/main
Basically, I feel like I've done GREAT so far, following along well. This is what I have managed to produce so far with working pages, routes, re-directs etc:
https://preview.redd.it/gcb1cy9itn2e1.png?width=1920&format=png&auto=webp&s=31083b872512910c5d445d0d6b19a0f3254ad931
BUT... I've hit a complete and utter stop when it comes to putting this \^ data into the SQ Database.
This is the code I have for this area and all my other files copy the same names, as well as my html files:
u/auth.route('/register', methods='GET', 'POST')
def register():
if request.method == 'POST':
email = request.form.get('email')
username = request.form.get('username')
password1 = request.form.get('password1')
password2 = request.form.get('password2')
/r/flask
https://redd.it/1gy0rv5
What is the best source to learn methods in GCBVs?
I find difficulting in understanding why and how methods are being used. I want to learn.
/r/djangolearning
https://redd.it/1gx5peh
Sunday Daily Thread: What's everyone working on this week?
# Weekly Thread: What's Everyone Working On This Week? 🛠️
Hello /r/Python! It's time to share what you've been working on! Whether it's a work-in-progress, a completed masterpiece, or just a rough idea, let us know what you're up to!
## How it Works:
1. Show & Tell: Share your current projects, completed works, or future ideas.
2. Discuss: Get feedback, find collaborators, or just chat about your project.
3. Inspire: Your project might inspire someone else, just as you might get inspired here.
## Guidelines:
Feel free to include as many details as you'd like. Code snippets, screenshots, and links are all welcome.
Whether it's your job, your hobby, or your passion project, all Python-related work is welcome here.
## Example Shares:
1. Machine Learning Model: Working on a ML model to predict stock prices. Just cracked a 90% accuracy rate!
2. Web Scraping: Built a script to scrape and analyze news articles. It's helped me understand media bias better.
3. Automation: Automated my home lighting with Python and Raspberry Pi. My life has never been easier!
Let's build and grow together! Share your journey and learn from others. Happy coding! 🌟
/r/Python
https://redd.it/1gydn91
I created free internet clipboard in Flask (for file transfers across devices)
I made it because we needed to share files in university computers & WhatsApp login was taking too long.... So needed a faster approach that does not require login..
Link: Internet Clipboard.
/r/flask
https://redd.it/1gy248r
Table
Hi, so far I have been creating my html table manually. I saw that there are various libraries that you can install. I need a table that handles crud options and filters
I am bewildered as there are so many of them. Can you suggest me based on your experience the best one ?
Thanks
/r/django
https://redd.it/1gxx597
Junior Dev Looking for Django Collab
Hello , I'm a junior dev wanted to get my hands dirty with some Django projects. If you're interested in teaming up or have a project in mind, drop me a message.
/r/django
https://redd.it/1gxtses
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! 🌟
/r/Python
https://redd.it/1gxm8u3
Need advice on reducing latency and improving throughput in Django app
Hey r/django community! I'm struggling with performance issues in my Django application and could really use some expert advice.
**Current Setup:**
* Django 4.2
* PostgreSQL database
* Running on AWS EC2 t2.medium
* \~10k daily active users
* Serving mainly API endpoints and some template views
* Using Django REST Framework for API endpoints
**Issues I'm facing:**
1. Average response time has increased to 800ms (used to be around 200ms)
2. Database queries seem to be taking longer than expected
3. During peak hours, server CPU usage spikes to 90%+
4. Some endpoints timeout during high traffic
**What I've already tried:**
* Added database indexes on frequently queried fields
* Implemented Redis caching for frequently accessed data
* Used Django Debug Toolbar to identify slow queries
* Set up django-silk for profiling
* Added select\_related() and prefetch\_related() where possible
Despite these optimizations, I'm still not getting the performance I need. My main questions are:
1. What are some common bottlenecks in Django apps that I might be missing?
2. Are there specific Django settings I should tune for better performance?
3. Should I consider moving to a different database configuration (e.g., read replicas)?
4. What monitoring tools do you recommend for identifying performance bottlenecks?
5. Any recommendations for load testing tools to simulate high traffic scenarios?
Thanks in advance for any help! Let me
/r/django
https://redd.it/1gxotrj