Data Science Jupyter Notebooks – Telegram
Data Science Jupyter Notebooks
11.7K subscribers
289 photos
43 videos
9 files
847 links
Explore the world of Data Science through Jupyter Notebooks—insights, tutorials, and tools to boost your data journey. Code, analyze, and visualize smarter with every post.
Download Telegram
🔥 Trending Repository: LEANN

📝 Denoscription: RAG on Everything with LEANN. Enjoy 97% storage savings while running a fast, accurate, and 100% private RAG application on your personal device.

🔗 Repository URL: https://github.com/yichuan-w/LEANN

📖 Readme: https://github.com/yichuan-w/LEANN#readme

📊 Statistics:
🌟 Stars: 3.9K stars
👀 Watchers: 34
🍴 Forks: 403 forks

💻 Programming Languages: Python

🏷️ Related Topics:
#python #privacy #ai #offline_first #localstorage #vectors #faiss #rag #vector_search #vector_database #llm #langchain #llama_index #retrieval_augmented_generation #ollama #gpt_oss


==================================
🧠 By: https://news.1rj.ru/str/DataScienceM
🔥 Trending Repository: adk-docs

📝 Denoscription: An open-source, code-first toolkit for building, evaluating, and deploying sophisticated AI agents with flexibility and control.

🔗 Repository URL: https://github.com/google/adk-docs

🌐 Website: https://google.github.io/adk-docs/

📖 Readme: https://github.com/google/adk-docs#readme

📊 Statistics:
🌟 Stars: 643 stars
👀 Watchers: 19
🍴 Forks: 546 forks

💻 Programming Languages: HTML - Go

🏷️ Related Topics: Not available

==================================
🧠 By: https://news.1rj.ru/str/DataScienceM
🔥 Trending Repository: PythonRobotics

📝 Denoscription: Python sample codes and textbook for robotics algorithms.

🔗 Repository URL: https://github.com/AtsushiSakai/PythonRobotics

🌐 Website: https://atsushisakai.github.io/PythonRobotics/

📖 Readme: https://github.com/AtsushiSakai/PythonRobotics#readme

📊 Statistics:
🌟 Stars: 26.3K stars
👀 Watchers: 509
🍴 Forks: 7K forks

💻 Programming Languages: Python

🏷️ Related Topics:
#python #algorithm #control #robot #localization #robotics #mapping #animation #path_planning #slam #autonomous_driving #autonomous_vehicles #ekf #hacktoberfest #cvxpy #autonomous_navigation


==================================
🧠 By: https://news.1rj.ru/str/DataScienceM
🔥 Trending Repository: adk-web

📝 Denoscription: Agent Development Kit Web (adk web) is the built-in developer UI that is integrated with Agent Development Kit for easier agent development and debugging.

🔗 Repository URL: https://github.com/google/adk-web

🌐 Website: https://google.github.io/adk-docs/

📖 Readme: https://github.com/google/adk-web#readme

📊 Statistics:
🌟 Stars: 414 stars
👀 Watchers: 11
🍴 Forks: 140 forks

💻 Programming Languages: TypeScript - SCSS - HTML - JavaScript

🏷️ Related Topics: Not available

==================================
🧠 By: https://news.1rj.ru/str/DataScienceM
🔥 Trending Repository: email-verification-protocol

📝 Denoscription: verified autofill

🔗 Repository URL: https://github.com/WICG/email-verification-protocol

📖 Readme: https://github.com/WICG/email-verification-protocol#readme

📊 Statistics:
🌟 Stars: 239 stars
👀 Watchers: 9
🍴 Forks: 12 forks

💻 Programming Languages: Not available

🏷️ Related Topics: Not available

==================================
🧠 By: https://news.1rj.ru/str/DataScienceM
1
🐍 Email Sending Automation

Streamlining the dispatch of digital correspondence has become an indispensable practice in today's interconnected landscape. This guide illuminates the path to programmatic dispatch, making it accessible for anyone frequently engaged in broadcasting information or marketing dispatches to a diverse audience.

The Foundation: Why Automate?

