Python | Machine Learning | Coding | R
67.1K subscribers
1.24K photos
89 videos
152 files
894 links
Help and ads: @hussein_sheikho

Discover powerful insights with Python, Machine Learning, Coding, and Rโ€”your essential toolkit for data-driven solutions, smart alg

List of our channels:
https://t.iss.one/addlist/8_rRW2scgfRhOTc0

https://telega.io/?r=nikapsOH
Download Telegram
๐Ÿ˜‰ A list of the best YouTube videos
โœ… To learn data science


1๏ธโƒฃ SQL language


โฌ…๏ธ Learning

๐Ÿ’ฐ 4-hour SQL course from zero to one hundred

๐Ÿ’ฐ Window functions tutorial

โฌ…๏ธ Projects

๐Ÿ“Ž Starting your first SQL project

๐Ÿ’ฐ Data cleansing project

๐Ÿ’ฐ Restaurant order analysis

โฌ…๏ธ Interview

๐Ÿ’ฐ How to crack the SQL interview?

โž–โž–โž–

2๏ธโƒฃ Python


โฌ…๏ธ Learning

๐Ÿ’ฐ 12-hour Python for Data Science course

โฌ…๏ธ Projects

๐Ÿ’ฐ Python project for beginners

๐Ÿ’ฐ Analyzing Corona Data with Python

โฌ…๏ธ Interview

๐Ÿ’ฐ Python interview golden tricks

๐Ÿ’ฐ Python Interview Questions

โž–โž–โž–

3๏ธโƒฃ Statistics and machine learning


โฌ…๏ธ Learning

๐Ÿ’ฐ 7-hour course in applied statistics

๐Ÿ’ฐ Machine Learning Training Playlist

โฌ…๏ธ Projects

๐Ÿ’ฐ Practical ML Project

โฌ…๏ธ Interview

๐Ÿ’ฐ ML Interview Questions and Answers

๐Ÿ’ฐ How to pass a statistics interview?

โž–โž–โž–

4๏ธโƒฃ Product and business case studies


โฌ…๏ธ Learning

๐Ÿ’ฐ Building strong product understanding

๐Ÿ’ฐ Product Metric Definition

โฌ…๏ธ Interview

๐Ÿ’ฐ Case Study Analysis Framework

๐Ÿ’ฐ How to shine in a business interview?

#DataScience #SQL #Python #MachineLearning #Statistics #BusinessAnalytics #ProductCaseStudies #DataScienceProjects #InterviewPrep #LearnDataScience #YouTubeLearning #CodingInterview #MLInterview #SQLProjects #PythonForDataScience



โœ‰๏ธ Our Telegram channels: https://t.iss.one/addlist/0f6vfFbEMdAwODBk
Please open Telegram to view this post
VIEW IN TELEGRAM
โค15๐Ÿ‘3๐ŸŽ‰1
NUMPY FOR DS.pdf
4.5 MB
Let's start at the top...

NumPy contains a broad array of functionality for fast numerical & mathematical operations in Python

The core data-structure within #NumPy is an ndArray (or n-dimensional array)

Behind the scenes - much of the NumPy functionality is written in the programming language C

NumPy functionality is used in other popular #Python packages including #Pandas, #Matplotlib, & #scikitlearn!

โœ‰๏ธ Our Telegram channels: https://t.iss.one/addlist/0f6vfFbEMdAwODBk
Please open Telegram to view this post
VIEW IN TELEGRAM
โค19
Topic: Handling Datasets of All Types โ€“ Part 1 of 5: Introduction and Basic Concepts

---

1. What is a Dataset?

โ€ข A dataset is a structured collection of data, usually organized in rows and columns, used for analysis or training machine learning models.

---

2. Types of Datasets

โ€ข Structured Data: Tables, spreadsheets with rows and columns (e.g., CSV, Excel).

โ€ข Unstructured Data: Images, text, audio, video.

โ€ข Semi-structured Data: JSON, XML files containing hierarchical data.

---

3. Common Dataset Formats

โ€ข CSV (Comma-Separated Values)

โ€ข Excel (.xls, .xlsx)

โ€ข JSON (JavaScript Object Notation)

โ€ข XML (eXtensible Markup Language)

โ€ข Images (JPEG, PNG, TIFF)

โ€ข Audio (WAV, MP3)

---

4. Loading Datasets in Python

โ€ข Use libraries like pandas for structured data:

import pandas as pd
df = pd.read_csv('data.csv')


