OpenHunts
  • Winners
  • Stories
  • Pricing
  • Submit

Categories

Browse Categories

APIs & Integrations48 projectsAR/VR5 projectsArtificial Intelligence1012 projectsBlockchain & Crypto22 projectsBusiness Analytics106 projectsCMS & No-Code50 projectsData Science & Analytics99 projectsDatabases20 projectsDesign Tools253 projectsDeveloper Tools328 projectsDevOps & Cloud26 projectsE-commerce96 projectsEducation Tech165 projectsFinance & FinTech97 projectsGaming Tech84 projectsGraphics & Illustration214 projectsGreen Tech7 projectsHardware9 projectsHealth Tech81 projectsInternet of Things (IoT)9 projectsMachine Learning34 projectsMarketing Tools486 projectsMobile Development44 projectsNatural Language Processing37 projectsOpen Source53 projectsPlatforms229 projectsProductivity774 projectsPrototyping9 projectsRobotics1 projectsSaaS499 projectsSales Tools69 projectsSecurity57 projectsServerless1 projectsTesting & QA13 projectsUI/UX89 projectsWearables5 projectsWeb Development296 projects

Quick Access

Trending NowBest of MonthNewsletter
OpenHunts logo

© 2026 OpenHunts. All rights reserved.

Follow us on X (Twitter)Follow us on TelegramFollow us on GiphyDomain Rating for openhunts.com

Discover

  • Trending
  • Categories
  • Submit Project

Resources

  • Pricing
  • Sponsors
  • Blog
  • Newsletter

Legal

  • Terms of Service
  • Privacy Policy
  • Legal

Links

Product HuntOpen LaunchTwelve ToolsStartup FameMagicBox.toolsFaziercode.market

DevOps & Cloud

DepLog logo

1. DepLog

DepLog helps developers monitor dependency updates and catch risky releases before they turn into upgrade fire drills. Import dependencies from your package manager, choose which updates matter, and get alerts by email, Slack, Teams or webhook.Each alert includes changelog context and a risk score so you can triage updates faster instead of reacting to every version bump. Start with 5 packages free forever, then pay only for extra blocks of monitored packages.

Visit
Rook - Your strategic AI advantage. logo

2. Rook - Your strategic AI advantage.

For the past few months, I've been running a personal AI assistant on a $5 VPS. Not a chatbot — an actual assistant that manages my calendar, triages my email, controls my Spotify, sends me proactive reminders, and remembers my preferences over time.Today I'm open-sourcing it. It's called Rook.GitHub: [github.com/barman1985/Rook](https://github.com/barman1985/Rook)---## Why I built thisEvery AI assistant I tried fell into one of two categories:1. Chatbots — they answer questions but don't do anything2. Overengineered platforms — they need Kubernetes, five microservices, and a PhD to deployI wanted something in between. An AI that lives in Telegram (zero onboarding — no new app to install), actually executes tasks via tool use, and runs on a single VPS I already had lying around.---## What Rook does- 📅 Google Calendar — create, edit, delete, search events- 📧 Gmail — read, search, send emails- 🎵 Spotify — play, search, playlists, device management- 📺 TV/Chromecast — power, apps, volume control via ADB- 🧠 Memory — remembers preferences using ACT-R cognitive architecture- 🔔 Proactive — morning briefing at 7am, calendar reminders every 15 min, evening summary- 🎙️ Voice — local STT (faster-whisper) + TTS (Piper) — completely free and private- 🔌 MCP Server — expose all tools to Claude Desktop or Cursor- 🧩 Plugins — drop a Python file, restart, new skill is live---## The architecture (the part I'm most proud of)Rook has 5 layers with strict dependency direction — each layer only depends on the layer below it:```Transport (Telegram, MCP, CLI)↓ Router / Orchestrator (intent → model → agentic tool-use loop)↓Skill layer — pluggable (Calendar, Email, Spotify, community plugins...)↓Event bus — on("calendar.reminder") → notify↓Core services (Config, DB, Memory, LLM client) ↓ Storage (SQLite, single access point)```Why this matters:- Skills never import from Transport. Calendar doesn't know it's being called from Telegram. Tomorrow it could be WhatsApp or a CLI.- Event bus decouples everything. The scheduler emits calendar.reminder — it doesn't know or care who's listening. The notification service picks it up and sends a Telegram message.- One config, one DB, one LLM client. No module reads .env directly. No module opens its own SQLite connection. Everything flows through Core.---## The plugin systemThis is what I think makes Rook actually useful for others. Adding a new integration is one Python file:```python# rook/skills/community/weather.pyfrom rook.skills.base import Skill, toolclass WeatherSkill(Skill): name = "weather" description = "Get weather forecasts" @tool("get_weather", "Get current weather for a city") def get_weather(self, city: str) -> str: import httpx return httpx.get(f"https://wttr.in/{city}?format=3").textskill = WeatherSkill()```That's it. The @tool decorator registers it with the LLM. Type hints are auto-inferred into JSON schema. Drop the file in skills/community/, restart Rook, and the LLM can now call get_weather.No core changes. No PR needed. No registration boilerplate.---## ACT-R memory (not just another key-value store)Most AI assistants either forget everything between sessions or dump everything into a flat database. Rook's memory is inspired by the ACT-R cognitive architecture from psychology.Every memory has an activation score based on:- Recency — when was it last accessed? (power law decay)- Frequency — how often is it accessed? (logarithmic boost)- Confidence — how reliable is this fact?When the LLM needs context, only the most activated memories get injected into the system prompt. Frequently used memories stay sharp. Unused ones naturally fade. Just like your brain.---## Local voice (zero API costs)Rook processes voice messages locally:- STT: faster-whisper (base model, CPU int8) — transcribes voice messages from Telegram- TTS: Piper (Czech voice, 61MB ONNX model) — Rook speaks backBoth run on the VPS. No cloud API calls, no per-minute billing, completely private.---## Setup takes 2 minutes```bashgit clone https://github.com/barman1985/Rook.gitcd Rook && python -m venv venv && source venv/bin/activatepython -m rook.setup # interactive wizard guides you through everythingpython -m rook.main```The setup wizard asks for your API keys step by step, auto-detects available integrations, and generates .env. Docker is also supported.What you need:- Any VPS or home server (runs fine on 1GB RAM)- Python 3.11+- Anthropic API key (~$5-10/month for personal use)- Telegram (as the interface)---## Numbers- 3,100 lines of Python- 10 skills, 32 tools- 65 tests (62 pass, 3 skip for optional dependencies)- MIT license- Runs on a $5 VPS alongside other projects---## What's next- More community skills (weather, Notion, Todoist, Home Assistant)- Bluesky integration for social posting- Ollama support for local LLM fallback- GitHub Actions CI pipeline- Skill marketplace---If you've ever wanted an AI assistant that actually does things instead of just chatting, give Rook a try. Star the repo if it looks useful, and I'd love feedback on the architecture.GitHub: [github.com/barman1985/Rook](https://github.com/barman1985/Rook)Support: [Buy me a coffee](https://buymeacoffee.com/rook_ai)♜ Rook — your strategic advantage.