The manual dispatch of electronic messages, especially when targeting a large number of recipients, is tedious, error-prone, and inefficient. Programmatic dispatch transforms this chore into a swift, repeatable operation. It ensures consistency, saves valuable time, and allows for personalized communications at scale, turning a daunting task into a manageable workflow.

Essential Components for Dispatch

At its core, dispatching electronic messages programmatically involves a few key elements:

SMTP Server: The Simple Mail Transfer Protocol (SMTP) server is the digital post office responsible for sending out messages. Services like Gmail, Outlook, and others provide SMTP access.
Authentication: To use an SMTP server, one typically needs a sender's address and a corresponding password or app-specific password for secure access.
Libraries: Python offers robust built-in modules, primarily smtplib for handling the server communication and email for constructing complex message structures.
Recipient Data: A structured collection of receiver addresses, often from a file (like a CSV) or a database, is crucial for bulk dispatch.
Message Content: This includes the subject line, the body of the message (plain text or formatted HTML), and any attachments.

Basic Text Dispatch

Let's begin with a simple example of dispatching a plain text message.

import smtplib
from email.mime.text import MIMEText
import os

# Configuration details (use environment variables for security)
sender_email = os.environ.get("SENDER_EMAIL")
sender_password = os.environ.get("SENDER_PASSWORD")
smtp_server = "smtp.gmail.com" # Example for Gmail
smtp_port = 587 # TLS port

def send_plain_text_message(recipient_address, subject_line, message_body):
try:
# Create a new message object
msg = MIMEText(message_body)
msg["Subject"] = subject_line
msg["From"] = sender_email
msg["To"] = recipient_address

# Establish a secure connection to the SMTP server
with smtplib.SMTP(smtp_server, smtp_port) as server:
server.starttls() # Enable Transport Layer Security
server.login(sender_email, sender_password)
server.send_message(msg)
print(f"Message successfully sent to {recipient_address}")
except Exception as e:
print(f"Error dispatching to {recipient_address}: {e}")

# Usage example
# Set these as environment variables before running:
# export SENDER_EMAIL="your_email@example.com"
# export SENDER_PASSWORD="your_app_password"
# (For Gmail, generate an app password from Google Account security settings)
# send_plain_text_message("receiver@example.com", "Hello from Python!", "This is a test message from our dispatch noscript.")

This fundamental noscript connects, authenticates, composes, and sends a simple text-based communication.

Rich Content and Attachments

For more sophisticated communications, such as those with styling, images, or attached files, the email.mime submodules are essential. We use MIMEMultipart to create a container for different parts of the message.
from email.mime.multipart import MIMEMultipart
from email.mime.text import MIMEText
from email.mime.base import MIMEBase
from email import encoders
import os
import smtplib

# Reusing sender details from above

def send_rich_message_with_attachment(recipient_address, subject_line, html_body, file_path=None):
try:
msg = MIMEMultipart()
msg["From"] = sender_email
msg["To"] = recipient_address
msg["Subject"] = subject_line

# Attach HTML body
msg.attach(MIMEText(html_body, "html"))

# Attach a file if provided
if file_path:
with open(file_path, "rb") as attachment:
part = MIMEBase("application", "octet-stream")
part.set_payload(attachment.read())
encoders.encode_base64(part)
part.add_header(
"Content-Disposition",
f"attachment; filename= {os.path.basename(file_path)}",
)
msg.attach(part)

with smtplib.SMTP(smtp_server, smtp_port) as server:
server.starttls()
server.login(sender_email, sender_password)
server.send_message(msg)
print(f"Rich message successfully sent to {recipient_address}")
except Exception as e:
print(f"Error dispatching rich message to {recipient_address}: {e}")

# Usage example
# html_content = """
# <html>
# <body>
# <p>Hi there,</p>
# <p>This is an <b>HTML-formatted</b> message dispatched via Python!</p>
# <p>Best regards,<br>The Dispatch System</p>
# </body>
# </html>
# """
# # Create a dummy file for testing attachment
# # with open("report.txt", "w") as f:
# # f.write("This is a test report content.")
# # send_rich_message_with_attachment("receiver@example.com", "Your Custom HTML Dispatch with Attachment", html_content, "report.txt")

