Home New Trending Search
About Privacy Terms
#
#pythonprojects
Posts tagged #pythonprojects on Bluesky
Post image

#apisecurity #cloudsecurity #cybersecurity #iotsecurity #iot #cybersecurityexperts #pythonprojects #datasecurityconsulting #datasecurity #dataprivacy #api #datagovernance #applicationsecurity #dataprivacyjobs #mobilesecurity #applicationsecurity

2 0 0 0
Video thumbnail

students need to show how they save money or drive revenue, catch the full video exclusively on collide.io/community #careerprep #pythonprojects #dataskills

0 0 1 0

Finished the day by completing the C Memory Management course on @Bootdev. The low-level focus on resource allocation is guiding the architecture for my Python TUI project forcing a strict separation of concerns for stability and testing. #BackEndDeveloper
#pythonprojects

2 0 0 0
Post image

Automate Your World with Python.

Let's build a solution together.

I create custom Python scripts and projects to automate your daily tasks, from simple job automation to complex bot development.

go.fiverr.com/visit/?bta=2...

#PythonProjects #Coding #AutomationSolutions

0 0 0 0
Preview
Mastering Image Processing using Python: 6 Hands-On Exercises to Enhance Your Skills - Machine Learning Site Explore the world of image processing using Python with our comprehensive guide. Dive into hands-on exercises that cover key techniques, from basic manipulations to advanced transformations. Elevate y...

Throwback to this gem 😅. Still makes me chuckle on the choice of pic that I used to explain image processing:
machinelearningsite.com/image-proces...

#pythonprojects #pythonprogramming #opencv

0 0 0 0
Post image

Need custom GPT-4, ChatGPT, or chatbot projects in Python?

Get top-tier NLP and text analysis solutions designed for your needs.

Elevate your AI capabilities!

go.fiverr.com/visit/?bta=2...

#PythonProjects #AIdevelopment #NLP #ChatGPT #GPT4 #Chatbots #TechServices

1 0 0 0
Post image

Explore 25 #BestWebScraping Project Ideas for 2025. Boost skills, build real-world scrapers & #MasterDataExtraction with these smart project ideas.

www.actowizsolutions.com/web-scraping...

#WebScraping #DataAnalytics #PythonProjects #AutomationTools #BusinessIntelligence #DataScience #Scrapy

1 0 0 0
Video thumbnail

How to swap two numbers using Python program #python #mathsolving #programming #tutorial #pythonprojects

0 0 0 0
Video thumbnail

How to add two numbers with a Python program #python #mathsolving #programming #tutorial
#pythonprojects

0 0 0 0
Video thumbnail

ESP32 & Python based OCR Setup using ESP32-CAM Shots

#esp32projects #pythonprojects #electricalengineering #firmwaredeveloper #esp32 #esp32project #arduino #arduinoproject

1 1 0 0
Video thumbnail

I'm excited to share my latest indie game project: ✨Pixel Snake✨, a fast-paced twist on the classic snake game — built entirely with Python + Tkinter.#Python #GameDevelopment #IndieDev #Tkinter #pygame #playsound #PythonProjects #LinkedInDev #gamedev #KrishnamohanYagneswaran

11 4 0 0
Preview
New Python Projects & Updates: Windows Installers, AI | AI News Explore the latest Python projects: AI agent deployment, template strings, a new Windows installer & more. Stay ahead of the curve!

AIMindUpdate News!
Ready to level up your Python skills? Discover the latest projects, from AI agents to a new Windows installer! Dive in now! #PythonProjects #AIinPython #PythonUpdates

Click here↓↓↓
aimindupdate.com/2025/06/14/n...

0 0 0 0
Video thumbnail

Libraries in Python #PythonForBeginners
#DevShorts
#PythonDev
#ProgrammingShorts
#TechTips
#PythonScript
#CodeLife
#100DaysOfCode
#SoftwareDeveloper
#PythonTricks
#DataScience
#MachineLearning
#AIWithPython
#PythonProjects

1 0 0 0
Post image

Not sure how far your budget will go with an Offshore Python Project? This blog breaks it down by $2K, $5K, and $10K so you know exactly what to expect.

Read More: spaculus.com/blog/budgeti...

#PythonProjects #OffshoreDevelopment #BudgetPlanning #TechOutsourcing