Visit
Ping next logo

3. Ping next

PingNext monitors your Next.js applications from the outside — exactly like a real user visiting your site. It connects to your Vercel account with one click, auto-discovers all your projects and GET routes, and alerts you on Slack when something goes down.Unlike error trackers like Sentry which only work when requests reach your code, PingNext detects the failures that happen before your code even runs: DNS outages, Vercel infrastructure problems, SSL certificate expiry, and hosting-level issues. Unlike generic monitoring tools, PingNext understands Vercel deployments and suppresses false alerts during deploys.Who is it for?Solo developers and small teams building Next.js applications on Vercel who need reliable uptime monitoring without paying for expensive enterprise tools. Ideal for freelancers shipping client sites, and startups running production apps where downtime means lost revenue.What problem does it solve?Three problems that every Next.js developer eventually hits:1. Blind spots in error tracking. Sentry catches bugs inside your code. But when DNS breaks, Vercel has an outage, or your SSL expires — Sentry receives zero data because no request ever reaches your application. Your users find out before you do.2. Generic monitoring is tedious. Most of the tools require you to manually add URLs one by one. No Vercel integration. No deployment awareness.3. Simple Vercel integration. PingNext auto-discovers your project and GET routes.

Visit
5
Devgraph.ai logo

4. Devgraph.ai

Devgraph.ai is an ontology engine that helps AI and engineering teams understand their systems by building a live map of code, infrastructure, and tools. Key features include:Connect Everything: Integrates with GitHub, Jira, Slack, and many other tools to build a comprehensive ontology.Search Once, Find Everything: Query Devgraph to get results from across your entire stack, eliminating tab-switching.Real-time Insights: Understand how everything connects in real-time, improving AI understanding and team efficiency.Ideal for:Software EngineersDevOps TeamsAI/ML EngineersDevgraph.ai provides a centralized, real-time view of your entire development ecosystem, enabling faster debugging, improved AI performance, and enhanced team collaboration.

Visit
0
Debugg AI logo

5. Debugg AI