This expanded example demonstrates how to build a message containing both rich text and an arbitrary file attachment, providing much greater flexibility for communication.

Handling Multiple Receivers and Personalization

For broadcasting to many individuals, integrate a loop that reads receiver information from a source. Each iteration can dispatch a unique, personalized message.

import csv
import time # For rate limiting

def send_bulk_messages(recipient_data_file, subject_template, body_template):
with open(recipient_data_file, mode='r', newline='') as file:
reader = csv.DictReader(file)
for row in reader:
recipient_address = row["email"]
name = row.get("name", "Recipient") # Default if 'name' not in CSV

# Personalize subject and body
personalized_subject = subject_template.format(name=name)
personalized_body = body_template.format(name=name)

send_plain_text_message(recipient_address, personalized_subject, personalized_body)
time.sleep(2) # Pause to avoid hitting server rate limits

# Usage Example:
# Create a CSV file named 'recipients.csv'
# email,name
# alice@example.com,Alice
# bob@example.com,Bob
# charlie@example.com,Charlie

# subject = "Hello, {name} from Our System!"
# body = "Dear {name},\n\nWe hope this message finds you well. This is a personalized update.\n\nRegards,\nTeam Automation"
# send_bulk_messages("recipients.csv", subject, body)

This structure allows for highly targeted and personalized mass communications, where each individual receives content tailored with their specific details.

Considerations for Robustness and Security
Error Handling: Always wrap dispatch logic in try-except blocks to gracefully handle network issues, authentication failures, or incorrect receiver addresses.
Security: Never hardcode credentials directly in noscripts. Use environment variables (os.environ.get()) or a secure configuration management system. Ensure starttls() is called for encrypted communication.
Rate Limits: SMTP servers impose limits on the number of messages one can send per hour or day. Implement pauses (time.sleep()) between dispatches to respect these limits and avoid being flagged as a spammer.
Opt-Outs: For promotional dispatches, ensure compliance with regulations (like GDPR, CAN-SPAM) by including clear unsubscribe options.

Concluding Thoughts

Automating electronic message dispatch empowers users to scale their communication efforts with remarkable efficiency. By leveraging Python's native capabilities, anyone can construct a powerful, flexible system for broadcasting anything from routine updates to extensive promotional campaigns. The journey into programmatic dispatch unveils a world of streamlined operations and enhanced communicative reach.

#python #automation #email #smtplib #emailautomation #programming #noscripting #communication #developer #efficiency

━━━━━━━━━━━━━━━
By: @DataScienceN
🔥 Trending Repository: traefik

📝 Denoscription: The Cloud Native Application Proxy

🔗 Repository URL: https://github.com/traefik/traefik

🌐 Website: https://traefik.io

📖 Readme: https://github.com/traefik/traefik#readme

📊 Statistics:
🌟 Stars: 57.7K stars
👀 Watchers: 666
🍴 Forks: 5.5K forks

💻 Programming Languages: Go - TypeScript - JavaScript - Shell - Makefile - HTML

🏷️ Related Topics:
#go #letsencrypt #docker #kubernetes #golang #microservice #consul #load_balancer #zookeeper #marathon #etcd #mesos #reverse_proxy #traefik


==================================
🧠 By: https://news.1rj.ru/str/DataScienceM
🔥 Trending Repository: LightRAG

📝 Denoscription: [EMNLP2025] "LightRAG: Simple and Fast Retrieval-Augmented Generation"

🔗 Repository URL: https://github.com/HKUDS/LightRAG

🌐 Website: https://arxiv.org/abs/2410.05779

📖 Readme: https://github.com/HKUDS/LightRAG#readme

📊 Statistics:
🌟 Stars: 22.6K stars
👀 Watchers: 162
🍴 Forks: 3.4K forks

💻 Programming Languages: Python - TypeScript - Shell - JavaScript - CSS - Dockerfile

🏷️ Related Topics:
#knowledge_graph #gpt #rag #gpt_4 #large_language_models #llm #genai #retrieval_augmented_generation #graphrag


==================================
🧠 By: https://news.1rj.ru/str/DataScienceM
🔥 Trending Repository: verl