0 0 0 0
Preview
🛳️ Titanic Survival Prediction: A Gentle Introduction to Data Science for Beginners📊 Hey there, curious minds! 👋 If you're new to data science and machine learning like me, this post is just for you. In this blog, I’ll walk you through one of the most classic beginner projects — predicting survival on the Titanic 🚢 — in a way that’s super beginner-friendly. We’ll explore the steps I took, the code I wrote, and the lessons I learned, all while keeping things simple and clear. ## 📚 What's the Titanic Project? The Titanic dataset is one of the most popular datasets used to learn data science. The goal is to predict whether a passenger survived or not based on information like their age, gender, ticket class, etc. This project is perfect for learning how to: * Explore data 📊 * Clean and prepare it 🧹 * Visualize patterns 🎨 * Apply machine learning 🤖 ## 📚 Project Overview This project uses the Titanic dataset to predict whether a passenger survived based on their features like age, sex, class, etc. It’s perfect for learning: * Data analysis and visualization * Handling missing data * Feature engineering * Training a basic machine learning model (Logistic Regression) ## 🧰 Tools & Technologies Used * **Language** : Python * **Libraries** : Pandas, NumPy, Matplotlib, Seaborn, Scikit-learn * **IDE** : Jupyter Notebook ## 🔍 Step-by-Step Walkthrough ### 1. Importing Libraries import pandas as pd import numpy as np import matplotlib.pyplot as plt import seaborn as sns from sklearn.model_selection import train_test_split from sklearn.linear_model import LogisticRegression from sklearn.metrics import accuracy_score, classification_report ### 2. Loading the Data df = pd.read_csv("titanic.csv") df.head() ### 3. Checking for Missing Values df.isnull().sum() * Age: 177 missing * Cabin: 687 missing → dropped * Embarked: 2 missing → filled with mode ### 4. Handling Missing Data df['Age'].fillna(df['Age'].median(), inplace=True) df['Embarked'].fillna(df['Embarked'].mode()[0], inplace=True) df.drop(columns='Cabin', inplace=True) ### 5. Visualizing the Data #### Survival by Gender sns.countplot(x='Survived', hue='Sex', data=df) plt.title("Survival Count by Gender") #### Survival by Passenger Class sns.countplot(x='Survived', hue='Pclass', data=df) plt.title("Survival Count by Class") ### 6. Correlation Heatmap plt.figure(figsize=(10, 6)) sns.heatmap(df.corr(), annot=True, cmap='coolwarm') plt.title("Correlation Heatmap") ### 7. Feature Encoding df['Sex_encoded'] = df['Sex'].map({'male': 0, 'female': 1}) df = pd.get_dummies(df, columns=['Embarked'], drop_first=True) ### 8. Model Preparation X = df[['Pclass', 'Sex_encoded', 'Age', 'Fare', 'Embarked_Q', 'Embarked_S']] y = df['Survived'] X_train, X_test, y_train, y_test = train_test_split(X, y, test_size=0.2, random_state=42) ### 9. Logistic Regression Model model = LogisticRegression() model.fit(X_train, y_train) y_pred = model.predict(X_test) print("Accuracy:", accuracy_score(y_test, y_pred)) print(classification_report(y_test, y_pred)) ### 🧠 Key Learnings * ✅ How to explore and clean a real-world dataset * ✅ Understanding visual patterns in data * ✅ Feature encoding and selection * ✅ Building a logistic regression model * ✅ Evaluating model accuracy and performance ## 💭 Reflections This project was more than just code — it helped me gain confidence in using ML tools and understand the real process behind building predictive models. I'm now more excited than ever to keep exploring! > Thanks for reading! If you're also starting out in machine learning or have suggestions for improvement, I’d love to connect and hear your thoughts 💬
0 0 0 0
Post image

Poetry vs. UV: Two Python tools, one goal—dependency control. Serdar Yegulalp @syegulalp.bsky.social breaks down the pros and cons in this new episode.
www.youtube.com/watch?v=BDkr...

Related content: www.infoworld.com/article/2336...

#PythonProjects #DevWithSerdar #OpenSource

1 0 0 0
Video thumbnail

List comprehension in Python Explained #python #pythonprogramming #pythonprojects #coding

0 0 0 0
The power of Python's editable package installations
The power of Python's editable package installations YouTube video by InfoWorld

Developing in Python?
Skip the re-installs. Use an in-place editable install for faster feedback.

Watch this Dev with Serdar episode with @syegulalp.bsky.social to learn how 👉 www.youtube.com/watch?v=GlX5...
#PythonProjects #DevEfficiency #CodeSmart

0 0 0 0
Video thumbnail

Underscore in Python #python #pythonprojects #pythonforbeginners #pythonessperspective #tech