DebuggAI is an innovative AI-powered debugging tool designed to streamline your development process. With its intuitive interface, DebuggAI enhances error detection and troubleshooting, saving developers valuable time. The tool integrates seamlessly into various workflows, providing real-time insights and automated solutions to common coding issues. Whether you're a seasoned programmer or just starting your coding journey, DebuggAI equips you with the tools needed to optimize your code and enhance productivity. Experience efficient debugging like never before with DebuggAI.FEATURESError Detection: finds mistakes in your code Troubleshooting Help: makes fixing issues easier Real Time Insights: shows you what's happening as you code Automated Solutions: offers quick fixes for common problems Easy to Use: simple interface that's friendly for everyone Workflow Integration: works well with other tools you already use Time Saver: helps you code faster by solving issues quickly Coding Support: great for both beginners and experienced coders

Visit
2
MacMan logo

6. MacMan

MacMan is a professional storage management tool specifically designed for Mac developers. It helps developers safely clean up their Macs without disrupting their workflow. Key features include:Xcode Cleanup: Removes unnecessary Xcode build artifacts and caches.npm & Docker Cleanup: Cleans up unused npm packages and Docker images.Workflow Protection: Ensures cleaning processes don't break essential development tools.Ideal for:Mac DevelopersSoftware EngineersDevOps EngineersMacMan provides a developer-focused solution for optimizing Mac storage, improving performance, and streamlining the development process.

Visit
13
Status Page logo

7. Status Page

Status Page is a hosted status page and uptime monitoring solution designed to keep customers informed during incidents. Key features include:Multi-region uptime monitoring: Monitors your sites from multiple regions to reflect real user experience.Intelligent Failover: Automatically switches to healthy regions when problems arise.Customizable Status Pages: Create clean, branded status pages with uptime history and incident details.Ideal for:Indie hackersSaaS companiesWeb application developersE-commerce businessesStatus Page provides proactive communication and transparency, building trust with your users by keeping them informed about service availability.

Visit
10
ZEROTOPING logo

8. ZEROTOPING

🎨 ZEROTOPING 2.0 - Complete Redesign. Faster. Stronger.We've rebuilt ZEROTOPING from the ground up. New logo, bold neubrutalism design, and performance that scales to 100k requests/second.What's New:⚡ Performance Upgrade - Now handles 100k checks/second (ready for 100x growth)🎨 Fresh Design - Bold new logo + neubrutalism UI across the platform💰 New Pricing - Simplified plans: PRO ($5/mo), UNLIMITED ($15/mo), 20% off on yearly plans🗺️ Public Roadmap - Vote on features, shape the future📱 Telegram Alerts - New notification channel (Email, Webhook, Slack, Microsoft Teams, Discord, Flock, Telegram, SMS)Core Features:🔒 SSL & domain expiry alerts - Never get caught off-guard🎨 Branded status pages - Your Logo, Your Domain + CSS/JS control🔗 Webhooks & API - Seamless workflow integrations⚡ 1-minute checks - Catch downtime before users doWhy ZEROTOPING:No fluff. No delays. Just fast, reliable monitoring that keeps you online 24/7.Currently monitoring 1,200+ domains. Join developers who refuse to lose customers to downtime.✨ Exclusive for OPENHUNTS: Get 5% LIFETIME DISCOUNT on any plan with code HUNTS5🎁 Bonus: 14-day free trial on all plans. No credit card required.👉 zerotoping.com - Downtime kills. We don't.

Visit
14
Telebugs logo

9. Telebugs

Telebugs is a self-hosted error tracking tool that helps developers identify and fix bugs faster. Key features include:Self-Hosting: Complete control over your data by hosting the application on your own server.Real-time Notifications: Instant alerts when errors occur in your applications.Wide Platform Support: Integrates with popular frameworks and languages like React, Vue, Rails, and more.Simplified Error Grouping: Automatically groups similar errors for easier debugging.Ideal for:Software developersDevOps teamsCompanies prioritizing data privacy and securityTelebugs offers a privacy-focused alternative to Sentry, giving you complete ownership and customization options while simplifying error tracking.

Visit
7
Hostim.dev logo

10. Hostim.dev

Hostim.dev is a bare-metal Platform-as-a-Service (PaaS) built for developers who want to launch containerized applications quickly — without DevOps overhead.You can deploy from Docker images, Git repositories, or full Docker Compose files in minutes. The platform automatically provisions and connects everything you need: MySQL, PostgreSQL, Redis, persistent volumes, HTTPS, and internal networking.Every project runs in its own isolated Kubernetes namespace with transparent hourly billing and GDPR-compliant hosting in Germany.Key Features:- One-click Docker or Git deployment- Built-in MySQL, PostgreSQL, Redis, and volumes- Custom domains with automatic HTTPS- Real-time logs and metrics- Free 5-day trial and free tiers for core services- Secure SSH access via Bastion containerUse cases: personal apps, startups, agencies, and SaaS projects that want simplicity, transparency, and control without managing infrastructure.

Visit
0
PreviousPage 1 of 3Next