📝 Denoscription: verl: Volcano Engine Reinforcement Learning for LLMs

🔗 Repository URL: https://github.com/volcengine/verl

🌐 Website: https://verl.readthedocs.io/en/latest/index.html

📖 Readme: https://github.com/volcengine/verl#readme

📊 Statistics:
🌟 Stars: 15.4K stars
👀 Watchers: 79
🍴 Forks: 2.5K forks

💻 Programming Languages: Python - Shell

🏷️ Related Topics: Not available

==================================
🧠 By: https://news.1rj.ru/str/DataScienceM
🔥 Trending Repository: Memori

📝 Denoscription: Open-Source Memory Engine for LLMs, AI Agents & Multi-Agent Systems

🔗 Repository URL: https://github.com/GibsonAI/Memori

🌐 Website: https://memorilabs.ai

📖 Readme: https://github.com/GibsonAI/Memori#readme

📊 Statistics:
🌟 Stars: 2.3K stars
👀 Watchers: 18
🍴 Forks: 216 forks

💻 Programming Languages: Python - PLpgSQL

🏷️ Related Topics:
#python #agent #awesome #state_management #ai #memory #memory_management #hacktoberfest #long_short_term_memory #rag #llm #memori_ai #hacktoberfest2025 #chatgpt #aiagent


==================================
🧠 By: https://news.1rj.ru/str/DataScienceM
🔥 Trending Repository: WSABuilds

📝 Denoscription: Run Windows Subsystem For Android on your Windows 10 and Windows 11 PC using prebuilt binaries with Google Play Store (MindTheGapps) and/or Magisk or KernelSU (root solutions) built in.

🔗 Repository URL: https://github.com/MustardChef/WSABuilds

📖 Readme: https://github.com/MustardChef/WSABuilds#readme

📊 Statistics:
🌟 Stars: 12.6K stars
👀 Watchers: 135
🍴 Forks: 2K forks

💻 Programming Languages: Python - Shell - PowerShell

🏷️ Related Topics:
#android #windows #google_apps #windows_10 #windows10 #android_emulator #subsystem #magisk #windows_11 #wsa #windows_subsystem_for_android #windows_subsystem_android #windowssubsystemforandroid #magiskonwsa #wsa_with_gapps_and_magisk #wsa_root #kernelsu #magiskonwsalocal #wsapatch


==================================
🧠 By: https://news.1rj.ru/str/DataScienceM
1
🔥 Trending Repository: engine

📝 Denoscription: Powerful web graphics runtime built on WebGL, WebGPU, WebXR and glTF

🔗 Repository URL: https://github.com/playcanvas/engine

🌐 Website: https://playcanvas.com

📖 Readme: https://github.com/playcanvas/engine#readme

📊 Statistics:
🌟 Stars: 11.1K stars
👀 Watchers: 328
🍴 Forks: 1.5K forks

💻 Programming Languages: JavaScript

🏷️ Related Topics:
#nodejs #javanoscript #gamedev #webgl #typenoscript #game_engine #game_development #virtual_reality #webgl2 #gltf #hacktoberfest #playcanvas #webgpu #webxr #gaussian_splatting #3d_gaussian_splatting


==================================
🧠 By: https://news.1rj.ru/str/DataScienceM
👍1
🔥 Trending Repository: tracy

📝 Denoscription: Frame profiler

🔗 Repository URL: https://github.com/wolfpld/tracy

🌐 Website: https://tracy.nereid.pl/

📖 Readme: https://github.com/wolfpld/tracy#readme

📊 Statistics:
🌟 Stars: 13.1K stars
👀 Watchers: 95
🍴 Forks: 888 forks

💻 Programming Languages: C++ - TeX - C - Python - CMake - Fortran

🏷️ Related Topics:
#gamedev #library #performance #profiler #performance_analysis #profiling #gamedev_library #profiling_library #gamedevelopment


==================================
🧠 By: https://news.1rj.ru/str/DataScienceM
👍1
Photo scraping has finally arrived!

In the new v2 Firecrawl endpoint, you can now pull images from websites. Suitable for multimodal LLM applications, model fine-tuning, and other tasks.