0 0 0 0
Preview
Python Knowledge Base : One-Stop Guide to Everything Python. Become a Python expert with our comprehensive knowledge base, covering everything from the basics to advanced topics, take your coding to the next level.

I'm a data scientist - I can predict the future. As long as the future is exactly like the past.

#Python #PythonProgramming #PythonTips #PythonLibraries #PythonProjects #PythonDeveloper #PythonCode #PythonTutorial
💻
Python Knowledge Base
python-code.pro

0 0 0 0

"If debugging is the process of removing software bugs, then
programming must be the process of putting them in."

- Edsger Dijkstra

#Python #PythonProgramming #PythonTips #PythonLibraries
#PythonProjects #PythonDeveloper #PythonCode #PythonTutorial
💻
python-code.pro

0 0 0 0
ATM Machine Project | 100 Days of Python Programming | Day 79
ATM Machine Project | 100 Days of Python Programming | Day 79 YouTube video by Beth Media

Day 79 of the 100 Days of Python Programming challenge is live! Today, we’re building an ATM simulation in Python. Learn how to create a user-friendly application to manage transactions and account balances. Watch the tutorial! #Python #100DaysOfCode #PythonProjects #ATMProject
youtu.be/SL9uxFTxZUY

2 0 0 0
Build a Mastodon Bot with Python: A Beginner’s Guide (Bots Before Agents)
https://softtechhub.us/2024/12/31/build-a-mastodon-bot-with-python/

#MastodonBot #PythonProgramming #BeginnerGuide #TechTutorial #BotDevelopment #OpenSource #CodingForBeginners #SocialMediaBots #PythonProjects #LearnToCode #Programming #TechCommunity #DigitalInnovation #Automation #SoftwareDevelopment

Build a Mastodon Bot with Python: A Beginner’s Guide (Bots Before Agents) https://softtechhub.us/2024/12/31/build-a-mastodon-bot-with-python/ #MastodonBot #PythonProgramming #BeginnerGuide #TechTutorial #BotDevelopment #OpenSource #CodingForBeginners #SocialMediaBots #PythonProjects #LearnToCode #Programming #TechCommunity #DigitalInnovation #Automation #SoftwareDevelopment

Build a Mastodon Bot with Python: A Beginner’s Guide (Bots Before Agents)
softtechhub.us/2024/12/31/b...

#MastodonBot #PythonProgramming #BeginnerGuide #TechTutorial #BotDevelopment #OpenSource #CodingForBeginners #SocialMediaBots #PythonProjects #LearnToCode #Programming #TechCommunity

1 0 0 0
Preview
GitHub - cenab/MSTO: Market Sentiment Trading Orchestrator Market Sentiment Trading Orchestrator. Contribute to cenab/MSTO development by creating an account on GitHub.

🚀 Introducing: MSTO - Market Sentiment Trading Orchestrator!

A trading framework that analyzes stock prices and news sentiment to help you buy stocks at a discount. Supports custom strategies for advanced users.

👉 github.com/cenab/MSTO

#opensource #trading #stocks #pythonprojects #developers

3 0 0 0
Preview
GitHub - jorenham/scipy-stubs: Typing Stubs for SciPy Typing Stubs for SciPy. Contribute to jorenham/scipy-stubs development by creating an account on GitHub.

scipy-stubs just added an AI generated "podcast" to their README. A new way to familiarize yourself with a new project?

And I'm not a genAI advocate, so please don't mute me just based on this 🤣

github.com/jorenham/sci...

#python #pythonprojects #opensource

2 0 1 0
Components layer out: Raspberry Pi Pico wireless, SCD-30, and magnetic sensor switch.

Components layer out: Raspberry Pi Pico wireless, SCD-30, and magnetic sensor switch.

RPi Pico Wireless Microcontroller
SCD-30 co2 sensor
Magnetic sensor

Angular, FastApi, and Postgres

Fun garage project coming up!

#RaspberryPi
#HomeAutomation
#IoTProjects
#SmartGarage
#DIYElectronics
#FastAPI
#Microcontrollers
#DIYEngineering
#PythonProjects
#ElectronicsDIY
#SmartHome

7 0 0 0
Preview
Building a Multi-Area Screenshot Tool with wxPython Why would anyone need this? Honestly, I’m not sure — but when you’ve got spare time, a knack for tinkering, and a job search that’s going…

#MultiMonitor #ScreenshotTool #ScreenCapture #PythonProjects #wxPython #MSSLibrary #Automation #ProductivityTools #OpenSource #HappyScreenCapturing

0 0 0 0