โ€ข Use libraries like json for JSON files:

import json
with open('data.json') as f:
data = json.load(f)


---

5. Basic Dataset Exploration

โ€ข Check shape and size:

print(df.shape)


โ€ข Preview data:

print(df.head())


โ€ข Check for missing values:

print(df.isnull().sum())


---

6. Summary

โ€ข Understanding dataset types is crucial before processing.

โ€ข Loading and exploring datasets helps identify cleaning and preprocessing needs.

---

Exercise

โ€ข Load a CSV and JSON dataset in Python, print their shapes, and identify missing values.

---

#DataScience #Datasets #DataLoading #Python #DataExploration

The rest of the parts ๐Ÿ‘‡
https://t.iss.one/DataScienceM ๐ŸŒŸ
Please open Telegram to view this post
VIEW IN TELEGRAM
โค27๐Ÿ‘1
Topic: Python Script to Convert a Shared ChatGPT Link to PDF โ€“ Step-by-Step Guide

---

### Objective

In this lesson, weโ€™ll build a Python script that:

โ€ข Takes a ChatGPT share link (e.g., https://chat.openai.com/share/abc123)
โ€ข Downloads the HTML content of the chat
โ€ข Converts it to a PDF file using pdfkit and wkhtmltopdf

This is useful for archiving, sharing, or printing ChatGPT conversations in a clean format.

---

### 1. Prerequisites

Before starting, you need the following libraries and tools:

#### โ€ข Install pdfkit and requests

pip install pdfkit requests


#### โ€ข Install wkhtmltopdf

Download from:
https://wkhtmltopdf.org/downloads.html

Make sure to add the path of the installed binary to your system PATH.

---

### 2. Python Script: Convert Shared ChatGPT URL to PDF

import pdfkit
import requests
import os

# Define output filename
output_file = "chatgpt_conversation.pdf"

# ChatGPT shared URL (user input)
chat_url = input("Enter the ChatGPT share URL: ").strip()

# Verify the URL format
if not chat_url.startswith("https://chat.openai.com/share/"):
print("Invalid URL. Must start with https://chat.openai.com/share/")
exit()

try:
# Download HTML content
response = requests.get(chat_url)
if response.status_code != 200:
raise Exception(f"Failed to load the chat: {response.status_code}")

html_content = response.text

# Save HTML to temporary file
with open("temp_chat.html", "w", encoding="utf-8") as f:
f.write(html_content)

# Convert HTML to PDF
pdfkit.from_file("temp_chat.html", output_file)

print(f"\nโœ… PDF saved as: {output_file}")

# Optional: remove temp file
os.remove("temp_chat.html")

except Exception as e:
print(f"โŒ Error: {e}")


---

### 3. Notes

โ€ข This approach works only if the shared page is publicly accessible (which ChatGPT share links are).
โ€ข The PDF output will contain the web page version, including theme and layout.
โ€ข You can customize the PDF output using pdfkit options (like page size, margins, etc.).

---

### 4. Optional Enhancements

โ€ข Add GUI with Tkinter
โ€ข Accept multiple URLs
โ€ข Add PDF metadata (title, author, etc.)
โ€ข Add support for offline rendering using BeautifulSoup to clean content

---

### Exercise

โ€ข Try converting multiple ChatGPT share links to PDF
โ€ข Customize the styling with your own CSS
โ€ข Add a timestamp or watermark to the PDF

---

#Python #ChatGPT #PDF #WebScraping #Automation #pdfkit #tkinter

https://t.iss.one/CodeProgrammer โœ…
Please open Telegram to view this post
VIEW IN TELEGRAM
โค25๐Ÿ’ฏ1
Python | Machine Learning | Coding | R
Photo
# ๐Ÿ“š Python Tutorial: Convert EPUB to PDF (Preserving Images)
#Python #EPUB #PDF #EbookConversion #Automation

This comprehensive guide will show you how to convert EPUB files (including those with images) to high-quality PDFs using Python.

---

## ๐Ÿ”น Required Tools & Libraries
We'll use these Python packages:
- ebooklib - For EPUB parsing
- pdfkit (wrapper for wkhtmltopdf) - For PDF generation
- Pillow - For image handling (optional)

pip install ebooklib pdfkit pillow


Also install system dependencies:
# On Ubuntu/Debian
sudo apt-get install wkhtmltopdf

# On MacOS
brew install wkhtmltopdf

# On Windows (download from wkhtmltopdf.org)


---

## ๐Ÿ”น Step 1: Extract EPUB Contents
First, we'll unpack the EPUB file to access its HTML and images.

from ebooklib import epub
from bs4 import BeautifulSoup
import os

def extract_epub(epub_path, output_dir):
book = epub.read_epub(epub_path)

# Create output directory
os.makedirs(output_dir, exist_ok=True)

# Extract all items (chapters, images, styles)
for item in book.get_items():
if item.get_type() == epub.ITEM_IMAGE:
# Save images
with open(os.path.join(output_dir, item.get_name()), 'wb') as f:
f.write(item.get_content())
elif item.get_type() == epub.ITEM_DOCUMENT:
# Save HTML chapters
with open(os.path.join(output_dir, item.get_name()), 'wb') as f:
f.write(item.get_content())

return [item.get_name() for item in book.get_items() if item.get_type() == epub.ITEM_DOCUMENT]


---

## ๐Ÿ”น Step 2: Convert HTML to PDF
Now we'll convert the extracted HTML files to PDF while preserving images.

import pdfkit
from PIL import Image # For image validation (optional)

def html_to_pdf(html_files, output_pdf, base_dir):
options = {
'encoding': "UTF-8",
'quiet': '',
'enable-local-file-access': '', # Critical for local images
'no-outline': None,
'margin-top': '15mm',
'margin-right': '15mm',
'margin-bottom': '15mm',
'margin-left': '15mm',
}

# Validate images (optional)
for html_file in html_files:
soup = BeautifulSoup(open(os.path.join(base_dir, html_file)), 'html.parser')
for img in soup.find_all('img'):
img_path = os.path.join(base_dir, img['src'])
try:
Image.open(img_path) # Validate image
except Exception as e:
print(f"Image error in {html_file}: {e}")
img.decompose() # Remove broken images

# Convert to PDF
pdfkit.from_file(
[os.path.join(base_dir, f) for f in html_files],
output_pdf,
options=options
)


---

## ๐Ÿ”น Step 3: Complete Conversion Function
Combine everything into a single workflow.

def epub_to_pdf(epub_path, output_pdf, temp_dir="temp_epub"):
try:
print(f"Converting {epub_path} to PDF...")

# Step 1: Extract EPUB
print("Extracting EPUB contents...")
html_files = extract_epub(epub_path, temp_dir)

# Step 2: Convert to PDF
print("Generating PDF...")
html_to_pdf(html_files, output_pdf, temp_dir)

print(f"Success! PDF saved to {output_pdf}")
return True

except Exception as e:
print(f"Conversion failed: {str(e)}")
return False
finally:
# Clean up temporary files
if os.path.exists(temp_dir):
import shutil
shutil.rmtree(temp_dir)


---

## ๐Ÿ”น Advanced Options
### 1. Custom Styling
Add CSS to improve PDF appearance:

def html_to_pdf(html_files, output_pdf, base_dir):
options = {
# ... previous options ...
'user-style-sheet': 'styles.css', # Custom CSS
}

# Create CSS file if needed
css = """
body { font-family: "Times New Roman", serif; font-size: 12pt; }
img { max-width: 100%; height: auto; }
"""
with open(os.path.join(base_dir, 'styles.css'), 'w') as f:
f.write(css)

pdfkit.from_file(/* ... */)
โค11๐Ÿ”ฅ2๐ŸŽ‰1
๐Ÿ“š JaidedAI/EasyOCR โ€” an open-source Python library for Optical Character Recognition (OCR) that's easy to use and supports over 80 languages out of the box.

### ๐Ÿ” Key Features:

๐Ÿ”ธ Extracts text from images and scanned documents โ€” including handwritten notes and unusual fonts
๐Ÿ”ธ Supports a wide range of languages like English, Russian, Chinese, Arabic, and more
๐Ÿ”ธ Built on PyTorch โ€” uses modern deep learning models (not the old-school Tesseract)
๐Ÿ”ธ Simple to integrate into your Python projects

### โœ… Example Usage:

import easyocr

reader = easyocr.Reader(['en', 'ru']) # Choose supported languages
result = reader.readtext('image.png')


### ๐Ÿ“Œ Ideal For:

โœ… Text extraction from photos, scans, and documents
โœ… Embedding OCR capabilities in apps (e.g. automated data entry)

๐Ÿ”— GitHub: https://github.com/JaidedAI/EasyOCR

๐Ÿ‘‰ Follow us for more: @DataScienceN

#Python #OCR #MachineLearning #ComputerVision #EasyOCR
โค3๐Ÿ‘Ž1๐ŸŽ‰1
This media is not supported in your browser
VIEW IN TELEGRAM
๐Ÿงน ObjectClear โ€” an AI-powered tool for removing objects from images effortlessly.

โš™๏ธ What It Can Do:

๐Ÿ–ผ๏ธ Upload any image
๐ŸŽฏ Select the object you want to remove
๐ŸŒŸ The model automatically erases the object and intelligently reconstructs the background

โšก๏ธ Under the Hood:

โ€” Uses Segment Anything (SAM) by Meta for object segmentation
โ€” Leverages Inpaint-Anything for realistic background generation
โ€” Works in your browser with an intuitive Gradio UI

โœ”๏ธ Fully open-source and can be run locally.

๐Ÿ“Ž GitHub: https://github.com/zjx0101/ObjectClear

#AI #ImageEditing #ComputerVision #Gradio #OpenSource #Python


โœ‰๏ธ Our Telegram channels: https://t.iss.one/addlist/0f6vfFbEMdAwODBk

๐Ÿ“ฑ Our WhatsApp channel: https://whatsapp.com/channel/0029VaC7Weq29753hpcggW2A
Please open Telegram to view this post
VIEW IN TELEGRAM
โค10
๐Ÿš€ Comprehensive Tutorial: Build a Folder Monitoring & Intruder Detection System in Python

In this comprehensive, step-by-step tutorial, you will learn how to build a real-time folder monitoring and intruder detection system using Python.

๐Ÿ” Your Goal:
Create a background program that:
- Monitors a specific folder on your computer.
- Instantly captures a photo using the webcam whenever someone opens that folder.
- Saves the photo with a timestamp in a secure folder.
- Runs automatically when Windows starts.
- Keeps running until you manually stop it (e.g., via Task Manager or a hotkey).

Read and get code: https://hackmd.io/@husseinsheikho/Build-a-Folder-Monitoring

#Python #Security #FolderMonitoring #IntruderDetection #OpenCV #FaceCapture #Automation #Windows #TaskScheduler #ComputerVision


โœ‰๏ธ Our Telegram channels: https://t.iss.one/addlist/0f6vfFbEMdAwODBk

๐Ÿ“ฑ Our WhatsApp channel: https://whatsapp.com/channel/0029VaC7Weq29753hpcggW2A
Please open Telegram to view this post
VIEW IN TELEGRAM
โค8๐Ÿ”ฅ1๐ŸŽ‰1
๐Ÿš€ Comprehensive Guide: How to Prepare for an Image Processing Job Interview โ€“ 500 Most Common Interview Questions

Let's start: https://hackmd.io/@husseinsheikho/IP

#ImageProcessing #ComputerVision #OpenCV #Python #InterviewPrep #DigitalImageProcessing #MachineLearning #AI #SignalProcessing #ComputerGraphics

โœ‰๏ธ Our Telegram channels: https://t.iss.one/addlist/0f6vfFbEMdAwODBk

๐Ÿ“ฑ Our WhatsApp channel: https://whatsapp.com/channel/0029VaC7Weq29753hpcggW2A
Please open Telegram to view this post
VIEW IN TELEGRAM
โค4๐Ÿ‘Ž1๐Ÿ”ฅ1
This media is not supported in your browser
VIEW IN TELEGRAM
๐Ÿฅ‡ This repo is like gold for every data scientist!

โœ… Just open your browser; a ton of interactive exercises and real experiences await you. Any question about statistics, probability, Python, or machine learning, you'll get the answer right there! With code, charts, even animations. This way, you don't waste time, and what you learn really sticks in your mind!

โฌ…๏ธ Data science statistics and probability topics
โฌ…๏ธ Clustering
โฌ…๏ธ Principal Component Analysis (PCA)
โฌ…๏ธ Bagging and Boosting techniques
โฌ…๏ธ Linear regression
โฌ…๏ธ Neural networks and more...


โ”Œ ๐Ÿ“‚ Int Data Science Python Dash
โ””
๐Ÿฑ GitHub-Repos

๐Ÿ‘‰ @codeprogrammer

#Python #OpenCV #Automation #ML #AI #DEEPLEARNING #MACHINELEARNING #ComputerVision
Please open Telegram to view this post
VIEW IN TELEGRAM
โค9๐Ÿ‘4๐Ÿ’ฏ1๐Ÿ†1