You can apply filters by resolution, aspect ratio, or image type.

Already over 66 thousand stars on 😁
https://github.com/firecrawl/firecrawl

👉  @DataScienceN
Please open Telegram to view this post
VIEW IN TELEGRAM
4👍2
This media is not supported in your browser
VIEW IN TELEGRAM
💣 China's Alibaba company has released a new competitor for Cursor and Windsurf!

👨🏻‍💻 Its name is Qoder, an AI IDE that thinks, plans, writes code, and executes it by itself so you can build software more easily.

✏️ Its interface is also very similar to Cursor; internal chat, code autocomplete, Agent Workflow, and support for MCP.

⬅️ What is Qoder's main focus? Context Engineering, and it is entirely built on that; meaning:

It deeply understands the project, structure, and codebase.

It builds persistent memory from past interactions.

It assigns tasks to the best possible AI model by itself.

⬅️ Two impressive features that really stand out:

1⃣ Quest Mode
⬅️ You just write and hand over the project specifications or the task you want, then go on with your other work, and later you receive the results. That means asynchronous coding without you having to oversee it.

2⃣ Repo Wiki
⬅️ It automatically generates documentation, architectural explanations, and project structure for the entire project.

🥵 Qoder
🌎 Website
📄 Documentation

🌐 #Data_Science #DataScience

https://news.1rj.ru/str/DataScienceN
Please open Telegram to view this post
VIEW IN TELEGRAM
3👍2
🚀 THE 7-DAY PROFIT CHALLENGE! 🚀

Can you turn $100 into $5,000 in just 7 days?
Lisa can. And she’s challenging YOU to do the same. 👇

https://news.1rj.ru/str/+AOPQVJRWlJc5ZGRi
https://news.1rj.ru/str/+AOPQVJRWlJc5ZGRi
https://news.1rj.ru/str/+AOPQVJRWlJc5ZGRi
This media is not supported in your browser
VIEW IN TELEGRAM
🔰 New version of Colab; Data Scientists' Partner
🔃 Major update for Google Colab!

👨🏻‍💻 From now on, you have a real AI assistant inside your notebook, not just a code completion tool!

▶️ This AI assistant is directly integrated inside Colab and Colab Enterprise (within Vertex AI and BigQuery), and it basically acts like a teammate and coding partner.


🤖 What exactly does this AI assistant do for you?

1⃣ It handles the entire workflow by itself!
🏷 You just need to tell it the goal, for example: "Build a model that predicts people's income level based on a BigQuery table." Then it plans a multi-step program, cleans the data, creates features, builds the model, and trains it.

🔢 It writes code for every task!
🏷For example: it can create a chart, manage the cloud environment, perform causal analysis. You just have to ask.

🔢 It finds and fixes errors!
🏷 If a cell throws an error, it explains the cause, provides a corrected version of the code, and even shows a diff so you can approve it.



🎯 What is its goal?

Professionals work much faster.

Beginners learn more easily.

The entire data science process from idea to final model becomes faster, cleaner, and less error-prone.

➡️ AI First Colab Notebooks
➡️ AI First Colab Notebooks

🌐 #Data_Science #DataScience

https://t.me/DataScienceN
Please open Telegram to view this post
VIEW IN TELEGRAM
4👍1
💸 PacketSDK--A New Way To Make Revenue From Your Apps

Regardless of whether your app is on desktop, mobile, TV, or Unity platforms, no matter which app monetization tools you’re using, PacketSDK can bring you additional revenue!

● Working Principle: Convert your app's active users into profits 👥💵

● Product Features: Ad-free monetization 🚫, no user interference

● Additional Revenue: Fully compatible with your existing ad SDKs

● CCPA & GDPR: Based on user consent, no collection of any personal data 🔒

● Easy Integration: Only a few simple steps, taking approximately 30 minutes

Join us:https://www.packetsdk.com/?utm-source=SyWayQNK

Contact us & Estimated income:
Telegram:@Packet_SDK
Whatsapp:https://wa.me/85256440384
Teams:https://teams.live.com/l/invite/FBA_1zP2ehmA6Jn4AI

Join early ,earn early!
3