Track Awesome List Updates Daily
We track over 500 awesome list updates, and you can also subscribe to daily or weekly updates via RSS or News Letter. This repo is generated by trackawesomelist-source, visit it Online or with Github.
📅 Weekly · 🔍 Search · 🔥 Feed · 📮 Subscribe · ❤️ Sponsor · 😺 Github · 🌐 Website · 📝 07/15 · ✅ 07/15
Table of Contents
Recently Updated
Jul 15, 2025
1. Awesome Tmux
Tools and session management
- tmux-cookie-cutter (⭐6) A YAML based session builder, configuring windows, panes and environments automatically
Plugins
- back-in-5 (⭐0) display a "Back soon" message for remote collaboration
2. Awesome Neovim
Dependency Management / Diagnostics
- piersolenski/import.nvim (⭐209) - Import modules faster based on what you've already imported in your project.
3. Awesome Newsletters
System Design / Svelte
- Limitless System Design. Newsletter for engineers who refuse to accept “good enough” architecture.
- ByteByteGo. Explain complex systems with simple terms, from the authors of the best-selling system design book series
4. Awesome Angular
Notifications / Google Developer Experts
- ngx-modern-alerts (⭐1) - This library provides a flexible system for displaying banner and floating alerts (notifications), complete with a notification hub, timeouts, custom actions, and more.
5. Free for Dev
Analytics, Events and Statistics
- Repohistory - Beautiful dashboard for tracking GitHub repo traffic history longer than 14 days. Free Plan allows users to monitor traffic for a single repository.
6. Awesome Selfhosted
Software / Booking and Scheduling
- LibreBooking - Resource scheduling solution offering a flexible, mobile-friendly, and extensible interface for organizations to manage resource reservations. (Demo, Source Code (⭐524))
GPL-3.0
PHP/Docker
Software / Document Management
- Papra - Minimalist document storage, management and archiving platform designed to be simple to use and accessible to everyone. (Demo, Source Code (⭐1.9k))
AGPL-3.0
Docker
- Signature PDF (⭐578) - Sign and manipulate PDFs with collaboration, organization, compression and metadata editing. (Demo)
AGPL-3.0
PHP/deb/Docker
Software / Health and Fitness
- Wingfit - Minimalist fitness app to plan your workouts, track your personal records and leverage smartwatch data. (Demo, Source Code (⭐129))
CC-BY-SA-4.0
Python/Docker
Software / Miscellaneous
- Operational.co - Receive alerts in a live timeline from your product. (Demo, Source Code (⭐330))
AGPL-3.0
Nodejs/Docker
Software / Personal Dashboards
- Personal Management System - Organize the essentials of everyday life, everything from a simple to-do list, and notes up to payments, and schedules. (Demo (⭐3.4k), Source Code (⭐3.4k))
MIT
Docker
Software / Status / Uptime pages
- Kuvasz Uptime - Performant, stable uptime & SSL monitoring service that just works. (Source Code (⭐137))
Apache-2.0
Docker
7. Awesome Django
Third-Party Packages / Admin
- django-admin-collaborator (⭐51) - Add real-time user presence, edit locks, and chat to Django admin with Channels and Redis.
Third-Party Packages / Admin Themes
- django-smartbase-admin (⭐48) - Django SmartBase Admin 🚀 performance-tuned 👥 end-user ready beautiful admin panel
8. Awesome Go
Messaging
- GoEventBus (⭐28) - A blazing‑fast, in‑memory, lock‑free event bus library
9. Awesome Pcaptools
Traffic Analysis/Inspection
- pcaptoparquet (⭐2): pcaptoparquet is a Python package designed for converting PCAP or PCAPNG files to structured data formats, primarily Apache Parquet. The tool focuses on network traffic analysis by extracting, decoding, and transforming packet data into queryable datasets suitable for analysis and visualization. The tool supports both command-line and programmatic interfaces, enabling integration into various network analysis workflows.
Jul 14, 2025
1. Awesome Fastapi
Auth
- FastAPI Login (⭐678) - Account management and authentication (based on Flask-Login (⭐3.6k)).
Utils / Other Tools
- FastAPI Injectable (⭐155) - Use FastAPI's dependency injection outside route handlers in CLI tools, background tasks, workers, and more.
2. Git Cheat Sheet
📖 About
📖 About
This comprehensive Git cheat sheet helps you master Git commands without memorizing everything. Whether you're a beginner or an experienced developer, this guide provides quick reference to essential Git operations.
Contributions Welcome! Feel free to:
- Fix grammar mistakes
- Add new commands
- Translate to your language
- Improve explanations
📋 Table of Contents
📋 Table of Contents
🔧 Setup
🔧 Setup
View Configuration
Show current configuration:
git config --list
Show repository configuration:
git config --local --list
Show global configuration:
git config --global --list
Show system configuration:
git config --system --list
User Configuration
Set your name for version history:
git config --global user.name "[firstname lastname]"
Set your email address:
git config --global user.email "[valid-email]"
Display & Editor Settings
Enable automatic command line coloring:
git config --global color.ui auto
Set global editor for commits:
git config --global core.editor vi
⚙️ Configuration Files
⚙️ Configuration Files
Scope | Location | Command Flag |
---|---|---|
Repository | <repo>/.git/config |
--local |
User | ~/.gitconfig |
--global |
System | /etc/gitconfig |
--system |
🆕 Create Repository
🆕 Create Repository
Clone Existing Repository
Via SSH:
git clone ssh://[email protected]/repo.git
Via HTTPS:
git clone https://domain.com/user/repo.git
Initialize New Repository
Create repository in current directory:
git init
Create repository in specific directory:
git init <directory>
📝 Local Changes
📝 Local Changes
Check Status & Differences
View working directory status:
git status
Show changes to tracked files:
git diff
Show changes in specific file:
git diff <file>
Staging Changes
Add all current changes:
git add .
Add specific files:
git add <filename1> <filename2>
Interactively add parts of a file:
git add -p <file>
Committing Changes
Commit all tracked file changes:
git commit -a
Commit staged changes:
git commit
Commit with message:
git commit -m 'message here'
Skip staging and commit with message:
git commit -am 'message here'
Commit with specific date:
git commit --date="`date --date='n day ago'`" -am "<Commit Message Here>"
Modify Last Commit
⚠️ Warning: Don't amend published commits!
Amend last commit:
git commit -a --amend
Amend without changing commit message:
git commit --amend --no-edit
Change committer date:
GIT_COMMITTER_DATE="date" git commit --amend
Change author date:
git commit --amend --date="date"
Stashing Changes
Save current changes temporarily:
git stash
Apply last stashed changes:
git stash apply
Apply specific stash:
git stash apply stash@{stash_number}
Use
git stash list
to see available stashes
Remove last stash:
git stash drop
Move uncommitted changes to another branch:
git stash
git checkout branch2
git stash pop
🔍 Search
🔍 Search
Text Search
Search for text in all files:
git grep "Hello"
Search in specific version:
git grep "Hello" v2.5
Commit Search
Find commits that introduced specific keyword:
git log -S 'keyword'
Search with regular expression:
git log -S 'keyword' --pickaxe-regex
📖 Commit History
📖 Commit History
Basic History
Show all commits (detailed):
git log
Show commits (one line each):
git log --oneline
Show commits by specific author:
git log --author="username"
Show changes for specific file:
git log -p <file>
Advanced History
Compare branches:
git log --oneline <origin/master>..<remote/master> --left-right
Show who changed what and when:
git blame <file>
Reference Logs
Show reference log:
git reflog show
Delete reference log:
git reflog delete
📁 Move / Rename
📁 Move / Rename
Rename a file:
git mv Index.txt Index.html
🌿 Branches & Tags
🌿 Branches & Tags
List Branches
List local branches:
git branch
List all branches (local + remote):
git branch -a
List remote branches:
git branch -r
List merged branches:
git branch --merged
Switch & Create Branches
Switch to existing branch:
git checkout <branch>
Create and switch to new branch:
git checkout -b <branch>
Switch to previous branch:
git checkout -
Create branch from existing branch:
git checkout -b <new_branch> <existing_branch>
Create branch from specific commit:
git checkout <commit-hash> -b <new_branch_name>
Create branch without switching:
git branch <new-branch>
Create tracking branch:
git branch --track <new-branch> <remote-branch>
Branch Operations
Checkout single file from different branch:
git checkout <branch> -- <filename>
Apply specific commit from another branch:
git cherry-pick <commit hash>
Rename current branch:
git branch -m <new_branch_name>
Delete local branch:
git branch -d <branch>
Force delete local branch:
git branch -D <branch>
⚠️ Warning: You will lose unmerged changes!
Tags
Create tag at HEAD:
git tag <tag-name>
Create annotated tag:
git tag -a <tag-name>
Create tag with message:
git tag <tag-name> -am 'message here'
List all tags:
git tag
List tags with messages:
git tag -n
🔄 Update & Publish
🔄 Update & Publish
Remote Management
List configured remotes:
git remote -v
Show remote information:
git remote show <remote>
Add new remote:
git remote add <remote> <url>
Rename remote:
git remote rename <remote> <new_remote>
Remove remote:
git remote rm <remote>
ℹ️ Note: This only removes the remote reference locally, not the remote repository itself.
Fetch & Pull
Download changes without merging:
git fetch <remote>
Download and merge changes:
git pull <remote> <branch>
Get changes from main branch:
git pull origin master
Pull with rebase:
git pull --rebase <remote> <branch>
Push & Publish
Publish local changes:
git push <remote> <branch>
Delete remote branch:
# Git v1.7.0+
git push <remote> --delete <branch>
# Git v1.5.0+
git push <remote> :<branch>
Publish tags:
git push --tags
🔀 Merge & Rebase
🔀 Merge & Rebase
Merge Operations
Merge branch into current HEAD:
git merge <branch>
Configure merge tool globally:
git config --global merge.tool meld
Use configured merge tool:
git mergetool
Rebase Operations
⚠️ Warning: Don't rebase published commits!
Rebase current HEAD onto branch:
git rebase <branch>
Abort rebase:
git rebase --abort
Continue rebase after resolving conflicts:
git rebase --continue
Conflict Resolution
Mark file as resolved:
git add <resolved-file>
Remove resolved file:
git rm <resolved-file>
Squashing Commits
Interactive rebase for squashing:
git rebase -i <commit-just-before-first>
Example squash configuration:
# Before
pick <commit_id>
pick <commit_id2>
pick <commit_id3>
# After (squash commit_id2 and commit_id3 into commit_id)
pick <commit_id>
squash <commit_id2>
squash <commit_id3>
↩️ Undo
↩️ Undo
Discard Changes
Discard all local changes:
git reset --hard HEAD
Unstage all files:
git reset HEAD
Discard changes in specific file:
git checkout HEAD <file>
Reset Operations
Reset to previous commit (discard all changes):
git reset --hard <commit>
Reset to remote branch state:
git reset --hard <remote/branch>
# Example: git reset --hard upstream/master
Reset preserving changes as unstaged:
git reset <commit>
Reset preserving uncommitted local changes:
git reset --keep <commit>
Revert Commits
Revert commit (create new commit with opposite changes):
git revert <commit>
Clean Ignored Files
Remove accidentally committed files that should be ignored:
git rm -r --cached .
git add .
git commit -m "remove ignored files"
🌊 Git Flow
🌊 Git Flow
Improved Git-flow: git-flow-avh (⭐5.4k)
📋 Table of Contents
🔧 Setup {#setup-1}
Prerequisite: Working Git installation required. Git-flow works on macOS, Linux, and Windows.
macOS (Homebrew):
brew install git-flow-avh
macOS (MacPorts):
port install git-flow
Linux (Debian-based):
sudo apt-get install git-flow
Windows (Cygwin):
Requires wget and util-linux
wget -q -O - --no-check-certificate https://raw.githubusercontent.com/petervanderdoes/gitflow/develop/contrib/gitflow-installer.sh install <state> | bash
🚀 Getting Started
Git-flow needs initialization to customize your project setup.
Initialize (interactive):
git flow init
You'll answer questions about branch naming conventions. Default values are recommended.
Initialize (use defaults):
git flow init -d
✨ Features
Features are for developing new functionality for upcoming releases. They typically exist only in developer repositories.
Start new feature:
git flow feature start MYFEATURE
Creates feature branch based on 'develop' and switches to it
Finish feature:
git flow feature finish MYFEATURE
This will:
- Merge MYFEATURE into 'develop'
- Remove the feature branch
- Switch back to 'develop'
Publish feature (for collaboration):
git flow feature publish MYFEATURE
Get published feature:
git flow feature pull origin MYFEATURE
Track origin feature:
git flow feature track MYFEATURE
🎁 Make a Release
Releases support preparation of new production releases, allowing minor bug fixes and preparing meta-data.
Start release:
git flow release start RELEASE [BASE]
Creates release branch from 'develop'. Optionally specify [BASE] commit SHA-1.
Publish release:
git flow release publish RELEASE
Track remote release:
git flow release track RELEASE
Finish release:
git flow release finish RELEASE
This will:
- Merge release branch into 'master'
- Tag the release
- Back-merge release into 'develop'
- Remove release branch
💡 Don't forget: Push your tags with
git push --tags
🔥 Hotfixes
Hotfixes address critical issues in live production versions. They branch off from the corresponding tag on master.
Start hotfix:
git flow hotfix start VERSION [BASENAME]
Finish hotfix:
git flow hotfix finish VERSION
Merges back into both 'develop' and 'master', and tags the master merge
📊 Commands Overview
🌊 Git Flow Schema
🌍 Other Languages
🌍 Other Languages
This cheat sheet is available in multiple languages:
Language | Link |
---|---|
🇸🇦 Arabic | git-cheat-sheet-ar.md |
🇧🇩 Bengali | git-cheat-sheet-bn.md |
🇧🇷 Brazilian Portuguese | git-cheat-sheet-pt_BR.md |
🇨🇳 Chinese | git-cheat-sheet-zh.md |
🇩🇪 German | git-cheat-sheet-de.md |
🇬🇷 Greek | git-cheat-sheet-el.md |
🇮🇳 Hindi | git-cheat-sheet-hi.md |
🇰🇷 Korean | git-cheat-sheet-ko.md |
🇵🇱 Polish | git-cheat-sheet-pl.md |
🇪🇸 Spanish | git-cheat-sheet-es.md |
🇹🇷 Turkish | git-cheat-sheet-tr.md |
🤝 Contributing
🤝 Contributing
We welcome contributions! You can:
- 🐛 Report bugs or typos
- ✨ Add new Git commands
- 🌍 Translate to new languages
- 💡 Improve explanations
- 📝 Enhance formatting
How to contribute:
- Fork this repository
- Create your feature branch (
git checkout -b feature/AmazingFeature
) - Commit your changes (
git commit -m 'Add some AmazingFeature'
) - Push to the branch (
git push origin feature/AmazingFeature
) - Open a Pull Request
📄 License
📄 License
This project is open source and available under the MIT License.
⭐ Star this repository if you found it helpful!
3. Awesome Vue
Components & Libraries / UI Components
- vue-calendar (⭐2) - A fully-featured, customizable calendar date picker component for Vue 3 with built-in Tailwind CSS support. Perfect for building scheduling applications, event calendars, and date pickers.
- hevue-img-preview (⭐218) - Image preview for Vue 2 & 3, supports mobile and desktop. (demo)
4. Awesome Storybook
Official resources
Community resources
- DEV.to #storybook - Posts about Storybook on DEV.to blogging platform.
Examples
- Decathlon - Design System
- GitHub - Design System
- Airbnb - react-date
- Salesforce - Design System
- Auth0/OKta - Quantum Design System
- AXA France - Design System
- Apideck - Components
- Qui - Vue 2/3 Design system
- Mística - Design system
- Recharts - Storybook
Tutorials
- Storybook React: A Beginner's Tutorial to UI Components
- Simple Storybook React Setup with Dark Mode Integration
Blog posts
- Setting up Storybook for Preact
- Setting Up a Component Library with React and Storybook
- Storybook - UI component development tool for React, Vue, and Angular (Article focusing on React)
- Storybook vs Styleguidist
- Five Reasons to Use Storybook Tests
5. Awesome Svelte
UI Libraries
- Quaff - An extensive UI framework featuring modern and elegant components following Material Design 3 principles.
Icons
- moving icons (⭐257) - A collection of beautifully crafted, animated Lucide icons.
Miscellaneous
- Edra - Best Rich Text Editor, made for Svelte Developers with Tiptap.
Routers / Form Components
- sv-router (⭐80) - Type-safe SPA router with file-based or code-based routing.
6. Magictools
Graphics / Vector/Image Editor
- 🆓 SVG to PNG - Batch convert unlimited SVGs to PNG rasters. Privacy-preserving, doesn't require uploading your assets.
7. Awesome Godot
Plugins and scripts / Godot 4
- PowerKey (⭐9) - Easy-to-use dynamic translation of text & other variables. Also offers GDScript execution on Nodes, without needing to attach a script.
- Scene Library (⭐76) - A tool for organizing Godot scenes with efficiency.
GDScript/C# editor support / Godot version unknown
- Visual Studio Code
- C# Tools for Godot Visual Studio Code Extension - Debugger and utilities for working with Godot C# projects in VSCode.
- gdformat Visual Studio Code Extension - Formatter for GDScript in Visual Studio Code.
- godot-tools Visual Studio Code Extension - A complete set of tools to code games with Godot Engine in Visual Studio Code. Includes a GDScript language client.
- GUT Visual Studio Code Extension (⭐39) - Run GUT framework unit/integration tests directly from the Visual Studio Code Editors.
Other / Godot version unknown
- gdvm (GitHub (⭐20)) - Command-line version manager for Godot Engine, allowing you to easily install and switch between different Godot versions on Windows, macOS, and Linux (x86, x86_64, and ARM64).
8. Awesome Love2d
Drawing
- Resolution Solution (⭐0) - Scale library, that help you add resolution support to your games!
- Shöve (⭐69) - A powerful resolution-handler and rendering library for LÖVE.
Entity
- evolved.lua (⭐109) - Evolved ECS (Entity-Component-System) for Lua.
Networking
- fetch-lua (⭐4) - An HTTPS/HTTP requests library made only with luajjit.
9. Awesome Construct
Construct 2
- Fresh NW (⭐1) - Easily setup exporting for the latest versions of NW.js, replacing the outdated "NW.js for Construct 2" installer.
10. Awesome Playcanvas
3D Gaussian Splatting / YouTube Playables
- Old Main - The Public Library of Cincinnati's Grand Hall as it appeared in 1900.
11. Awesome Game Remakes
FPS
- NearChuckle (⭐25) - A Linux port of Far Cry 1.
- OpenMoHAA (⭐567) - Open re-implementation of Medal of Honor: Allied Assault including Spearhead and Breakthrough expansions.
RPG
- UnderworldGodot (⭐216) - An engine recreation of Ultima Underworld and Ultima Underworld 2 in the Godot Engine.
Platformer
- UnleashedRecomp (⭐4.2k) - An unofficial PC port of the Xbox 360 version of Sonic Unleashed created through the process of static recompilation.
12. Awesome Flame
App Releases / Casual
- CircleCapture Android iOS - Tap and drag to draw circles that capture floating particles. By MarioIannotta
App Releases / Puzzle Games
- Mine Cart Operator - Mine cart operator is dekstop puzzle game for Windows, Mac and Linux. By CherryBit Studios
13. Awesome Iot
Software / Programming languages
- AtomVM - Brings Erlang, Elixir, Gleam and other functional languages to microcontrollers.
14. Awesome Lidar
Frameworks
- ALFA Framework
- An open-source framework for developing processing algorithms, with a focus on embedded platforms and hardware acceleration.
Algorithms / Simultaneous localization and mapping SLAM and LIDAR-based odometry and or mapping LOAM
- RESPLE
- Recursive Spline Estimation for LiDAR-Based Odometry
Related awesome / LIDAR-other-sensor calibration
- Awesome LiDAR Place Recognition
(⭐178)
- Awesome-LiDAR-MOS
(⭐36) Moving Object Segmentation
- Awesome-LiDAR-Visual-SLAM
(⭐217)
Others / LIDAR-other-sensor calibration
- CloudPeek (⭐117) is a lightweight, c++ single-header, cross-platform point cloud viewer, designed for simplicity and efficiency without relying on heavy external libraries like PCL or Open3D.
15. Awesome Digital History
Archives and primary sources / Europe
- EuroDocs – Online Sources for European History - A curated directory of online primary sources for European history, organized by country and period, with many items hosted by reputable institutions and using Dublin Core metadata.
Archives and primary sources / Global
- Atlas of Mutual Heritage - Database with sources relating to VOC (Dutch East India Company) and WIC (Dutch West India Company).
Archives and primary sources / Netherlands
- Topotijdreis - Browse and compare Dutch topographic maps (1815 until today).
16. Awesome Product Management
Product Fundamentals & Philosophy / Tability
- Want To Build An Incredible Product? Strive For The Delta Of "Wow" - By Wayne Chang.
- Great Product Managers are "Outcome Thinkers" - By Max Bennett.
- Solution-space taste - By Grant Slatton.
- Building a Great Product Management Organization - By Melissa Perri.
- Hackers and Painters - By Paul Graham.
- The Product Manager - By Paul Graham.
Product Development & Process / Tability
- Painless Functional Specifications – Part 2: What's a Spec? - By Joel Spolsky.
- Don't start a tech-enabled service - By Waseem Daher.
- The Lean Product Playbook: How to Innovate with Minimum Viable Products and Rapid Customer Feedback - By Dan Olsen.
- Sprint: How to Solve Big Problems and Test New Ideas in Just Five Days - By Jake Knapp, John Zeratsky, Braden Kowitz.
- Hooked: How to Build Habit-Forming Products - By Nir Eyal.
- Build: An Unorthodox Guide to Making Things Worth Making - By Tony Fadell.
- The Mythical Man-Month: Essays on Software Engineering - By Frederick P. Brooks Jr.
- Thinking in Systems: A Primer - By Donella H. Meadows.
Product Strategy & Planning / Tability
- OKRs and Product Roadmaps - By Roman Pichler.
- Product OKRs: Driving Outcomes Over Outputs - By Carlos Gonzalez de Villaumbrosia.
- Mud Rooms, Red Letters, and Real Priorities - By Merlin Mann.
- Good strategy understands affect, not just cognition - By Vaughn Tan.
- Seven strategy tensions … and misunderstandings - By Vaughn Tan.
- Startup Exercise: What can't be solved with money? - By Jason Cohen.
- Product Purgatory: When they love it but still don't buy - By Jason Cohen.
- Product Discovery Basics - By Teresa Torres.
- Remote Product Management Tips - By Atlassian.
- How to Craft Your Product Management Team Structure at Every Stage - By Nikhyl Singhal.
- The Lean Startup: How Today's Entrepreneurs Use Continuous Innovation to Create Radically Successful Businesses - By Eric Ries.
- The Four Steps to the Epiphany - By Steve Blank.
- The Startup Owner's Manual: The Step-By-Step Guide for Building a Great Company - By Steve Blank and Bob Dorf.
- Business Model Generation: A Handbook for Visionaries, Game Changers, and Challengers - By Alexander Osterwalder and Yves Pigneur.
- Value Proposition Design: How to Create Products and Services Customers Want (Strategyzer) - By Alexander Osterwalder and Yves Pigneur.
- The Innovator's Dilemma: When New Technologies Cause Great Firms to Fail (Management of Innovation and Change) - By Clayton M. Christensen.
- Measure What Matters: How Google, Bono, and the Gates Foundation Rock the World with OKRs - By John Doerr.
- Positioning: The Battle for Your Mind - By Al Ries and Jack Trout.
Customer Research & User Experience / Tability
- The Product Manager's Guide to UX Research - By Katryna Balboni.
- Effective User Interviews - By Product HQ.
- Story-Based Customer Interviews - By Teresa Torres.
- Product Management Skills: User Research - By Carlos Gonzalez de Villaumbrosia.
- Inside the 6 Hypotheses that Doubled Patreon's Activation Success - By Brian Balfour.
- How to Use the Google HEART Framework to Measure and Improve Your App's UX - By Emily Bonnie.
- Continuous Discovery Habits: Discover Products that Create Customer Value and Business Value - By Teresa Torres.
- The Mom Test: How to talk to customers & learn if your business is a good idea when everyone is lying to you - By Rob Fitzpatrick.
- Evidence-Guided: Creating High Impact Products in the Face of Uncertainty - By Itamar Gilad.
- The Design of Everyday Things: Revised and Expanded Edition - By Don Norman.
- Observing the User Experience: A Practitioner's Guide to User Research - By Mike Kuniavsky.
- Don't Make Me Think: A Common Sense Approach to Web Usability - By Steve Krug.
Team Collaboration & Leadership / Tability
- The work is never just "the work" - By Dave Stewart.
- The Dos and Don'ts of Mentoring in Product - By Eira Hayward.
- Rickover's Lessons - By Lily Ottinger and Charles Yang.
- What is Good Product Strategy? - By Melissa Perri.
Product Metrics & Analytics / Tability
- SSEBITDA—A steady-state profit metric for SaaS companies - By Jason Cohen.
- In-depth: The AARRR pirate funnel explained - By PostHog.
Growth & Marketing / Tability
Product Management Fundamentals / Tability
- Inspired: How to Create Tech Products Customers Love - By Marty Cagan.
- Transformed: Moving to the Product Operating Model - By Marty Cagan.
- Product Operations: How successful companies build better products at scale - By Melissa Perri and Denise Tilles.
- Building Products for the Enterprise - By Blair Reeves and Benjamin Gaines.
- The Product Book - By Carlos Gonzalez de Villaumbrosia and Josh Anon.
- Decode and Conquer - By Lewis C. Lin.
Team Leadership & Management / Tability
- Radical Candor: Be a Kick-Ass Boss Without Losing Your Humanity - By Kim Scott.
- Creativity, Inc.: Overcoming the Unseen Forces That Stand in the Way of True Inspiration - By Ed Catmull and Amy Wallace.
Psychology & Behavioral Change / Tability
- Switch: How to Change Things When Change Is Hard - By Chip Heath and Dan Heath.
- Made to Stick: Why Some Ideas Survive and Others Die - By Chip Heath and Dan Heath.
- Influence: The Psychology of Persuasion - By Robert B. Cialdini.
Engineering & Technical / Tability
- High Output Management - By Andrew S. Grove.
- 7 Powers: The Foundations of Business Strategy - By Hamilton Helmer.
17. Awesome List
Front-End Development
- WebAssembly (⭐11) - A portable binary format for running code efficiently across platforms.
18. Awesome Readme
Tools
- Github Licenses Stats (⭐8) - This tool generates a dynamic SVG that shows the top licenses used across your GitHub repositories.
19. Guides
Programming Languages / Perl
20. Awesome Graphql
Go / React
- vibeGraphql (⭐1) - vibeGraphQL is a minimalistic GraphQL library for Go that supports queries, mutations, and subscriptions with a clean and intuitive API. It was vibe coded using ChatGPT o3 model.
- Thunder (⭐90) - A scalable microservices framework powered by Go, gRPC-Gateway, Prisma, and Kubernetes. It exposes REST, gRPC and Graphql
- grpc-graphql-gateway (⭐409) - A protoc plugin that generates graphql execution code from Protocol Buffers.
21. Awesome Transit
Proprietary (non-standard) vendor APIs / Rust
- TripGo API - REST API for multi-modal journey planning and real-time data by SkedGo.
Native Apps (open source) / Rust
- KDE Itinerary - App (Desktop and Android) for planning trips. It can find public transport routes, store them offline, add events to your trips, see the floor plan of train stations, and much more. Souce Code, GitHub (⭐47)
Native Apps (closed source) / Rust
SDKs / Rust
- SkedGo's TripKit SDKs - Open source SDKs for Android, iOS and React for accessing SkedGo's TripGo API, including trip planning UI components.
Transit Map Creation / Rust
- loom (⭐197) - Software suite for the automated generation of geographically correct or schematic transit maps.
Agency Tools / General GIS Applications for making transit visualizations
- RideSheet – A simple, spreadsheet-based tool for small demand-responsive transportation (DRT) services.
22. Awesome for Beginners
JavaScript
- material-ui (⭐96k) (label: good first issue)
React components for faster and easier web development. Build your own design system, or start with Material Design. - Next.js (⭐133k) (label: good first issue)
A minimalistic framework for universal server-rendered React applications - reactjs.org (⭐11k) (label: good first issue)
The documentation website for reactjs - Vue Router (⭐4.3k) (label: good first issue)
The official router for Vue.js.
Markdown
- The Odin Project Curriculum (⭐11k) (label: See Description)
An open-source curriculum for learning full-stack web development. There are a few "Type: Good First Issue" labelled issues, but any content addition/deletion issues seem reasonably beginner friendly.
PHP
- CodeIgniter (⭐5.7k) (label: good first issue)
A lightweight, fast PHP framework, it is easy to install and perfect for learning MVC architecture.
Rust
- Pyrefly (⭐3.2k) (label: good first issue)
A fast Python typechecker and IDE written in Rust.
23. Awesome Falsehood
Business
- Decimal Point Error in Etsy's Accounting System - The importance of types in accounting software: missing the decimal point ends up with 100x over-charges.
- Twenty five thousand dollars of funny money - Same error as above at Google Ads, or the danger of separating your pennies from your dollars, where $250 internal coupons turned into $25,000. My advice: get rid of integers and floats for monetary values. Use decimals. Or fallback to strings and parse them, don't validate.
Dates and Time
- ISO-8601,
YYYY
,yyyy
, and why your year may be wrong - String formatting of date is hard. - Why is subtracting these two times (in 1927) giving a strange result? - Infamous Stack Overflow answer about both complicated historical timezones, and how historical dates can be re-interpreted by newer versions of software.
Geography
- Falsehoods about Maps - Covers coordinates, projection and GIS.
- Falsehoods about Weather - Weather is location-dependent, and so full of edge-cases.
Networks
- Falsehoods about Networks - Covers TCP, DHCP, DNS, VLANs and IPv4/v6.
Software Engineering
- Falsehoods about authorization - Misconceptions about implementing permissions systems.
Transportation
- Falsehoods about Aviation - Aviation data are less normalized than you might think.
- My name causes an issue with any booking! - Old airline reservation systems considers the
MR
suffix asMister
and drops it.
24. Awesome Ddd
Blogs
- Aardling Blog - DDD and software design articles from Mathias Verraes and others.
Sample Projects / .NET (C#/F#)
- LexiQuest-Modular-DDD (⭐6) - Modular application built with Clean Architecture and DDD principles which is ready to quickly get splitted into microserves.
- Modular.StarterTemplate (⭐4) - Starter template for a modular application in Clean Architecture DDD style with synchronous interaction between modules within single transaction. Perfect for ERP applications.
Sample Projects / PHP
- DDD Modulith (⭐0) - A DDD Onion Architecture implementation with Symfony 7 as modulith.
Libraries and Frameworks / .NET
- Deveel Repository (⭐3) - A simple implementation of the Repository pattern for .NET, supporting MongoDB and Entity Framework, extending the model with further utilities (caching, paging, validation, etc.).
Libraries and Frameworks / PHP
- CodefyPHP Framework - A PHP framework for codefying and building complex applications using Domain-Driven Design, CQRS, and Event Sourcing.
25. Awesome Quantified Self
Applications and Platforms / Habits
- MissionMate - Virtual Habit Coach for in your groupchat (telegram). Log activities with photos or text, earn points, and compete with friends to build consistent habits together.
26. Awesome Creative Coding
Articles • Tutorials / Shaders • OpenGL • WebGL
- ThreeJS post-process example (⭐25) - example of post-processing effects in ThreeJS.
27. Awesome Generative Deep Art
Generative AI history, timelines, maps, and definitions
Critical Views about Generative AI
28. Awesome Dev Fun
Python
- gremllm (⭐579) - Always a good idea to add gremlins to your code in a modern fashion.
- Yell at the clouds MCP server (⭐0) - Have suppressed rage? Want to let it out by screaming at the sky? Have your AI agent tell someone to do it for you!
29. Awesome Magento2
Tools
- MageForge (⭐4) - Magento 2 Cli automatic Theme(s) Builder (Hyvä ready)
30. Awesome Esolangs
Languages
- Mindfck (⭐4) - High level language that transpiles to Brainfuck.
- Schoenberg - The MIDI Esoteric Programming Language.
- Unary Except Every Zero Is Replaced with the Title of This Programming Language or, Alternately, Is Replaced with the Smallest Counter-Example to the Goldbach Conjecture. Compilers and Interpreters Only Have to Implement the Former Option - Derivative of Unary in which every zero is replaced with the title of the programming language being discussed.
31. Awesome Board Games
Family
Takenoko
Takenoko: A long time ago at the Japanese Imperial court, the Chinese Emperor offered a giant panda bear as a symbol of peace to the Japanese Emperor. Since then, the Japanese Emperor has entrusted his court members (the players) with the difficult task of caring for the animal by tending to his bamboo garden.
In Takenoko, the players will cultivate land plots, irrigate them, and grow one of the three species of bamboo (Green, Yellow, and Pink) with the help of the Imperial gardener to maintain this bamboo garden. They will have to bear with the immoderate hunger of this sacred animal for the juicy and tender bamboo. The player who manages his land plots best, growing the most bamboo while feeding the delicate appetite of the panda, will win the game.
Players | Min. Age | Time |
---|---|---|
2 - 4 | 8+ | 45m |
32. Awesome Naming
Other
- Firmware - The ware between software and hardware.
33. Awesome Ansible
Blog posts and opinions
- Functional programming design patterns in Ansible code - Borrowing functional programming (FP) principles to improve Ansible code quality. How to adopt functional patterns like pure functions, clear separation of effects, immutability, composition, and lazy evaluation can make Ansible automation far easier to test, debug, understand, and extend.
34. Awesome Translations
Platforms / Localization and translation platforms
- Localit - A fast and intuitive localization platform with seamless GitHub/GitLab integration, AI-powered and human translation support, and a generous free plan.
35. Awesome Webxr
Development / Frameworks and Libraries
- JSAR-DOM (⭐10) A TypeScript re-implementation of WHATWG DOM, CSSOM and WebXR for XR applications built on top of Babylon.js.
Development / Other
- XR Fragments - A tiny specification for controlling any 3D model using URLs, based on existing metadata. Promoting hyperlinked WebXR storytelling using all 3D editors and viewers.
36. Awesome Openstreetmap
Tools / Browser Extensions
- better-osm-org (⭐121) - Userscript that adds visualization of changesets and many other useful features to OSM website.
- OpenStreetMap Tags Editor (⭐32) - Adds the ability to edit OSM object tags.
- OpenStreetMap Human-readable Wikidata - Shows descriptions and illustrations for wiki tags (Source Code (⭐9)).
- OpenSwitchMaps (⭐53) - Map service switcher for Firefox and fork (⭐0) with Manifest v3 support.
- JumpToOSMChangesetAnalyzer (⭐4) - Jump from OpenStreetMap changeset to changeset analyzer services.
Miscellaneous / Java
- OpenHistoricalMap - Mapping places throughout the world… throughout the ages, created using the OSM software platform. (Wiki)
37. Awesome Lowcode
Visual programming
- Rierino - Low-code backend microservice and AI agent development platform.
Misc
- Tachybase (⭐67) - Tachybase is a pluggable application framework., where developers can build complex application logic, while core developers focus on ensuring the stability of key modules and adapting to different environments.
38. ALL About RSS
RSS2ARCHIVE / For Android device
🏗️ Tools for parsing / decoding RSS / Webpage Monitor Services with capability of monitoring RSS Feed 1264
- Crawler-Buddy (⭐131): A server that parses RSS links, and provides output as standardized JSON. Provides feeds for input links
39. Awesome Nodejs
Packages / Job queues
- graphile-worker (⭐2k) - High performance PostgreSQL job queue.
40. Awesome Appimage
AppImage developer tools / Tools to convert from other package formats
- GMAppImager (⭐0) - Graphically Converts GameMaker Studio 2 games to AppImage bundles.
41. Awesome Mac
Reading and Writing Tools / Ebooks
- Readest (⭐9.7k) - Readest is an ebook reader with cross-platform access, powerful tools, and an intuitive interface.
Reading and Writing Tools / RSS
- Folo (⭐29k) 🧡 Next generation information browser.
Developer Tools / IDEs
- Windsurf - The first agentic IDE where developers and AI flow together for a magical coding experience.
Developer Tools / Developer Utilities
- ProcessSpy - A clean and powerful process monitor.
Terminal Apps / Databases
- KubeSwitch - The fastest way to switch between Kubernetes contexts and namespaces on macOS.
AI Client / Other Tools
- ChatGPT - A conversational AI system that listens, learns, and challenges
- Cherry Studio - A desktop client that supports multiple large language model (LLM) providers.
- Chatbox - User-friendly Desktop Client App for AI Models/LLMs (GPT, Claude, Gemini, Ollama...).
- Jan - An open-source alternative to ChatGPT that runs entirely offline on your computer.
- Witsy - desktop AI assistant / universal MCP client.
Communication / Collaboration and Team Tools
- Teams - Free online meetings and video calls
Download Management Tools / Audio Record and Process
- Free Download Manager - A powerful, easy-to-use, and completely free download accelerator and manager.
Utilities / Clipboard Tools
- uPaste - Smart clipboard history & snippets manager, record and organize your copy/paste history automatically. Then you can use your pasteboard content anytime, any where with elegant beautiful UI.
Utilities / Menu Bar Tools
- Quickgif - Quickly Find and Share GIFs.
Utilities / File Organization Tools
- Oka Unarchiver - Support RAR format, batch decompression of archives, password-protected archives, click one button to extract & archive..
Utilities / General Tools
- Vidwall - Supports setting 4K videos (MP4, MOV formats) as dynamic wallpapers.
Utilities / Productivity
- Mac Mouse Fix - A simple way to make your mouse better.
]
Utilities / Window Management
- DockDoor - Free and open source window peeking & alt-tab for macOS.
Gaming Software / System Related Tools
- Ryubing - A fork of the discontinued Switch emulator, Ryujinx.
42. Awesome Windows
Productivity
- Saga Reader (⭐299) - A Blazing-Fast and Extremely-Lightweight Internet Reader driven by AI.Supports fetching of search engine information and RSS.
Customization
- OpenShell (⭐7.9k) - Restores traditional Start Menu interface.
43. Awesome Ipfs
Tools
- IPFS-boot (⭐3) - Publish IPFS webapps which require user consent to update.
Debugging Tools & Learning
Pinning services
- Storacha - Super hot decentralized data at scale.
44. Awesome Gnome
Internet and Networking
- Turn On - Utility to send Wake On LAN (WoL) magic packets to devices in a network.
Productivity and Time
- Khronos - Log the time it took to do tasks.
Multimedia
- Drum Machine - Create and play drum beats.
System and Customization
- Bustle - D-Bus activity viewer that draws diagram sequences.
Utilities
- Echo - Simple utility to ping websites.
Other lists / Skeumorphic Icons
- Are we libadwaita yet - List of libadwaita-powered apps
- Awesome-GTK (⭐1k) - Collections of awesome native open-source GTK (4 and 3) applications.
45. Awesome Dotnet
ETL
- EtlBox.Classic (⭐11) - Lightweight ETL (extract, transform, load) library and data integration toolbox for .NET built on top of Microsoft TPL.Dataflow library.
Event aggregator and messenger
- LiteBus (⭐121) -An easy-to-use and ambitious in-process mediator providing the foundation to implement Command Query Separation (CQS)
Game
- Box2D.NET (⭐58) - A C# port of Box2D, a 2D physics engine for games, servers, and Unity3D
GUI / GUI - Framework
- Xamarin.Forms (⭐5.6k) - Build native UIs for iOS, Android and Windows from a single, shared C# codebase.
- Gtk# (⭐431) - Gtk# is a Mono/.NET binding to the cross platform Gtk+ GUI toolkit and the foundation of most GUI apps built with Mono
- QtSharp (⭐581) - Mono/.NET Bindings for Qt
- XWT (⭐1.4k) - A cross-platform UI toolkit for creating desktop applications with .NET and Mono
- Qml.Net (⭐1.4k) - A cross-platform Qml/.NET integration for Mono/.NET/.NET Core
- Lara (⭐158) - Lara Web Engine is a library for developing Web user interfaces in C# - (Blazor Server-Side Alternative)
- Neutronium (⭐1.4k) - Build .NET desktop applications using HTML, CSS, javascript and MVVM bindings such as with WPF.
- photino.NET (⭐1.1k) - Photino is a lightweight open-source framework for building native, cross-platform desktop applications with Web UI technology.
GUI / GUI - Themed Control Toolkits
- Modern UI for WPF - MUI (⭐2.6k) - Set of controls and styles to convert WPF applications into a great looking Modern UI apps.
- MaterialSkin (⭐3k) - Theming .NET WinForms, C# or VB.Net, to Google's Material Design principles.
- AdonisUI (⭐1.8k) - Lightweight UI toolkit for WPF applications offering classic but enhanced Windows visuals.
- Empty Keys UI - Multi-platform and multi-engine XAML based user interface library [Free][Proprietary]
GUI / GUI - other
- Callisto (⭐337) - A control toolkit for Windows 8 XAML applications. Contains some UI controls to make it easier to create Windows UI style apps for the Windows Store in accordance with Windows UI guidelines.
- WinApi (⭐840) - A simple, direct, ultra-thin CLR library for high-performance Win32 Native Interop with automation, windowing, DirectX, OpenGL and Skia helpers.
- ObjectListView - ObjectListView is a C# wrapper around a .NET ListView. It makes the ListView much easier to use and teaches it some new tricks
- DockPanelSuite - The Visual Studio inspired docking library for .NET WinForms
- AvalonEdit (⭐2k) - The WPF-based text editor component used in SharpDevelop
Misc / GUI - other
- Sep (⭐1.2k) - World's Fastest .NET CSV Parser. Modern, minimal, fast, zero allocation, reading and writing of separated values (
csv
,tsv
etc.). Cross-platform, trimmable and AOT/NativeAOT compatible. - ComputeSharp (⭐3k) - A a .NET library to run C# code in parallel on the GPU through DX12, D2D1, and dynamically generated HLSL compute and pixel shaders.
- ILGPU (⭐1.6k) - A JIT (just-in-time) compiler for high-performance GPU programs written in .Net-based languages.
ORM / GUI - other
- SqlSugar (⭐5.6k) - Another ORM library supports many RDBMS including MySql, SqlServer, Sqlite, Oracle, Postgresql - NOTE: This is not affiliated with Microsoft or .NET
Queue / GUI - other
- Streamiz (⭐503) - a .NET Stream Processing Library for Apache Kafka.
Scheduling / GUI - other
- Occurify (⭐60) - A powerful and intuitive .NET library for defining, filtering, transforming, and scheduling instant and period timelines.
- TickerQ (⭐632) - Lightweight, high-performance, reflection-free job scheduler for .NET with EF Core, cron/time-based execution, custom locking, and retry support.
- NCronJob (⭐181) - A Job Scheduler sitting on top of IHostedService in dotnet.
Search / GUI - other
- Lunr-Core (⭐569) - Lunr-core is a small, full text search library for use in small applications. It's a .NET port of LUNR.js.
- hOOt (⭐119) - Smallest full text search engine (lucene replacement). built from scratch using inverted Roaring bitmap index, highly compact storage, operating in database and document modes
- ZoneTree.FullTextSearch (⭐86) - efficient full-text search library. extends ZoneTree. It is fast, embedded search engine suitable for applications that require high performance and do not rely on external databases.
Static Site Generators / GUI - other
- AspNetStatic (⭐135) - Transform ASP.NET Core web app into a static site generator.
Tools / GUI - other
- BouncyHSM (⭐113) - A software simulator of HSM and smartcard simulator with HTML UI, REST API and PKCS#11 interface.
Source Generator / GUI - other
- Vogan (⭐1.2k) - A value object generator with analizers.
- Dunet (⭐745) - A simple source generator for discriminated unions in C#.
46. Awesome Deno
Modules / CLI utils
- commit-sage-cli (⭐6) - Generates Conventional Commit messages with AI based on Git repository changes.
47. Awesome Nix
Development / Discovery
- treefmt-nix (⭐427) - A formatter that allows formatting all your project files with a single command, all via a single
.nix
file.
NixOS Modules / Zig
- Stylix (⭐1.7k) - System-wide colorscheming and typography for NixOS.
48. Awesome Integration
Projects / API Management
- Gravitee.io API Management (⭐273) (⭐273) - A lightweight, open-source platform offering flexible API governance, robust security, and straightforward configuration.
- Traefik API Management - Provides an API Management as Code platform to DevOps and Platform Engineering Teams who favor less ClickOps and more GitOps-driven API lifecycle workflows.
- WSO2 API Manager (⭐906) (⭐906) - A fully open-source API platform offering robust governance, flexible deployment, and community-driven innovation.
Projects / API Design
- Apicurio Studio (⭐1k) (⭐1k) - A web-based, open-source API design tool that leverages the OpenAPI specification.
- OpenAPI Diff (⭐951) (⭐953) - Compare OpenAPI specs with version control and visualize the differences in HTML or Markdown format.
- OpenAPI Generator (⭐24k) (⭐24k) - Automate the creation of API client libraries, server stubs, documentation and config files with this powerful OpenAPI Spec tool.
- OpenAPI Style Validator (⭐218) (⭐218) - Ensure that your OpenAPI specs meet your organization's standards with this flexible and customizable style validator.
- Swagger Editor (⭐9.2k) (⭐9.2k) - Create, describe, and document your API with ease using this open source editor built specifically for OpenAPI-based APIs.
- Zally (⭐926) (⭐926) - Ensure the quality of your OpenAPI specs with this linter tool that provides extensive analysis and feedback.
Projects / API Documentation
- OpenAPI Explorer (⭐334) (⭐334) - Creates intuitive, interactive user interfaces from OpenAPI specs, simplifying API exploration and testing.
- RapiDoc (⭐1.8k) (⭐1.8k) - Produces highly customizable, interactive API documentation with responsive design and rich configuration options.
- Zudoku (⭐256) (⭐262) - A customizable framework built on OpenAPI, focused on delivering exceptional developer experiences through quality documentation.
Projects / API Gateway
- Apache ShenYu (⭐8.6k) (⭐8.6k) - A Java-native gateway excelling in protocol conversion, service proxying, and comprehensive API governance.
- Envoy Gateway (⭐1.9k) (⭐2k) - CNCF Envoy-based gateway with Gateway API, mTLS, JWT, and other built-ins.
- Gloo Edge (⭐106) (⭐106) - An Envoy Proxy–based gateway offering advanced traffic control, enhanced security, and observability for microservices ecosystems.
- Kong API Gateway (⭐41k) (⭐41k) - A scalable, cloud-native gateway that simplifies API management through extensive plugin support and seamless microservices integration.
- Traefik API Gateway (⭐55k) (⭐56k) - Combines Traefik Proxy, a fully declarative application proxy with enterprise-grade access control, distributed security, and premium integrations.
Projects / API Testing
- MQ clients
- JMSToolBox (⭐216) (⭐216) - A universal JMS client offering broad compatibility and streamlined messaging testing across various brokers.
- kcat (⭐5.5k) (⭐5.6k) - A lightweight command-line tool for Apache Kafka, providing efficient message production and consumption.
- MQTT Explorer (⭐3.4k) (⭐3.5k) - A detailed MQTT client delivering structured topic visualization and intuitive debugging.
- Offset Explorer - A comprehensive GUI for managing Apache Kafka clusters with user-friendly monitoring and administration tools.
- Service Bus Explorer (⭐2.1k) (⭐2.1k) - An advanced GUI for Azure Service Bus that enables in-depth testing and seamless management of topics, queues, and subscriptions.
- Testing tools and frameworks
- Apache JMeter (⭐8.8k) (⭐8.9k) - A feature-rich tool for load testing and performance analysis across diverse web applications and services.
- Gatling (⭐6.7k) (⭐6.7k) - A powerful load testing framework with a developer-friendly DSL that delivers detailed performance metrics.
- Grafana k6 (⭐28k) (⭐28k) - Open-source, JS-scriptable load-testing tool for CI/CD.
- Karate (⭐8.5k) (⭐8.6k) - A unified testing framework that merges API automation, mocking, and performance testing with simple, expressive syntax.
- Pyresttest (⭐1.1k) (⭐1.2k) - A Python-based testing tool offering easy YAML/JSON-driven REST API testing and microbenchmarking.
- REST Assured (⭐6.9k) (⭐7k) - A Java DSL that simplifies REST API testing with intuitive syntax and seamless integration into CI pipelines.
- Schemathesis (⭐2.5k) (⭐2.6k) - A Python library for property-based testing of API schemas, ensuring reliability through robust edge-case detection.
- Taurus (⭐2k) (⭐2.1k) - An open-source automation framework that simplifies continuous testing with intuitive configuration and integration support.
Projects / BRE
- OpenL Tablets (⭐172) (⭐172) - Flexible open-source decision management system that simplifies defining and executing business rules and decision tables.
- ZEN Engine (⭐1.1k) (⭐1.2k) - A cross-platform, open-source Business Rules Engine written in Rust that executes JSON Decision Models through interconnected graphs of decision tables, functions, and expressions.
Projects / Data Mapping Solution
- AtlasMap (⭐203) (⭐203) - Interactive web-based tool that simplifies mapping across Java, XML, CSV, and JSON data sources with an intuitive interface.
- JSLT (⭐670) (⭐670) - Powerful JSON query and transformation language inspired by jq and XPath, designed for rapid and flexible data manipulation.
Projects / CDC
- Debezium (⭐11k) (⭐12k) - Open-source distributed platform for change data capture that turns your existing databases into event streams for real-time data integration.
- IBM InfoSphere CDC - Enterprise CDC solution that captures and delivers data changes with minimal impact on source systems and low latency.
- Maxwell's daemon (⭐4.1k) (⭐4.2k) - An open-source CDC tool for MySQL that reads database binlogs and streams row-level changes as JSON to systems like Kafka, Kinesis, or other destinations.
- Oracle GoldenGate - Enterprise-grade real-time data integration and replication solution that provides comprehensive CDC capabilities for heterogeneous databases and cloud platforms.
- Qlik Replicate - Universal data replication software that provides real-time CDC capabilities for modern data architecture and analytics.
Projects / ESB
- WSO2 Enterprise Integrator (⭐384) (⭐384) - API-centric, cloud-native integration platform offering robust, distributed capabilities for modern software architectures.
Projects / ETL
- Apache InLong (⭐1.4k) (⭐1.4k) - One-stop, full-scenario integration framework for massive data that supports data ingestion, synchronization, and subscription with real-time ETL capabilities.
- Apache NiFi (⭐5.4k) (⭐5.5k) - Automated data integration tool with a visual interface that seamlessly extracts, transforms, and delivers data across systems.
- Estuary Flow (⭐768) (⭐770) - Versatile, scalable platform that provides both real-time and batch data integration for ETL and ELT pipelines.
- Fivetran - Managed ELT that syncs 700 + sources to data warehouses.
Projects / Integration Frameworks
- Frank!Framework (⭐141) (⭐142) - Low-code Java messaging framework that simplifies system connectivity and data integration through configurable XML setups.
Projects / iPaaS
- TIBCO Cloud Integration - Flexible, API-led and event-driven platform that empowers you to integrate virtually any system quickly.
Projects / MaaS
- Azure Event Hubs - A high-throughput, fully managed event-ingestion (publish-subscribe) service, supports the Kafka protocol natively.
Projects / MFT
- JSCAPE MFT Server - Secure, protocol-agnostic platform with automation and compliance.
Projects / MDM
- TIBCO EBX - Comprehensive platform for governing and managing shared data assets, ensuring consistency and enabling smarter decisions.
Projects / Messaging
- Apache ActiveMQ Artemis (⭐973) (⭐973) - Next-generation message broker from Apache ActiveMQ with high performance, clustering support, and multi-protocol capabilities.
- Apache Qpid (⭐59) (⭐59) - AMQP-compliant messaging tool with multi-language support for enterprise-grade message delivery.
- Centrifugo (⭐9k) (⭐9.1k) - Scalable real-time messaging server that minimizes delay in delivering events to online users.
- Eclipse Mosquitto (⭐9.8k) (⭐9.9k) - Lightweight MQTT broker optimized for low-power devices with robust encryption and authentication.
- EMQX (⭐15k) (⭐15k) - High-performance MQTT broker built for IoT and industrial applications, ensuring scalable message delivery.
- LavinMQ (⭐749) (⭐749) - High-performance message queue server implementing AMQP 0-9-1 and MQTT protocols, built with Crystal for exceptional throughput and minimal resource usage.
- NSQ (⭐25k) (⭐25k) - Realtime distributed messaging platform designed to operate at scale, handling billions of messages per day with decentralized topology.
Projects / RPA
- OpenRPA (⭐2.6k) (⭐2.6k) - Enterprise-grade, open-source robotic process automation suite.
- Robot Framework (⭐10k) (⭐11k) - An open-source automation framework with human-friendly keyword syntax that enables both technical and non-technical users to create test scripts and automate business processes cost-effectively, supporting web, API, mobile, and database automation through extensive libraries and integrations.
- TagUI (⭐6k) (⭐6k) - An open-source RPA tool that democratizes automation through natural language scripting in 20+ human languages, enabling non-programmers to automate web, desktop, and data tasks while integrating AI/ML capabilities via Python and R for intelligent process automation.
Projects / Self-Service Integration
- n8n (⭐116k) (⭐118k) - Open-source workflow automation tool with 400+ connectors, giving you full control over your data and integrations.
Projects / Workflow engine
- Azkaban (⭐4.5k) (⭐4.5k) - Distributed scheduler that simplifies managing job dependencies in large-scale data processing environments.
- Bonita (⭐167) (⭐167) - Open-source BPMN engine with a designer interface to build and automate complex business processes.
- Cadence (⭐8.7k) (⭐8.8k) - Fault-tolerant, stateful platform that reliably orchestrates long-running workflows and complex applications.
- Elsa Core (⭐7.1k) (⭐7.2k) - .NET Core library that integrates seamlessly into any application to execute and manage workflows.
- Flowable (⭐8.5k) (⭐8.6k) - Compact, efficient set of open-source engines for automating and scaling enterprise workflows.
Resources / API Specification
- CloudEvents (⭐5.4k) (⭐5.4k) - A specification for describing event data in common formats to provide interoperability across services, platforms and systems.
Resources / Certifications
- Oracle Cloud Platform Application Integration 2025 Certified Professional - Validate your understanding of Oracle Application Integration to implement these Cloud services.
- TIBCO BusinessWorks Associate - Checks the understanding of Business Studio and TIBCO Cloud Integration, designing application components (modules, WSDL, REST API), developing integration applications, and testing, deploying, and managing applications.
- TIBCO BusinessWorks Certified Professional - Validates the ability to design, develop, deploy, monitor, and manage TIBCO BusinessWorks applications of average complexity with minimal supervision.
- TIBCO BusinessWorks Container Edition Certified Professional - Validates the ability to develop, deploy, and manage TIBCO BusinessWorks Container Edition applications of average complexity with minimal supervision.
- TIBCO BPM Enterprise Associate - Checks the understanding of TIBCO BPM's features and capabilities, developing and managing business processes, and deploying and testing process applications.
- TIBCO BPM Enterprise Certified Professional - Validates the ability to design, develop, deploy, and manage business processes using TIBCO BPM Enterprise Suite.
- TIBCO Cloud Associate Certification - Validates the skills and knowledge required to work with TIBCO Cloud, including its key components and features.
- TIBCO Cloud API Management Associate - Covers topics such as API definition creation and testing, API key authentication, and using the Developer Portal and I/O docs.
- TIBCO Cloud API Management Certified Professional - Validates the ability to implement TIBCO Cloud Mesh, OAuth-based security, and manage SOAP services.
- TIBCO Cloud Integration Associate - Validates the skills and knowledge required to work with TIBCO Cloud Integration, including its Connect, Develop, and Integrate capabilities.
- TIBCO Cloud Integration - Connect Associate - Checks the usage of Connect capability of TIBCO Cloud Integration, installing On-Premise Agent, creating connections and integration apps, and configuring flows.
- TIBCO Cloud Integration - Connect Certified Professional - Checks the creation and management of connections, ensuring connection security, and troubleshooting issues related to connections in TIBCO Cloud Integration.
- TIBCO Cloud Integration Certified Professional - Checks the knowledge about capabilities and benefits, integrating, developing, and connecting applications, creating APIs using the API Modeler and Mock functionality, and more.
- TIBCO Messaging Associate - Covers topics such as TIBCO Enterprise Message Service (EMS), TIBCO FTL, TIBCO eFTL, as well as other messaging technologies such as Apache Kafka, Apache Pulsar, and Eclipse Mosquitto.
- TIBCO Messaging Certified Professional - Validates the skills and knowledge required to work with TIBCO Messaging and its components, including TIBCO Enterprise Message Service (EMS), TIBCO FTL, and TIBCO eFTL.
Resources / Data Formats
- Apache Avro (⭐3.1k) (⭐3.1k) - Data serialization system that provides compact, fast, and efficient serialization of structured data. It supports schema evolution, allows for efficient data compression, and is designed to work well with big data processing frameworks.
- NDJSON (⭐751) (⭐752) - A standard for delimiting JSON objects in stream protocols. It allows for efficient processing of large JSON datasets and is widely used in big data processing.
- YAML (⭐399) (⭐399) - A human-friendly and easy-to-read data serialization format that is widely used for configuration files and data exchange. It supports rich data types and is compatible with most programming languages.
Resources / Structure and Validation
- JSON Schema (⭐4.3k) (⭐4.4k) - A powerful tool for validating the structure of JSON data. JSON Schema enables developers to ensure that JSON data conforms to a specific structure, making it easier to process and manipulate.
49. Awesome Low Code
Platforms / Citizen Automation and Development Platform
- Postman Flows - Postman Flows low-code editor to prototype, build, and deploy API-first apps in a collaborative environment. Create flow modules that automate tasks, integrate systems, and showcase your APIs to others on your team or the entire world with the Postman API Network.
50. Awesome Capacitor
Other plugins
- Shamir (⭐5) - Shamir's Secret Sharing cryptographic algorithm.
51. Awesome Capacitorjs
Plugins / Community Plugins
- capacitor-app-attest (⭐2) - Apple Attest with Ionic Capacitor
- capacitor-live-activities (⭐4) - Capacitor plugin to use Live Activities on iOS 16.2+.
- capacitor-lottie-splash-screen (⭐6) - Capacitor plugin to use Lottie animations as splash screen.
- @capacitor-firebase/functions - Capacitor plugin for Firebase Cloud Functions.
- @capacitor-mlkit/document-scanner - Unofficial Capacitor plugin for ML Kit Document Scanner.
- @capacitor-mlkit/subject-segmentation - Unofficial Capacitor plugin for ML Kit Subject Segmentation.
- @capawesome-team/capacitor-audio-recorder - Capacitor plugin for seamless audio recording using the device's microphone.
- @capawesome-team/capacitor-biometrics - Capacitor plugin to request biometric authentication, such as using face recognition or fingerprint recognition.
- @capawesome-team/capacitor-bluetooth-low-energy - Capacitor plugin for Bluetooth Low Energy (BLE) communication.
- @capawesome-team/capacitor-contacts - Capacitor plugin to read, write, or select device contacts.
- @capawesome-team/capacitor-secure-preferences - Capacitor plugin to securely store key/value pairs.
- @capawesome-team/capacitor-speech-recognition - Capacitor plugin to transcribe speech into text.
- @capawesome-team/capacitor-speech-synthesis - Capacitor plugin for synthesizing speech from text.
- @capawesome-team/capacitor-wifi - Capacitor plugin to manage Wi-Fi connectivity.
- @capawesome-team/capacitor-zip - Capacitor plugin to zip and unzip files and directories.
- @capawesome/capacitor-android-edge-to-edge-support - Capacitor plugin to support edge-to-edge display on Android.
- @capawesome/capacitor-app-review - Capacitor plugin that allows users to submit app store reviews and ratings.
- @capawesome/capacitor-app-shortcuts - Capacitor plugin to manage app shortcuts and quick actions.
- @capawesome/capacitor-asset-manager - Capacitor plugin to access native asset files.
- @capawesome/capacitor-live-update - Capacitor plugin that allows you to update your app remotely in real-time without requiring users to download a new version from the app store, known as Over-the-Air (OTA) updates.
- @capawesome/capacitor-posthog - Unofficial Capacitor plugin for PostHog.
- @capawesome/capacitor-screenshot - Capacitor plugin for taking screenshots.
- @capawesome/capacitor-torch - Capacitor plugin for switching the flashlight on and off.
- capacitor-screenshot (⭐18) - Capacitor plugin to take screenshots.
Plugins / Official Plugins
- @capacitor/file-viewer - The FileViewer API provides mechanisms for opening files and previewing media.
- @capacitor/file-transfer - The FileTransfer API provides mechanisms for downloading and uploading files.
52. Awesome Javascript
SDK / Other
- OpenAI SDK (⭐9.5k) - Official JavaScript / TypeScript library for the OpenAI API.
WebSockets / Other
- ws (⭐22k) Simple to use, blazing fast and thoroughly tested WebSocket client and server for Node.js.
53. Awesome Eslint
Plugins / Practices and Specific ES Features
- eslint-plugin-error-cause (⭐14) - A plugin to preserve original error context when re-throwing exceptions.
- Math (⭐13) - ESLint plugin related to Math object and Number.
54. Awesome Fp Js
Resources / Articles
- A Monad in Practicality: First-Class Failures – A walk through some practical use cases for specific monadic structures in JavaScript: use the
Maybe
monad to handle simple failure cases and model more complex scenarios with theEither
monad or theValidation
applicative functor.
55. Awesome Circuitpython
Art / Educational
- Python Cheat Sheet - An up to date, consise reference for Python (regular Python or CPython) syntax
56. Awesome Micropython
Communications / IoT
- aiomqttc - Asynchronous MQTT Client for Micropython AND CPython.
57. Awesome Rust
Applications
- clash-verge-rev/clash-verge-rev (⭐65k) - A cross-platform, modern Clash GUI based on tauri & rust, supporting Windows, macOS, and Linux.
- Edit (⭐12k) - A simple editor for simple needs.
Applications / Blockchain
- Kaspa (⭐653) - The fastest, open-source, decentralized & fully scalable Layer-1 in the world.
Applications / Database
- Turso (⭐12k) - Turso Database is an in-process SQL database, compatible with SQLite.
Applications / Finance
- klirr (⭐75) [klirr] - Zero-maintenance and smart FOSS generating beautiful invoices for services and expenses.
Applications / Games
- topheman/snake-pipe-rust (⭐13) - A snake game in the terminal based on stdin/stdout (+tcp and unix domain sockets)
Applications / Image processing
- oxipng (⭐3.4k) [oxipng] - Multithreaded PNG optimizer written in Rust.
Applications / Operating systems
- asterinas/asterinas (⭐3.4k) - A secure, fast, and general-purpose OS kernel that provides Linux-compatible ABI.
Applications / System tools
- matheus-git/systemd-manager-tui (⭐571) [systemd-manager-tui] - A program for managing systemd services through a TUI (Terminal User Interfaces).
Applications / Text processing
- loki_text (⭐0) [loki_text] - String manipulation library with pattern searching, text transformation, and multiple string search algorithms (KMP, Boyer-Moore, Aho-Corasick, etc.)
Applications / Utilities
- Eoin-McMahon/Blindfold (⭐85) [Blindfold] - A simple CLI tool for generating
.gitignore
files quickly and easily.
Development tools / Web Servers
- Forge (⭐3.6k) - A terminal-based AI pair programmer for code generation and editing.
Development tools / Build system
- tracemachina/nativelink (⭐1.4k) - NativeLink is a Backend Remote Execution platform written in rust for client build systems such as Buck2, Bazel, Pants, etc..
Development tools / Static analysis
- RAPx (⭐89) - A platform that helps Rust programmers develop and use advanced static analysis tools beyond those provided by the rustc compiler.
Development tools / Transpiling
- aleph-lang/aleph_ollama (⭐0) [aleph_ollama] - AI-powered source code translation tool using local Ollama API.
Libraries / Bioinformatics
- polars-bio (⭐69) - Blazing-Fast Bioinformatic Operations on Python DataFrames
Libraries / Compression
- paxit (⭐0) [paxit] - Flexible library for compressing and decompressing files using various algorithms (zip, tar, gzip, xz, zst, etc.) with modular design for easy extension
Libraries / Cryptography
- kn0sys/ecc-rs (⭐0) - Intuitive library for elliptic curve cryptography tutorials
Libraries / Data streaming
- swim-rust (⭐345) [swim-rust] - Self-contained distributed software platform for building stateful, massively real-time streaming applications.
Libraries / Data visualization
- blitzar-tech/egui_graphs (⭐546) [egui_graphs] - Interactive graph visualization widget powered by egui and petgraph.
Libraries / Encoding
- vitiral/stfu8 (⭐25) [stfu8] - Sorta Text Format in UTF-8
Libraries / Game development
- Tatami
- giraffekey/tatami (⭐31) [tatami] - A roguelike dungeon generation algorithm.
Libraries / Scripting
- giraffekey/xylo (⭐68) [xylo-lang] - A functional programming language for procedural art.
Libraries / Web programming
- HTTP Client
- 0x676e67/wreq (⭐380) - An ergonomic Rust HTTP Client with TLS fingerprint.
- alexcrichton/curl-rust (⭐1.1k) - libcurl bindings
- async-graphql (⭐3.5k) - A GraphQL server library
- c410-f3r/wtx (⭐303) - HTTP/2 client framework
- DoumanAsh/yukikaze [yukikaze] - Beautiful and elegant Yukikaze is little HTTP client library based on hyper.
- ducaale/xh (⭐6.7k) - Friendly and fast tool for sending HTTP requests
- graphql-client (⭐1.2k) - Typed, correct GraphQL requests and responses.
- hyperium/hyper (⭐15k) - an HTTP implementation
- plabayo/rama (⭐699) - A modular service framework to move and transform your network packets, can be used among other things, to build clients with TLS, JA3/JA4, H2 and QUIC/H3 fingerprint impersonation
- seanmonstar/reqwest (⭐11k) - an ergonomic HTTP Client.
- 0x676e67/wreq (⭐380) - An ergonomic Rust HTTP Client with TLS fingerprint.
58. Awesome Composer
Packagist-compatible repositories / IRC
- RepoFlow - Simple and fast platform for hosting private Composer registries. Also supports Docker, npm, PyPI, Maven, and RubyGems. Offers free options for both cloud and self-hosted setups.
Support / IRC
- IRC channels are on
irc.freenode.org
: #composer for users and #composer-dev for development.
Services / IRC
- Dependabot - Dependabot is a dependency update service. It monitors and updates your dependencies by sending a pull-request. The service is free for public repos and personal account repos.
Packagist Mirrors / IRC
- Global, CloudFlare - packagist.pages.dev
59. Awesome Scala Native
File Formats and Parsers
- uPickle (⭐747) - uPickle: a simple, fast, dependency-free JSON & Binary (MessagePack) serialization library for Scala
Databases
- scala-native-jdbc (⭐10) - Port of the database access layer JDBC to Scala Native.
- skunk (⭐1.6k) - A data access library for Scala + Postgres.
60. Awesome Elixir
Artificial Intelligence
- AshAI (⭐104) - AI and LLM toolkit for Ash applications. MCP server, MCP dev tools, vector embeddings, chat interfaces, and more.
Frameworks
- Hologram (⭐674) - Full stack Elixir web framework that intelligently transpiles Elixir client-side code to JavaScript.
HTTP
- req (⭐1.2k) - A batteries-included HTTP client for Elixir.
61. Awesome Cpp
Frameworks
- PhotonLibOS (⭐1k) - A comprehensive C++ framework featuring efficient user-space threading (coroutine with work-stealing), I/O, networking, RPC, HTTP, etc., and used extensively in Alibaba. It is compatible with C++ 14/17/20/23, Linux, MacOS, x86-64, ARM64, gcc and clang. [Apache2] website
Debug
- utl::profiler (⭐296) - Singe-header profiler for C++17. [MIT]
Game Engine
- Hazel Game Engine (⭐12k) - Hazel is primarily an early-stage interactive application and rendering engine for Windows. [Apache-2.0 license]
Graphics
- olive.c (⭐2.1k) - Simple 2D Graphics Library. [MIT]
Logging
- Abseil Logging - The Abseil Logging library provides facilities for writing log messages to stderr, files, or other sinks. [Apache-2.0]
- ng-log (⭐35) - C++14 library for application-level logging. [BSD-3-Clause]
62. Awesome D
Core Utilities
- NuMem (⭐31) - No-GC memory managment utilities for DLang.
- NuLib (⭐4) - D "standard" library built ontop of numem.
- Joka (⭐11) - A nogc utility library.
Web Frameworks
- Apache Thrift - A lightweight, language-independent, featureful RPC framework. Thrift provides clean abstractions for data transport, data serialization, code generation, and application level processing. Apache Thrift Page
Data Serialization
- newxml (⭐8) - Successor of std.experimental.xml. DOM compatible, and also has a SAX parser.
GUI Libraries
- giD (⭐25) - GObject Introspection D Package Repository.
- Fluid - A declarative cross-platform user interface library for D.
GUI Applications
- Inochi Session (⭐342) - Application that allows streaming with Inochi2D puppets.
Game Bindings
- raylib-d (⭐76) - D bindings for raylib.
- sokol-d (⭐19) - D bindings for the sokol headers.
- DAllegro5 (⭐44) - D binding/wrapper to Allegro 5, a modern game programming library.
- BindBC - Bindings compatible with
-betterC
and@nogc
, using bindbc-loader (⭐26).- OpenGL (⭐41) - Graphics API
- GLFW 3 (⭐42) - Window/Input library
- SDL 2 (⭐116) - Multimedia library
- SDL2_gfx (⭐1) - Drawing primitives for SDL2
- SFML 2 (⭐12) - Multimedia library
- Imgui (⭐20) - Immediate mode GUI
- Nuklear (⭐44) - Immediate mode GUI
- raylib3 (⭐17) - Game library
- bgfx (⭐21) - Cross-Platform renderer
- WebGPU (⭐30) - Modern GPU API
- Zstandard (⭐2) - Fast compression
- nanomsg-next-gen (⭐1) - Messaging library
- OpenAL (⭐8) - Audio library
- SoLoud (⭐8) - Audio library
- KiWi (⭐4) - UI widget toolkit
- NanoVG (⭐3) - Vector graphics
- Blend2D (⭐4) - Vector graphics
- Lua (⭐17) - Scripting language
- JoyShockLibrary (⭐2) - Gamepad/Gyro input
- Newton Dynamics (⭐9) - Physics library
- FreeImage (⭐7) - Image loading
- FreeType (⭐18) - Font rendering
- HarfBuzz (⭐1) - Text shaping
Game Libraries
- InMath (⭐9) - Games math library for D.
- PixelPerfectEngine (⭐103) - 2D graphics engine written in D.
- HipremeEngine (⭐125) - Cross Platform D-Lang Game Engine with scripting support.
Games
- Worms Within - A bite-sized escape room game.
- Clean & Haunted - Clean a spooky haunted house.
- Runani - An endless runner game where you help cute animals.
- A Short Metamorphosis - A cute visual novel about looking at an egg.
63. Awesome Cl
MCP servers
- 40ants-MCP (⭐33) - a framework for building Model Context Protocol servers in Common Lisp.
- Lisply MCP (⭐34) - a generic Node.js wrapper meant to work with pretty much any language backend which can support "eval" and http .
- By default, it comes configured to work with an existing reference-implementation backend CL-based container image which it will pull and run on-demand.
JSON
- parcom/json (⭐65) - An extension to
parcom
for simple, fast, no-dependency JSON parsing.
TOML
- parcom/toml (⭐65) - An extension to
parcom
for simple, no-dependency TOML parsing. - clop (⭐23) - A 1.0-compliant TOML parser.
XML
- parcom/xml (⭐65) - An extension to
parcom
for simple, fast XML parsing.
HTTP Servers / Clack plugins
- hismetic (⭐0) - Security for Clack-based web applications. Expat.
64. Awesome Ada
Frameworks / Apache License
- libgfxinit (⭐25) - A graphics initialization (aka modesetting) library for embedded environments, implemented in SPARK.
65. Awesome V
Graphics
- svgg (⭐6) - V module to load and resterize svg file into
gg.Image
object.
Web
- sessions (⭐7) - Web-framework-agnostic sessions library.
66. Awesome Zig
Concurrency
- floscodes/coroutinez (⭐2) - Small runtime for running tasks using coroutines.
Linters
- KurtWagner/zlinter (⭐15) - Linter that integrates from source into your
build.zig
- DonIsaac/zlint (⭐199) - Linter
- nektro/ziglint (⭐99) - Linting suite
67. Awesome Embedded Rust
Runtime Crates / Real-time tools
cortex-m-rt
Support for Cortex-Mcortex-a-rt
Support for Cortex-Acortex-r-rt
Support for Cortex-Rriscv-rt
Support for RISC-Vesp-riscv-rt
Support for RISC-V devices from Espressif (ESP32)xtensa-lx-rt
Support for Xtensa LX (ESP32)mips-rt
Support for MIPSmsp430-rt
Support for MSP430
68. Awesome Privacy
Analytics
- Rybbit - Open-source and privacy-friendly alternative to Google Analytics that is 10x more intuitive.
Bookmarking
- Grimoire (⭐2.5k) - Modern, open source, self-hosted bookmark manager.
File Management and Sharing
- scrt.link - End-to-end encrypted file transfer. Up to 100GB and 30 days retention. Stored in Switzerland.
Minecraft
- Luanti - An open source voxel game engine with many features.
- Mineclonia - Survival sandbox game inspired by Minecraft. Fork of MineClone2 with focus on stability, multiplayer performance and features.
Maps and Navigation
- CoMaps - A community-led free & open source maps app based on OSM
Password Managers
- AliasVault - An open source E2EE password & alias manager with a built-in email alias server
- CarryPass - Zero-knowledge PWA password manager with deterministic generation, encrypted vaults, and team collaboration. (Source (⭐8))
MIT
Pastebin and Secret Sharing
- scrt.link - Share a secret. End-to-end encrypted. Ephemeral. Open-source.
Self-hosted
- Immich (⭐70k) - Self-hosted photo and video backup solution directly from your mobile phone.
VPNs / Alternative clients/modifications of Discord:
69. Awesome Pentest
Social Engineering / Social Engineering Tools
- GitPhish (⭐140) - GitHub Device Code phishing security assessment tool with dynamic device-code generation and automated landing page deployment.
70. Awesome Cyber Security University
Free Beginner Blue Team Path / Level 3 - Beginner Forensics, Threat Intel & Cryptography
- Threat Intelligence 101 - Introduction to Cyber Threat Intelligence.
- Threat Intelligence Tools - Explore different OSINT tools used to conduct security threat assessments and investigations.
71. Android Security Awesome
Tools / Dynamic Analysis Tools
- adbsploit (⭐837) - tools for exploiting device via ADB
Tools / Reverse Engineering
- PhoneSpolit-Pro (⭐5.2k) - An all-in-one hacking tool to remotely exploit Android devices using ADB and Metasploit Framework to get a Meterpreter session.
- APKLab (⭐3.2k) - plugin for VS code to analyze APKs
Tools / Misc Tools
72. Awesome Executable Packing
📚 Literature / Documentation
- 🌎 Awesome LLVM security (⭐724)
- 🌎 Defacto2
- 📌 Explained: Packer, crypter, and protector
- 📜 Implementing your own generic unpacker
- 🌎 MITRE ATT&CK | T1027.002 | obfuscated files or information: Software packing - Enterprise
- 🌎 MITRE ATT&CK | T1406.002 | obfuscated files or information: Software packing - Mobile
- 📊 NotPacked++: Evading static packing detection
- 🌎 OllyDbg OEP finder scripts (⭐255)
- 📊 Packing-box: Improving detection of executable packing
- 📄 Unpacking binary 101
- 📌 Unpacking the potential of "Packing box"
- 📌 Unpacking, reversing, patching
- 📌 Writing a PE packer
📚 Literature / Scientific Research
- 📰 Adversarial attacks against windows PE malware detection: A survey of the state-of-the-art (December 2021)
- 📰 All-in-one framework for detection, unpacking, and verification for malware analysis (January 2019)
- 📰 Anti-emulation trends in modern packers: A survey on the evolution of anti-emulation techniques in UPA packers (May 2018)
- 📕 Assessing static and dynamic features for packing detection (October 2024) ⭐
- 🎓 Building a malware mutation tool (June 2024) ⭐
- 🎓 Building a mutation tool for binaries: Expanding a dynamic binary rewriting tool to obfuscate malwares (June 2023) ⭐ ⭐
- 📓 Certified robustness of static deep learning-based malware detectors against patch and append attacks (November 2023) ⭐
- 📊 Dealing with virtualization packers (May 2008)
- 🔖 Deceiving end-to-end deep learning malware detectors using adversarial examples (January 2019)
- 📓 Deceiving portable executable malware classifiers into targeted misclassification with practical adversarial examples (March 2020)
- 📓 Detection of packed malware (August 2012)
- 📰 An efficient algorithm to extract control flow-based features for ioT malware detection (April 2021)
- 📓 Exploring adversarial examples in malware detection (May 2019)
- 📰 Feature selection for packer classification based on association rule mining (August 2024) ⭐
- 📓 Highlighting the impact of packed executable alterations with unsupervised learning (April 2025)
- 📰 Mal-xtract: Hidden code extraction using memory analysis (January 2017)
- 📓 Malware images: Visualization and automatic classification (July 2011)
- 📓 Malware obfuscation through evolutionary packers (July 2015)
- 📓 Metadata recovery from obfuscated programs using machine learning (December 2016)
- 📰 MSG: Missing-sequence generator for metamorphic malware detection (March 2025)
- 📓 Obfuscation: Where are we in anti-DSE protections? (a first attempt) (December 2019)
- 📰 Opcodes as predictor for malware (January 2008)
- 📓 Packed code detection using shannon entropy and homomorphic encrypted executables (October 2024)
- 📰 Packed malware detection using entropy related analysis: A survey (November 2015)
- 📰 Packed malware variants detection using deep belief networks (March 2020)
- 🔖 PackHero: A scalable graph-based approach for efficient packer identification (July 2025)
- 📰 PE file features in detection of packed executables (January 2012)
- 📰 Pitfalls in machine learning for computer security (October 2024)
- 🎓 REFORM: A framework for malware packer analysis using information theory and statistical methods (April 2010)
- 🎓 Source-free binary mutation for offense and defense (December 2014)
- 📰 A survey on malware analysis techniques: Static, dynamic, hybrid and memory analysis (September 2018)
- 📕 Unpacking malware in the real world: A step-by step guide (July 2024)
- 📓 VABox: A virtualization-based analysis framework of virtualization-obfuscated packed executables (June 2021)
📑 Datasets / Scientific Research
- BODMAS (⭐83) - Code for our DLS'21 paper - BODMAS: An Open Dataset for Learning based Temporal Analysis of PE Malware.
- Malheur - Contains the recorded behavior of malicious software (malware) and has been used for developing methods for classifying and clustering malware behavior (see the JCS article from 2011).
- Malicia - Dataset of 11,688 malicous PE files collected from 500 drive-by download servers over a period of 11 months in 2013 (DISCONTINUED).
- Malware Archive (⭐1.6k) - Malware samples, analysis exercises and other interesting resources.
- MalwareGallery - Yet another malware collection in the Internet.
- MalwareTips - MalwareTips is a community-driven platform providing the latest information and resources on malware and cyber threats.
- ViruSign - Another online malware database.
- VirusSign - Giant database dedicated to combating malware in the digital world.
- WildList - Cooperative listing of malwares reported as being in the wild by security professionals.
📦 Packers / After 2010
- ELF Packer (⭐32) - Encrypts 64-bit elf files that decrypt at runtime.
- NPack - Can compress 32bits and 64bits exe, dll, ocx, scr Windows program.
- Obsidium - Feature-rich professional software protection and licensing system designed as a cost effective and easy to implement, yet reliable and non-invasive way to protect your 32- and 64-bit Windows software applications and games from reverse engineering.
- OS-X_Packer - Binary packer for the Mach-O file format.
- VirtualMachineObfuscationPoC - Obfuscation method using virtual machine.
- Woody Wood Packer (⭐18) - ELF packer - encrypt and inject self-decryption code into executable ELF binary target.
📦 Packers / Between 2000 and 2010
- NSPack - 32/64-bits exe, dll, ocx, scr Windows program compressor.
- TTProtect - Professional protection tool designed for software developers to protect their PE applications against illegal modification or decompilation.
📦 Packers / Before 2000
- CauseWay Compressor - DOS EXE compressor.
- PEBundle - Physically attaches DLL(s) to an executable, resolving dependencies in memory.
- VGCrypt - PE crypter for Win95/98/NT.
🔧 Tools / Before 2000
- Assiste (Packer) - Assiste.com's example list of packers.
- BinUnpack - Unpacking approach free from tedious memory access monitoring, therefore introducing very small runtime overhead.
- Cave-Finder (⭐66) - Tool to find code cave in PE image (x86 / x64) - Find empty space to place code in PE files.
- GUnpacker - Shell tool that performs OEP positioning and dumps decrypted code.
- Lissom - Retargetable decompiler consisting of a preprocessing part and a decompilation core.
- NotPacked++ (⭐19) - Attack tool for altering packed samples so that they evade static packing detection.
- PackerBreaker - Tool for helping unpack, decompress and decrypt most of the programs packed, compressed or encrypted using advanced emulation technology.
- PE Compression Test - List of packers tested on a few sample executables for comparing compressed sizes.
- PEiD - Packed Executable iDentifier.
- Quick Unpack - Generic unpacker that facilitates the unpacking process.
- RDG Packer Detector - Packer detection tool.
- Renovo - Detection tool built on top of TEMU (dynamic analysis component of BitBlaze) based on the execution of newly-generated code and monitoring memory writes after the program starts.
- VMUnpacker - Unpacker based on the technology of virtual machine.
73. Awesome Malware Persistence
Techniques / Databases
- Database Triggers as Persistence Mechanisms - An in-depth write up about database triggers providing persistence.
74. Awesome Keycloak
Articles
Community Extensions
- Keycloak Webhooks from vymalo/keycloak-webhook (⭐63)
- Notification on Impersonation SebastEnn/impersonation-notification (⭐1)
75. Awesome Jmeter
Tutorials
CI / Tutorials & Demo
- Jenkins
- Performance Tests with JMeter, Maven and Hudson
- CI with Jenkins, Git, Maven, Grunt, and JMeter (⭐20)
- Continuous automated web tests using Jenkins and JMeter
- Automating JMeter tests with Maven and Jenkins
- How to automate JMeter tests with Maven and Jenkins: part 1, part 2
- JMeter Continuous Performance Testing (JMeter + Ant + Jenkins): part 1, part 2
- Continuous Integration 101: How to Run JMeter with Jenkins
Cloud Services / SaaS / Tutorials & Demo
- LoadRunner Cloud - OpenText cloud-based solution for web and mobile performance testing with JMeter and Gatling support (formerly Micro Focus LoadRunner Cloud, formerly HP StormRunner Load).
76. Awesome Gatling
Tutorials
Community / Video Tutorials
77. Awesome Talks
Software Development
- Email vs Capitalism: A Story About Why We Can't Have Nice Things by Dylan Beattie (Joy Of Coding 2023) [54:49]
Computer History
- The Boeing 737 MAX: When Humans and Technology Don't Mix by Kyle Kotowick (NDC TechTown 2022) [01:00:45]
78. Awesome Algorithms
Books / Algorithms and Data structures
- Introduction to Algorithms - Essential!
79. Awesome Osint
Speciality Search Engines
- MalwareBazaar - Search and download confirmed malware samples by hash, family, tag, and other criteria.
- Shadowserver - Dashboard with global statistics on cyber threats collected by the Shadowserver Foundation.
Threat Actor Search
- APT Groups and Operations - Know about Threat Actors, sponsored countries, their tools, methods, etc.
- APTWiki - Historical wiki with 214 actor entries.
- Bi.Zone - 148 threat groups with detailed TTPs.
- BreachHQ - Provides a list of all known cyber threat actors also referred to as malicious actors, APT groups or hackers.
- Cybergeist - Cybergeist.io generates intelligence profiles about key threats and threat context that is actively being discussed and reported upon across the internet.
- Dark Web Informer - Tracking 854 Threat Actors as of 29th of May 2025.
- ETDA - Search for Threat Actor groups and their tools.
- FortiGuard Labs - Powered by FortiGuard Labs, our Threat Actor Encyclopedia provides actionable insights, helping security teams prepare and streamline advanced threat hunting and response.
- KNOWLEDGENOW - Trending Threats.
- lazarusholic - Total 203 threat actors.
- Malpedia - Get List of threat actor groups.
- MISP Galaxy - Known or estimated adversary groups as identified by 360.net.
- OPENHUNTING.IO - Threat Library Collecting Information.
- SOCRadar LABS - Know threat actor tactics, techniques, and past activities. Access detailed profiles and track their activities.Keep up with the latest threats and Tactics, Techniques, and Procedures (TTPs).
- Thales - Find Threat actor groups in a graphical attack explorer.
Live Cyber Threat Maps
- Bitdefender Threat Map - Cyberthreat Real Time Map by Bitdefender.
- BunkerWeb Live Cyber Attack Threat Map - Live cyber attack blocked by BunkerWeb, the open source and next generation Web Application Firewall.
- Check Point Live Cyber Threat Map - Explore the top cyber threats of 2025, including ransomware, infostealers, and cloud vulnerabilities.
- Cisco Talos Intelligence -
- Fortiguard Labs - FortiGuard Outbreak Alerts provides key information about on-going cybersecurity attack with significant ramifications affecting numerous companies, organizations and industries.
- HCL Threat Map - Cyber Threat Map by HCLTech.
- Imperva Live Threat Map - A real-time global view of DDoS attacks, hacking attempts, and bot assaults mitigated by Imperva security services.
- Kaspersky Cyberthreat live Map - Find out if you are under cyber-attack here.
- Radware Live Cyber Threat Map - Radware's Live Threat Map presents near real-time information about cyberattacks as they occur, based on our global threat deception network.
- Zscaler Global Threat Map Dashboard - Illustrates those we've seen in the past 24 hours, consisting of threats detected by our antivirus engines, malware and advanced persistent threats.
Pastebins
- bpaste - Welcome to bpaste, this site is a pastebin. It allows you to share code with others.
- CentOS Pastebin Service - Stikked is an Open-Source PHP Pastebin, with the aim of keeping a simple and easy to use user interface.
- commie - commie is a pastebin script with line commenting support.
- ControlC Pastebin - The easiest way to host your text.
- Cutapaste - Short Code and Share.
- Defuse - Encrypted Pastebin - Keep your data private and secure!
- Etusivu - It's an open source clone of pastebin.com. Default Language is Finnish.
- Friendpaste - Paste stuff to your friends.
- Linkode(alpha) - Linkode is the useful pastebin!
- nopaste.net - nopaste.net is a temporary file host, nopaste and clipboard across machines. You can upload files or text and share the link with others.
- Notes - fast.easy.short.
- nekobin - Paste code, save and share the link!
- paaster - Paaster is a secure and user-friendly pastebin application that prioritizes privacy and simplicity. With end-to-end encryption and paste history, Paaster ensures that your pasted code remains confidential and accessible.
- Pastebin.cz - A simple Pastebin.
- paste.in.ua - Simple pastebin.
- Pastelyst - This site is intended for use as a short-term exchange of pasted information between parties. All publicly submitted data is considered public information. Submitted private and public data is not guaranteed to be permanent, and may be removed at any time.
- Paste.Quest - Copy and Paste text online to share with anyone anywhere. Use the password option to add a password to the pasted information.
- PasteSite.Net - The new generation pastebin.
- paste.sh - This is an encrypted paste site. Simply type or paste code here and share the URL. Saving is Automatic.
- Tiny Paste - Simple Pastebin. Login option available!
- TutPaste - Welcome to our fast and free online paste tool. Paste and share your text or code snippets with anyone, anywhere, no registration required.
- vaultbin - Vaultbin is a blazingly fast and secure alternative to Pastebin and Hastebin.
- Write.as - Type words, put them on the internet.
- ZeroBin - ZeroBin is a minimalist, opensource online pastebin where the server has zero knowledge of pasted data. Data is encrypted/decrypted in the browser using 256 bits AES.
Social Media Tools / Instagram
- instagram_monitor (⭐409) - Tool for real-time tracking of Instagram users' activities and profile changes with support for email alerts, CSV logging, showing media in the terminal, anonymous story downloads and more
- Osintgraph (⭐171) - Tool that maps your target’s Instagram data and relationships in Neo4j for social network analysis.
Social Media Tools / Pinterest
- Pinterest Pin Stats - Display hidden Pinterest stats for each pin.
Social Media Tools / LinkedIn
- the-endorser (⭐332) - Tool that allows you to draw out relationships between people on LinkedIn via endorsements/skills.
- LinkedInDumper (⭐475) - Script to dump/scrape/extract company employees info from LinkedIn API.
Social Media Tools / GitHub
- github_monitor (⭐26) - Tool for real-time tracking of GitHub users' activities including profile and repository changes with support for email alerts, CSV logging, detection when a user blocks or unblocks you and more
Email Search / Email Check / GitHub
- Multirbl - MultiRBL Valli checks if an IP or domain is listed on multiple public RBLs (blacklists) simultaneously.
Domain and IP Research / GitHub
- Browserling - Browserling is an online sandbox that lets users safely test potentially malicious links across browsers and operating systems in real time.
- Hybrid Analysis - Online service for detailed and free analysis of suspicious files and URLs.
- ISP.Tools - Is a free platform offering network diagnostic tools (ping, traceroute, MTR, DNS, WHOIS, HTTP, etc.) tailored for ISPs and infrastructure professionals.
Image Analysis / GitHub
- EXIFEditor.io - In-browser EXIF image metadata editor, viewer, and analysis tool.
Browsers / GitHub
- Bromite - Bromite is a Chromium fork with ad blocking and enhanced privacy; take back your browser. Works only on Android.
- Gnu Icecat -
- LibreWolf - A custom version of Firefox, focused on privacy, security and freedom.
- Waterfox - Fast and Private Web Browser. Get privacy out of the box with Waterfox.
Gaming Platforms / GitHub
- steam_monitor (⭐26) - Tool for real-time tracking of Steam players' gaming activities including detection when a user gets online/offline or plays games with support for email alerts, CSV logging, playtime stats and more
- psn_monitor (⭐19) - Tool for real-time tracking of Sony Playstation (PSN) players gaming activities including detection when a user gets online/offline or plays games with support for email alerts, CSV logging, playtime stats and more
- xbox_monitor (⭐17) - Tool for real-time tracking of Xbox Live players gaming activities including detection when a user gets online/offline or plays games with support for email alerts, CSV logging, playtime stats and more
- lol_monitor (⭐15) - Tool for real-time tracking of LoL (League of Legends) players gaming activities including detection when a user starts or finishes a match with support for email alerts, CSV logging, playtime stats and more
Music Streaming Services / GitHub
- spotify_profile_monitor (⭐34) - Tool for real-time tracking of Spotify users' activities and profile changes, including playlists, with support for email alerts, CSV logging, showing media in the terminal, detection of profile picture changes and more
- spotify_monitor (⭐42) - Tool for real-time tracking of Spotify friends' listening activity including detection when user gets online & offline, played songs, its duration, skipped songs, with optional auto-play, email alerts, CSV logging, session stats and more
- lastfm_monitor (⭐15) - Tool for real-time tracking of Last.fm users' listening activity including detection when user gets online & offline, pauses or resumes playback, all played songs, its duration, skipped songs, with optional auto-play, email alerts, CSV logging, session stats and more
Other Resources / GitHub
- Cipherstick - Free OSINT Puzzles - No Account Needed!
80. Awesome Audit Algorithms
Papers / 2025
- P2NIA: Privacy-Preserving Non-Iterative Auditing - (ECAI) Proposes a mutually beneficial collaboration for both the auditor and the platform: a privacy-preserving and non-iterative audit scheme that enhances fairness assessments using synthetic or local data, avoiding the challenges associated with traditional API-based audits.
- The Fair Game: Auditing & debiasing AI algorithms overtime - (Cambridge Forum on AI: Law and Governance) Aims to simulate the evolution of ethical and legal frameworks in the society by creating an auditor which sends feedback to a debiasing algorithm deployed around an ML system.
81. Awesome Polars
Polars plugins / Machine Learning & Data Science
- polars-ds (⭐524) - Polars extension for general data science use cases by @abstractqqq.
Polars plugins / AI
- polar_llama (⭐13) - Polars plugin for interacting with LLMs in Polars by @daviddrummond95.
Polars plugins / Language
- polar-whichlang (⭐0) - Polars plugin for fast language identification by @rmalouf.
Polars plugins / General utilities / Performance
- polars-avro (⭐3) - Polars plugin for reading and writing avro files by @hafaio.
Python / Miscellaneous
- pyjanitor - Python package that provides a clean API for cleaning Polars DataFrame @pyjanitor-devs.
- turtle-island (⭐3) - A lightweight utility library for writing Polars Expressions by @jrycw.
Rust / Miscellaneous
- plotlars (⭐523)
plotlars
is a Rust library designed to facilitate the integration between the Polars data analysis library and Plotly library.
Tutorials & workshops / Miscellaneous
- #100DaysOfPolars articles - List of articles published by @jorammutenge on linkedin #100DaysOfPolars.
Blog posts / Miscellaneous
- Polars for Pandas Users — A Blazing Fast DataFrame Alternative — A tutorial article that shows how to migrate from Pandas to Polars with code examples and performance optimization tips by Vinod Chugani.
- Data Validation Libraries for Polars (2025 Edition) - A survey of five Python data validation libraries compatible with Polars, highlighting their strengths and trade-offs for robust data pipeline validation in 2025 by @rich-iannone.
- Reshape Data in Polars Efficiently from Wide to Long Form - A blog post list that details efficient transformation for Polars DataFrames from wide to long form by @samukweku.
- Polars Boosted My Algorithm's Speed by 25x - A blog post that explains how using Polars increases code execution speed by 25 times compared to Pandas by @hatdropper1977.
Talks and videos / Miscellaneous
- Polars - Talk Python To Me Ep.402 ⏳ 69 min - A video in which Ritchie Vink gives a look at Polars by Talk Python To Me.
- 10 Polars Tools and Techniques To Level Up Your Data Science - Talk Python To Me Ep.510 ⏳ 58 min - A video in which Christopher Trudeau shares his recent work with Polars and highlights a collection of complementary Polars extensions and libraries by Talk Python To Me.
82. Ai Collective Tools
Code Assistant
- Keploy - AI-powered automation API and Unit testing, latest UTG pr agent generates unit tests after each pr.
#free
Dating
- EveningHoney.ai - Experience immersive relationships with AI girlfriends and virtual companions. Chat, receive images & videos, make phone calls, and dive into realistic relationships.
#freemium
- Fantasy.ai - Fantasy.ai is an AI companion platform offering human-like NSFW chat, Realistic image generation, and fully customizable virtual partners.
#freemium
Gift Ideas
- BestBuyClues - Your AI Gift Ideas Generator
#free
Image Editing
- Img.Upscaler - Img.Upscaler uses AI to enlarge your jpg, png, webp images by 200% or 400% without losing quality.
#freemium
83. Awesome Opentofu
Official
Features
- 1.10 - Enhanced moved and removed blocks
- 1.10 - External key providers
- 1.10 - OCI registry support
- 1.10 - S3 native state locking
- 1.10 - Target and exclude files
Tools / CI
- Burrito - Burrito is a TACoS (Terraform Automation and Collaboration Software) that works inside Kubernetes.
Tools / Registry
- tofuref (⭐13) - TUI for OpenTofu provider registry.
Tools / Helpers
- OpenTofu Language Server (⭐95) - OpenTofu Language Server.
- VS Code Extension - Extension for Visual Studio Code with the OpenTofu Language Server adds editing features for OpenTofu files such as syntax highlighting, IntelliSense, code navigation, code formatting, module explorer.
- zed Extension (⭐1) - Extension for the Zed Editor.
Media / Helpers
84. Awesome Workflow Automation
What is Workflow Automation?
- No-code/low-code integration platforms
- Task and project automation tools
- Enterprise process orchestration systems
- AI-driven automation apps
📝 Articles on Workflow Automation
- Workflow Automation Articles on The Productivity Blog
- Zapier Automation Basics
- When to Use RPA vs Workflow Automation Software
📘 Books About Workflow Automation
- Automate It with Zapier and Generative AI
- Hyperautomation: A Business Guide to Navigating the Future
- The Art of Automation: A Guide to Using Automation to Enhance Business Performance
🎥 Video Tutorials & Courses
📂 Resources & Directories
- 🔧 Productivity Tools Directory – Find the best productivity and automation apps.
- 📰 The Productivity Blog – Tutorials, app reviews, and automation guides.
- ✉️ Productivity Newsletter – Weekly roundup of top productivity tools and hacks.
💬 Online Communities
85. Awesome Marketing
SEO (Search Engine Optimization) / SEO Analytics
- OnRanko - Review Harness AI-driven agents to supercharge your SEO, boost rankings, and maximize visibility.
Social Media Marketing / Social Media Management
- ReplyZen - Review - AI tool that automates social media comment management for Facebook and Instagram, auto replying and moderating comments.
Content Marketing / Content Creation
- Tellers.AI - Review - Turn your scripts, articles and podcasts into videos based on your own footage.
Analytics and Reporting / Conversion Rate Optimization (CRO)
- Optimal UX - Review - Seamless SEO patching and A/B testing tool powered by Cloudflare for effortless integration.
86. Awesome Firebase Genkit
Client Libraries / Dart - Official
dart-client-for-genkit
- A type-safe Dart client library for calling Genkit flows with streaming support, authentication, and comprehensive error handling.
Talks / Dart - Official
- Dart client for Genkit: Call Genkit Flows from Flutter/Dart - Slides - Slides from a lightning talk at Google I/O Extended Tokyo 2025, introducing the Dart client library for calling Genkit flows from Flutter/Dart applications.
- Dart client for Genkit: Call Genkit Flows from Flutter/Dart - Video - Video from a lightning talk at Google I/O Extended Tokyo 2025, introducing the Dart client library for calling Genkit flows from Flutter/Dart applications.
Articles / Dart - Official
- Dart Client for Genkit: Call Genkit Flows from Flutter/Dart - A comprehensive guide to using the Dart client library for calling Genkit flows from Flutter and Dart applications with streaming support and type safety.
87. Awesome European Tech
Index / Authenticators
- Aegis Authenticator 🇳🇱 - Free, secure, and open-source MFA authenticator for Android.
Index / Cloud
- Thalassa Cloud 🇳🇱 - Cloud Services focussed around Kubernetes and Cloud Native.
Index / Cybersecurity
- Vysion 🇪🇸 - Cyber threat intelligence platform that monitors darknets and cybercrime forums to provide real-time insights into emerging threats, including ransomware activities.
Index / DNS
- DNS4EU 🇪🇺 - Supported by the European Commission.
- Nanelo 🇩🇪 - Operates a European cluster of DNS nameservers.
Index / File Sharing
- NordLocker 🇱🇹 - Encrypted file storage and end-to-end encrypted file transfers.
Index / Mail Providers
- Lettermint 🇳🇱 - Dutch transactional email service focused on privacy, deliverability, and developer experience.
Index / Password manager services
- NordPass 🇱🇹
88. Awesome Tmux
Tools and session management
- tmux-tpad (⭐11) A popup window session manager.
89. Awesome Neovim
(requires Neovim 0.5)
- SunnyTamang/neodoc.nvim (⭐10) - DocString generator that helps writing function/classes docstrings in formats like
google
,numpy
,sphinx
with live preview.
AI / Diagnostics
- chatvim/chatvim.nvim (⭐5) - Chat with Markdown files using AI models from xAI, OpenAI and Anthropic.
Language / Diagnostics
- sontungexpt/vietnamese.nvim (⭐2) - A Vietnamese input method engine with native support to type Vietnamese in insert mode.
Snippet / Diagnostics
- Who5673/who5673-nasm (⭐1) - Helps people program Netwide Assembler language faster and more convenient using snippets.
Color / Diagnostics
- nvzone/minty (⭐516) - Beautifully crafted color tools.
Note Taking / Diagnostics
- echaya/neowiki.nvim (⭐84) - The modern vimwiki successor offering a minimal, intuitive workflow out of the box for note-taking and Getting Things Done (GTD).
Utility / Diagnostics
- Silletr/LazyDevHelper (⭐3) - Python dependencies manager, with auto-adding to your requirements.txt.
- Owen-Dechow/nvim_json_graph_view (⭐49) - Explore a JSON file as a nested unit/node-based graphical representation.
GitLab / Diagnostics
- harrisoncramer/GitLab.nvim (⭐311) - Review pull requests and manage other GitLab resources.
Keybinding / Diagnostics
- sontungexpt/bim.nvim (⭐3) - Enhances insert mode key mapping by showing typed keys in real time, without waiting for timeoutlen. It provides a responsive and intuitive insert-mode experience, ideal for complex input workflows like ime.
Editing Support / Diagnostics
- jake-stewart/multicursor.nvim (⭐1.1k) - Adds support for multiple cursors which work how you expect.
- brenton-leighton/multiple-cursors.nvim (⭐347) - A multi-cursor plugin that works in normal, insert/replace, or visual modes, and with almost every command.
- smoka7/multicursors.nvim (⭐604) - Provides a more intuitive way to edit repetitive text with multiple selections.
- tigion/swap.nvim (⭐12) - Quickly switch a word under the cursor or a pattern in the current line.
90. Awesome Angular
CLI / Google Developer Experts
- ngx-stats (⭐2) - A CLI tool for Angular project analysis that quantifies modules, components, directives, pipes, and services, offering a clear structural overview to help developers better understand architectural choices and app organization.
Integrations / Google Developer Experts
- @retejs/angular-plugin (⭐60) - This Angular plugin includes a classic preset featuring visual components for nodes, connections, sockets, and input controls. It is built on Rete.js, a customizable, TypeScript-first framework designed for creating processing-oriented, node-based editors.
Security / Google Developer Experts
- Snyk - Snyk is a developer security platform that integrates directly into development tools, workflows, and automation pipelines.
Free / Google Developer Experts
- signal-admin (⭐1) - A modern admin panel built with Angular 20, Angular Material, and TailwindCSS. Features a responsive design with collapsible sidebar, user management, forms, and UI components.
- ngXpress (⭐7) - The Full-Stack Angular Starter Kit (SSR, Zoneless, Express 5, Prisma, better-auth, Tailwind CSS 4).
- spartan-stack-starter (⭐1) - An Opinionated Template Project Starter using Spartan Stack.
Guides / Google Developer Experts
- Tim Deschryver Blog - A rich source of valuable perspectives and practical tips on testing.
Form Controls / Google Developer Experts
- ngx-animated-paginator (⭐1) - Angular wrapper for animated-paginator-web-component that plugs seamlessly into template-driven and reactive forms via
ControlValueAccessor
.
Mixed utilities / Google Developer Experts
- fireng (⭐2) - A collection of Angular libraries to simplify responsive development using signals.
Router / Google Developer Experts
- ngx-foresight (⭐3) - An Angular integration of ForesightJS that offers a router preloading strategy by intelligently preloading lazy-loaded modules based on user intent predictions derived from mouse and keyboard interactions.
Tailwind CSS Based / Google Developer Experts
- tailwind-ng (⭐12) - An open source UI components library that aims to provide a seamless and robust integration of Tailwind CSS components with Angular to make building a great UI easier and joyful at any scale.
Ionic / Google Developer Experts
- simplici-auth-angular-ionic - A powerful Angular library designed to seamlessly integrate social authentication into your Ionic/Angular applications. It supports a wide range of providers including Google, Microsoft, Facebook, and Apple, with optimized compatibility for both web and native mobile platforms (iOS/Android) using Capacitor or Cordova.
91. Free for Dev
APIs, Data, and ML
- Maxim AI - Simulate, evaluate, and observe your AI agents. Maxim is an end-to-end evaluation and observability platform, helping teams ship their AI agents reliably and >5x faster. Free forever for indie developers and small teams (3 seats).
- JSONSwiss - JSONSwiss is a powerful online JSON viewer, editor, and validator. Format, visualize, search, and manipulate JSON data with AI-powered repair, tree view, table view, code generation in 12+ programming languages, convert json to csv, xml, yaml, properties and more.
- Mindee – Mindee is a powerful OCR software and an API-first platform that helps developers automate applications' workflows by standardizing the document processing layer through data recognition for key information using computer vision and machine learning. The free tier offers 500 pages per month.
- Siterelic - Siterelic API lets you take screenshots, audit websites, TLS scan, DNS lookup, test TTFB, and more. The free plan offers 100 API requests per month.
- YourGPT CSV to JSON — A fast, free, and privacy-focused online tool to easily convert CSV files into structured JSON data right in your browser.
CI and CD
- Shipfox - Run your GitHub actions 2x faster, 3.000 build minutes free each month.
Testing
- SSR (Server-side Rendering) Checker - Check SSR (server-side rendering) for any URL by visually comparing the server rendered version of the page with the regular version.
Translation Management
- Localit – Fast, developer-friendly localization platform with seamless and free GitHub/GitLab integration, AI-assisted and manual translations, and a generous free plan (includes 2 users, 500 keys, and unlimited projects).
Monitoring
- MonitorMonk - Minimalist uptime monitoring with beautiful status pages. The Forever Free plan offers HTTPS, Keyword, SSL and Response-time monitorming for 10 websites or api-endpoints, and provides 2 dashboards/status pages.
Education and Career Development
- edX - Offers access to over 4,000 free online courses from 250 leading institutions, including Harvard and MIT, specializing in computer science, engineering, and data science.
Web Hosting
- PandaStack — An eco-system for developers includes web hosting in different formats (static web hosting, container based web hosting, wordpress and so many other managed apps available in couple of clicks ). One free web hosting (static or containered) and one free database with 100GB Bandwidth and 300 Build mins/month.
DNS
- LocalCert - Free
.localcert.net
subdomains compatible with public CAs for use with-in private networks
Managed Data Services
- Couchbase Capella - deploy a forever free tier fully managed database cluster built for developers to create the next generation of applications across IoT to AI
- Prisma Postgres - Super fast hosted Postgres built on unikernels and running on bare metal, 1GB storage, 10 databases, integrated with Prisma ORM.
Design and UI
- Tailark - A collection of modern, responsive, pre-built UI blocks designed for marketing websites.
- Flows -- A fully customizable product adoption platform for building onboarding and user engagement experiences. Free for up to 250 monthly tracked users.
IDE and Code Editing
- ForgeCode — AI-enabled pair programmer for Claude, GPT4 Series, Grok, Deepseek, Gemini and all frontier models. Works natively with your CLI and integrates seamlessly with any IDE. Free tier includes basic AI model access with local processing.
92. Awesome Selfhosted
Software / Analytics
- Druid - Distributed, column-oriented, real-time analytics data store. (Source Code (⭐14k))
Apache-2.0
Java/Docker
Software / Communication - Email - Complete Solutions
- b1gMail - Complete email solution that runs on any webspace with PHP and MariaDB. It supports POP3 catchall mailboxes and can also integrate with Postfix or b1gMailServer if you're running your own server. (Source Code, Clients)
GPL-2.0
PHP
Software / Customer Relationship Management (CRM)
- Django-CRM - Analytical CRM with tasks management, email marketing and many more. Django CRM is built for individual use, businesses of any size or freelancers and is designed to provide easy customization and quick development. (Source Code (⭐320))
AGPL-3.0
Python
Software / Document Management
- Paperless-AI (⭐3.8k) - Automated document analyzer for Paperless-ngx that uses OpenAI API, Ollama, and other compatible services to automatically analyze and tag documents.
MIT
Docker
Software / File Transfer - Peer-to-peer Filesharing
- Send - Simple, private, end to end encrypted temporary file sharing, originally built by Mozilla. (Demo, Clients)
MPL-2.0
Nodejs/Docker
Software / File Transfer - Web-based File Managers
- Directory Lister - Simple PHP based directory lister that lists a directory and all its sub-directories and allows you to navigate there within. (Source Code (⭐2.4k))
MIT
PHP/Docker
Software / Games
- Hypersomnia (⭐1.3k) - Competitive top-down shooter blending Counter-Strike with Hotline Miami. Runs on Linux, Windows, MacOS and the Web. (Demo)
AGPL-3.0
C++/Docker
Software / Generative Artificial Intelligence (GenAI)
- AnythingLLM - All-in-one desktop & Docker AI application with built-in RAG, AI agents, No-code agent builder, MCP compatibility, and more. (Source Code (⭐46k))
MIT
Nodejs/Docker
- Khoj - Your AI second brain. Get answers from the web or your docs. Build custom agents, schedule automations, do deep research. Turn any online or local LLM into your personal, autonomous AI. (Demo, Source Code (⭐31k))
AGPL-3.0
Python/Docker
Software / Knowledge Management Tools
- AFFiNE Community Edition - Next-gen knowledge base that brings planning, sorting and creating all together. Privacy first, customizable and ready to use (alternative to Notion and Miro). (Demo, Source Code (⭐53k))
MIT/AGPL-3.0
Docker
Software / Media Management
- Spooty (⭐11)
⚠
- Download tracks/playlists/albums from Spotify. It can also subscribe to a playlist or author page and download new songs upon release.MIT
Docker/Nodejs
Software / Note-taking & Editors
- TriliumNext Notes (⭐29k) - Cross-platform hierarchical note taking application with focus on building large personal knowledge bases (fork of Trilium Notes).
AGPL-3.0
Nodejs/Docker/K8S
Software / Pastebins
- Chiyogami (⭐50) - Pastebin with API, client-side encryption, user accounts, syntax highlighting, markdown rendering, and more.
BSD-3-Clause
Docker
Software / Proxy
- g3proxy - Forward proxy server supporting proxy chaining, protocol inspection, MITM Interception, ICAP adaptation and transparent proxy. (Source Code (⭐686))
Apache-2.0
Rust/deb
93. Awesome Go
Authentication and OAuth
- x509proxy (⭐6) - Library to handle X509 proxy certificates.
Standard CLI
- goopt (⭐3) - A declarative, struct-tag based CLI framework for Go, with a broad feature set such as hierarchical commands/flags, i18n, shell completion, and validation.
Queues
- dqueue (⭐0) - Simple, in memory, zero dependency and battle tested, thread-safe deferred queue.
Pipes
- pipelines (⭐11) - Generic pipeline functions for concurrent processing.
Relational Database Drivers
- go-rqlite (⭐165) - A Go client for rqlite, providing easy-to-use abstractions for working with the rqlite API.
Distributed Systems
- opentelemetry-go-auto-instrumentation (⭐619) - OpenTelemetry Compile-Time Instrumentation for Golang.
- outbox (⭐78) - Lightweight library for the transactional outbox pattern in Go, not tied to any specific relational database or broker.
Embeddable Scripting Languages
- FrankenPHP (⭐9.7k) - PHP embedded in Go, with a
net/http
handler.
File Handling
- fastwalk (⭐98) - Fast parallel directory traversal library (used by fzf (⭐71k)).
Job Scheduler
- cheek (⭐192) - A simple crontab like scheduler that aims to offer a KISS approach to job scheduling.
Networking
- nodepass (⭐1.1k) - A secure, efficient TCP/UDP tunneling solution that delivers fast, reliable access across network restrictions using pre-established TLS/TCP connections.
HTTP Clients
- go-ipmux (⭐27) - A library for Multiplexing HTTP requests based on multiple Source IPs.
Reflection
- reflectpro (⭐7) - Callers, copiers, getters and setters for go.
Stream Processing
- nibbler (⭐13) - A lightweight package for micro batch processing.
Parsers/Encoders/Decoders
- godump (goforj) (⭐1.3k) - Pretty-print Go structs with Laravel/Symfony-style dumps, full type info, colorized CLI output, cycle detection, and private field access.
Scrapers
- go-sitemap-parser (⭐4) - Go language library for parsing Sitemaps.
Utilities
- debounce (⭐28) - A zero-allocation debouncer written in Go.
- lang (⭐2) - Generic one-liners to work with variables, slices and maps without boilerplate code.
UUID
- guid (⭐67) - Fast cryptographically safe Guid generator for Go (~10x faster than
uuid
).
Go Tools / Libraries for creating HTTP middlewares
- gotutor (⭐52) - Online Go Debugger & Visualizer.
DevOps Tools / Libraries for creating HTTP middlewares
- dish (⭐244) - A lightweight, remotely configurable monitoring service.
Guided Learning / Libraries for creating HTTP middlewares
- The Go Interview Practice (⭐482) - A GitHub repository offering coding challenges for Go technical interview preparation.
94. Awesome Azure Openai Llm
Section 1 🎯: RAG
Section 2 🌌: Azure OpenAI
- Microsoft Copilot
- Azure AI Search & Azure AI Services
- Microsoft Research
- Reference Architecture & Samples
Section 3 🌐: LLM Applications
- LLM Applications
- Caching, UX
- Proposals & Glossary: e.g., Vibe Coding, Context Engineering
- Robotics
Section 4 🤖: Agent
Section 9 🌍: LLM Landscape
- Domain-Specific: e.g., Software development
- Multimodal
Section 10 📚: Surveys | References
95. Awesome Agi Cocosci
Domain Specific Language / Design Practises
- A Taxonomy of Domain-Specific Aspect Languages - ACM Computing Surveys, 2015. [All Versions]. Domain-Specific Aspect Languages (DSALs) are Domain-Specific Languages (DSLs) designed to express crosscutting concerns. Compared to DSLs, their aspectual nature greatly amplifies the language design space. This survey structures this space in order to shed light on and compare the different domain-specific approaches to deal with crosscutting concerns. This survey reports on a corpus of 36 DSALs covering the space, discuss a set of design considerations, and provide a taxonomy of DSAL implementation approaches. This work serves as a frame of reference to DSAL and DSL researchers, enabling further advances in the field, and to developers as a guide for DSAL implementations.
Domain Specific Language / Imperative DSL Applications
- Infinigen Indoors: Photorealistic Indoor Scenes using Procedural Generation - CVPR'24, 2024. [All Versions]. This work introduces Infinigen Indoors, a Blender-based procedural generator of photorealistic indoor scenes. It builds upon the existing Infinigen system, which focuses on natural scenes, but expands its coverage to indoor scenes by introducing a diverse library of procedural indoor assets, including furniture, architecture elements, appliances, and other day-to-day objects. It also introduces a constraint-based arrangement system, which consists of a domain-specific language for expressing diverse constraints on scene composition, and a solver that generates scene compositions that maximally satisfy the constraints. The authors provide an export tool that allows the generated 3D objects and scenes to be directly used for training embodied agents in real-time simulators such as Omniverse and Unreal. Infinigen Indoors is open-sourced under the BSD license.
- "We Need Structured Output": Towards User-centered Constraints on Large Language Model Output - CHI EA'24, 2024. [All Versions]. [Preprint]. Large language models can produce creative and diverse responses. However, to integrate them into current developer workflows, it is essential to constrain their outputs to follow specific formats or standards. This work surveyed 51 experienced industry professionals to understand the range of scenarios and motivations driving the need for output constraints from a user-centered perspective. The authors identified 134 concrete use cases for constraints at two levels: low-level, which ensures the output adhere to a structured format and an appropriate length, and high-level, which requires the output to follow semantic and stylistic guidelines without hallucination. Critically, applying output constraints could not only streamline the currently repetitive process of developing, testing, and integrating LLM prompts for developers, but also enhance the user experience of LLM-powered features and applications. The authors conclude with a discussion on user preferences and needs towards articulating intended constraints for LLMs, alongside an initial design for a constraint prototyping tool.
Domain Specific Language / Declarative DSL Applications
- Artificial intelligence driven design of catalysts and materials for ring opening polymerization using a domain-specific language - Nature Communications, 2023. [All Versions]. [Project (⭐14)]. Advances in machine learning (ML) and automated experimentation are poised to vastly accelerate research in polymer science. Data representation is a critical aspect for enabling ML integration in research workflows, yet many data models impose significant rigidity making it difficult to accommodate a broad array of experiment and data types found in polymer science. This inflexibility presents a significant barrier for researchers to leverage their historical data in ML development. This work shows that a domain specific language, termed Chemical Markdown Language (CMDL), provides flexible, extensible, and consistent representation of disparate experiment types and polymer structures. CMDL enables seamless use of historical experimental data to fine-tune regression transformer (RT) models for generative molecular design tasks. The authors demonstrate the utility of this approach through the generation and the experimental validation of catalysts and polymers in the context of ring-opening polymerization---although the authors provide examples of how CMDL can be more broadly applied to other polymer classes. Critically, this work shows how the CMDL tuned model preserves key functional groups within the polymer structure, allowing for experimental validation. These results reveal the versatility of CMDL and how it facilitates translation of historical data into meaningful predictive and generative models to produce experimentally actionable output.
- Configurable 3D Scene Synthesis and 2D Image Rendering with Per-pixel Ground Truth Using Stochastic Grammars - International Journal of Computer Vision, 2018. [All Versions]. [Preprint]. This work proposes a systematic learning-based approach to the generation of massive quantities of synthetic 3D scenes and arbitrary numbers of photorealistic 2D images thereof, with associated ground truth information, for the purposes of training, benchmarking, and diagnosing learning-based computer vision and robotics algorithms. In particular, the authors devise a learning-based pipeline of algorithms capable of automatically generating and rendering a potentially infinite variety of indoor scenes by using a stochastic grammar, represented as an attributed Spatial And-Or Graph, in conjunction with state-of-the-art physics-based rendering. The pipeline is capable of synthesizing scene layouts with high diversity, and it is configurable inasmuch as it enables the precise customization and control of important attributes of the generated scenes. It renders photorealistic RGB images of the generated scenes while automatically synthesizing detailed, per-pixel ground truth data, including visible surface depth and normal, object identity, and material information (detailed to object parts), as well as environments (e.g., illuminations and camera viewpoints). The authors demonstrate the value of the synthesized dataset, by improving performance in certain machine-learning-based scene understanding tasks—depth and surface normal prediction, semantic segmentation, reconstruction, etc.---and by providing benchmarks for and diagnostics of trained models by modifying object attributes and scene properties in a controllable manner.
Domain Specific Language / Logic DSL Applications
- Genetic circuit design automation with Cello 2.0 - Nature Protocol, 2022. [All Versions]. [Preprint]. Cells interact with their environment, communicate among themselves, track time and make decisions through functions controlled by natural regulatory genetic circuits consisting of interacting biological components. Synthetic programmable circuits used in therapeutics and other applications can be automatically designed by computer-aided tools. The Cello software designs the DNA sequences for programmable circuits based on a high-level software description and a library of characterized DNA parts representing Boolean logic gates. This process allows for design specification reuse, modular DNA part library curation and formalized circuit transformations based on experimental data. This protocol describes Cello 2.0, a freely available cross-platform software written in Java. Cello 2.0 enables flexible descriptions of the logic gates’ structure and their mathematical models representing dynamic behavior, new formal rules for describing the placement of gates in a genome, a new graphical user interface, support for Verilog 2005 syntax and a connection to the SynBioHub parts repository software environment. Collectively, these features expand Cello’s capabilities beyond Escherichia coli plasmids to new organisms and broader genetic contexts, including the genome. Designing circuits with Cello 2.0 produces an abstract Boolean network from a Verilog file, assigns biological parts to each node in the Boolean network, constructs a DNA sequence and generates highly structured and annotated sequence representations suitable for downstream processing and fabrication, respectively. The result is a sequence implementing the specified Boolean function in the organism and predictions of circuit performance. Depending on the size of the design space and users’ expertise, jobs may take minutes or hours to complete.
- The KoLMogorov Test: Compression by Code Generation - ICLR'25, 2025. [All Versions]. Compression is at the heart of intelligence. A theoretically optimal way to compress any sequence of data is to find the shortest program that outputs that sequence and then halts. However, such Kolmogorov compression is uncomputable, and code generating LLMs struggle to approximate this theoretical ideal, as it requires reasoning, planning and search capabilities beyond those of current models. This work introduces the KoLMogorov-Test (KT), a compression-as-intelligence intelligence test for code generation LLMs. In KT a model is presented with a sequence of data at inference time, and asked to generate the shortest DSL (designed specifically for the task) program that produces the sequence. The authors identify several benefits of KT for both evaluation and training: an essentially infinite number of problem instances of varying difficulty is readily available, strong baselines already exist, the evaluation metric (compression) cannot be gamed, and pretraining data contamination is highly unlikely. To evaluate current models, the authors use audio, text, and DNA data, as well as sequences produced by random synthetic DSL programs.
- Meta-analysis of the functional neuroimaging literature with probabilistic logic programming - Scientific Reports, 2022. [All Versions]. Inferring reliable brain-behavior associations requires synthesizing evidence from thousands of functional neuroimaging studies through meta-analysis. However, existing meta-analysis tools are limited to investigating simple neuroscience concepts and expressing a restricted range of questions. This work expands the scope of neuroimaging meta-analysis by designing NeuroLang: a domain-specific language to express and test hypotheses using probabilistic first-order logic programming. By leveraging formalisms found at the crossroads of artificial intelligence and knowledge representation, NeuroLang provides the expressivity to address a larger repertoire of hypotheses in a meta-analysis, while seamlessly modeling the uncertainty inherent to neuroimaging data. The authors demonstrate the language’s capabilities in conducting comprehensive neuroimaging meta-analysis through use-case examples that address questions of structure-function associations. Specifically, the authors infer the specific functional roles of three canonical brain networks, support the role of the visual word-form area in visuospatial attention, and investigate the heterogeneous organization of the frontoparietal control network.
Domain Specific Language / DSL Program Synthesis
- Synthesizing theories of human language with Bayesian program induction - Nature Communications, 2022. [All Versions]. Automated, data-driven construction and evaluation of scientific models and theories is a long-standing challenge in artificial intelligence. This work presents a framework for algorithmically synthesizing models of a basic part of human language: morpho-phonology, the system that builds word forms from sounds. The authors integrate Bayesian inference with program synthesis and representations inspired by linguistic theory and cognitive models of learning and discovery. Across 70 datasets from 58 diverse languages, the system synthesizes human-interpretable models for core aspects of each language’s morpho-phonology, sometimes approaching models posited by human linguists. Joint inference across all 70 data sets automatically synthesizes a meta-model encoding interpretable cross-language typological tendencies. Finally, the same algorithm captures few-shot learning dynamics, acquiring new morphophonological rules from just one or a few examples. These results suggest routes to more powerful machine-enabled discovery of interpretable models in linguistics and other scientific domains.
- Mathematical discoveries from program search with large language models - Nature, 2024. [All Versions]. Large language models (LLMs) have demonstrated tremendous capabilities in solving complex tasks, from quantitative reasoning to understanding natural language. However, LLMs sometimes suffer from confabulations (or hallucinations), which can result in them making plausible but incorrect statements1,2. This hinders the use of current large models in scientific discovery. This work introduces FunSearch (short for searching in the function space), an evolutionary procedure based on pairing a pretrained LLM with a systematic evaluator. The authors demonstrate the effectiveness of this approach to surpass the best-known results in important problems, pushing the boundary of existing LLM-based approaches3. Applying FunSearch to a central problem in extremal combinatorics—the cap set problem—we discover new constructions of large cap sets going beyond the best-known ones, both in finite dimensional and asymptotic cases. This shows that it is possible to make discoveries for established open problems using LLMs. The authors showcase the generality of FunSearch by applying it to an algorithmic problem, online bin packing, finding new heuristics that improve on widely used baselines. In contrast to most computer search approaches, FunSearch searches for programs that describe how to solve a problem, rather than what the solution is. Beyond being an effective and scalable strategy, discovered programs tend to be more interpretable than raw solutions, enabling feedback loops between domain experts and FunSearch, and the deployment of such programs in real-world applications.
Domain Specific Language / Cognitive Foundations
- How laypeople evaluate scientific explanations containing jargon - Nature Human Behavior, 2025. [All Versions]. Individuals rely on others’ expertise to achieve a basic understanding of the world. But how can non-experts achieve understanding from explanations that, by definition, they are ill-equipped to assess? Across 9 experiments with 6,698 participants (Study 1A = 737; 1B = 734; 1C = 733; 2A = 1,014; 2B = 509; 2C = 1,012; 3A = 1,026; 3B = 512; 4 = 421), this work addresses this puzzle by focusing on scientific explanations with jargon. The authors identify ‘when’ and ‘why’ the inclusion of jargon makes explanations more satisfying, despite decreasing their comprehensibility. The authors find that jargon increases satisfaction because laypeople assume the jargon fills gaps in explanations that are otherwise incomplete. The authors also identify strategies for debiasing these judgements: when people attempt to generate their own explanations, inflated judgements of poor explanations with jargon are reduced, and people become better calibrated in their assessments of their own ability to explain.
Problem Solving / Human-Level Problem Solving
- Beyond imitation: Zero-shot task transfer on robots by learning concepts as cognitive programs - Science Robotics, 2019. [All Versions]. Humans can infer concepts from image pairs and apply those in the physical world in a completely different setting, enabling tasks like IKEA assembly from diagrams. If robots could represent and infer high-level concepts, then it would notably improve their ability to understand our intent and to transfer tasks between different environments. To that end, the authors introduce a computational framework that replicates aspects of human concept learning. Concepts are represented as programs on a computer architecture consisting of a visual perception system, working memory, and action controller. The instruction set of this cognitive computer has commands for parsing a visual scene, directing gaze and attention, imagining new objects, manipulating the contents of a visual working memory, and controlling arm movement. Inferring a concept corresponds to inducing a program that can transform the input to the output. Some concepts require the use of imagination and recursion. Previously learned concepts simplify the learning of subsequent, more elaborate concepts and create a hierarchy of abstractions. The authors demonstrate how a robot can use these abstractions to interpret novel concepts presented to it as schematic images and then apply those concepts in very different situations. By bringing cognitive science ideas on mental imagery, perceptual symbols, embodied cognition, and deictic mechanisms into the realm of machine learning, this work brings researchers closer to the goal of building robots that have interpretable representations and common sense.
System 1 & System 2 / Neural-Symbolic AI
- AI Feynman: A physics-inspired method for symbolic regression - Science Advances, 2019. [All Versions]. A core challenge for both physics and artificial intelligence (AI) is symbolic regression: finding a symbolic expression that matches data from an unknown function. Although this problem is likely to be NP-hard in principle, functions of practical interest often exhibit symmetries, separability, compositionality, and other simplifying properties. In this spirit, the authors develop a recursive multidimensional symbolic regression algorithm that combines neural network fitting with a suite of physics-inspired techniques. The authors apply it to 100 equations from the Feynman Lectures on Physics, and it discovers all of them, while previous publicly available software cracks only 71; for a more difficult physics-based test set, this work improves the state-of-the-art success rate from 15 to 90%.
- Semi-Supervised Abductive Learning and Its Application to Theft Judicial Sentencing - ICDM'20, 2020. [All Versions]. [Preprint]. In many practical tasks, there are usually two kinds of common information: cheap unlabeled data and domain knowledge in the form of symbols. There are some attempts using one single information source, such as semi-supervised learning and abductive learning. However, there is little work to use these two kinds of information sources at the same time, because it is very difficult to combine symbolic logical representation and numerical model optimization effectively. The learning becomes even more challenging when the domain knowledge is insufficient. This paper presents an attempt-Semi-Supervised ABductive Learning (SS-ABL) framework. In this framework, semi-supervised learning is trained via pseudo labels of unlabeled data generated by abductive learning, and the background knowledge is refined via the label distribution predicted by semi-supervised learning. The above framework can be optimized iteratively and can be naturally interpretable. The effectiveness of the framework has been fully verified in the theft judicial sentencing of real legal documents. In the case of missing sentencing elements and mixed legal rules, the framework is apparently superior to many existing baseline practices, and provides explanatory assistance to judicial sentencing.
Explainability / Trustworthy AI
- A tale of two explanations: Enhancing human trust by explaining robot behavior - Science Robotics, 2019. [All Versions]. [Preprint]. The ability to provide comprehensive explanations of chosen actions is a hallmark of intelligence. Lack of this ability impedes the general acceptance of AI and robot systems in critical tasks. This paper examines what forms of explanations best foster human trust in machines and proposes a framework in which explanations are generated from both functional and mechanistic perspectives. The robot system learns from human demonstrations to open medicine bottles using (i) an embodied haptic prediction model to extract knowledge from sensory feedback, (ii) a stochastic grammar model induced to capture the compositional structure of a multistep task, and (iii) an improved Earley parsing algorithm to jointly leverage both the haptic and grammar models. The robot system not only shows the ability to learn from human demonstrators but also succeeds in opening new, unseen bottles. Using different forms of explanations generated by the robot system, we conducted a psychological experiment to examine what forms of explanations best foster human trust in the robot. The authors found that comprehensive and real-time visualizations of the robot’s internal decisions were more effective in promoting human trust than explanations based on summary text descriptions. In addition, forms of explanation that are best suited to foster trust do not necessarily correspond to the model components contributing to the best task performance. This divergence shows a need for the robotics community to integrate model components to enhance both task execution and human trust in machines.
- X-ToM: Explaining with Theory-of-Mind for Gaining Justified Human Trust - CVPR XAI Workshop'19, 2019. [All Versions]. This work presents a new explainable AI (XAI) framework aimed at increasing justified human trust and reliance in the AI machine through explanations. The authors pose explanation as an iterative communication process, i.e. dialog, between the machine and human user. More concretely, the machine generates sequence of explanations in a dialog which takes into account three important aspects at each dialog turn: (a) human's intention (or curiosity); (b) human's understanding of the machine; and (c) machine's understanding of the human user. To do this, the authors use Theory of Mind (ToM) which helps us in explicitly modeling human's intention, machine's mind as inferred by the human as well as human's mind as inferred by the machine. In other words, these explicit mental representations in ToM are incorporated to learn an optimal explanation policy that takes into account human's perception and beliefs. Furthermore, the authors also show that ToM facilitates in quantitatively measuring justified human trust in the machine by comparing all the three mental representations. We applied our framework to three visual recognition tasks, namely, image classification, action recognition, and human body pose estimation. The authors argue that our ToM based explanations are practical and more natural for both expert and non-expert users to understand the internal workings of complex machine learning models. This is the first work to derive explanations using ToM. Extensive human study experiments verify our hypotheses, showing that the proposed explanations significantly outperform the state-of-the-art XAI methods in terms of all the standard quantitative and qualitative XAI evaluation metrics including human trust, reliance, and explanation satisfaction.
- Explaining machine learning models with interactive natural language conversations using TalkToModel - Nature Machine Intelligence, 2023. [All Versions]. Practitioners increasingly use machine learning (ML) models, yet models have become more complex and harder to understand. To understand complex models, researchers have proposed techniques to explain model predictions. However, practitioners struggle to use explainability methods because they do not know which explanation to choose and how to interpret the explanation. This work addresses the challenge of using explainability methods by proposing TalkToModel: an interactive dialogue system that explains ML models through natural language conversations. TalkToModel consists of three components: an adaptive dialogue engine that interprets natural language and generates meaningful responses; an execution component that constructs the explanations used in the conversation; and a conversational interface. In real-world evaluations, 73% of healthcare workers agreed they would use TalkToModel over existing systems for understanding a disease prediction model, and 85% of ML professionals agreed TalkToModel was easier to use, demonstrating that TalkToModel is highly effective for model explainability.
Science Logology / AI Assisted Research
- Machine learning-assisted molecular design and efficiency prediction for high-performance organic photovoltaic materials - Science Advances, 2019. [All Versions]. In the process of finding high-performance materials for organic photovoltaics (OPVs), it is meaningful if one can establish the relationship between chemical structures and photovoltaic properties even before synthesizing them. This work first establishes a database containing over 1700 donor materials reported in the literature. Through supervised learning, our machine learning (ML) models can build up the structure-property relationship and, thus, implement fast screening of OPV materials. The authors explore several expressions for molecule structures, i.e., images, ASCII strings, descriptors, and fingerprints, as inputs for various ML algorithms. It is found that fingerprints with length over 1000 bits can obtain high prediction accuracy. The reliability of the approach is further verified by screening 10 newly designed donor materials. Good consistency between model predictions and experimental outcomes is obtained. The result indicates that ML is a powerful tool to prescreen new OPV materials, thus accelerating the development of the OPV field.
- Design of metalloproteins and novel protein folds using variational autoencoders - Scientific Reports, 2018. [All Versions]. The design of novel proteins has many applications but remains an attritional process with success in isolated cases. Meanwhile, deep learning technologies have exploded in popularity in recent years and are increasingly applicable to biology due to the rise in available data. This work attempts to link protein design and deep learning by using variational autoencoders to generate protein sequences conditioned on desired properties. Potential copper and calcium binding sites are added to non-metal binding proteins without human intervention and compared to a hidden Markov model. In another use case, a grammar of protein structures is developed and used to produce sequences for a novel protein topology. One candidate structure is found to be stable by molecular dynamics simulation. The ability of the model to confine the vast search space of protein sequences and to scale easily has the potential to assist in a variety of protein design tasks.
Jul 13, 2025
1. Awesome Zsh Plugins
Plugins / superconsole - Windows-only
- sshinfo (⭐0) - displays resolved SSH connection details (like the final hostname, port, user, and proxies) before connecting. This is useful for verifying your SSH configuration, especially when dealing with complex setups involving aliases, proxies, or multiple configuration files.
Completions / superconsole - Windows-only
- codex (⭐0) - Vibe-coded tab completion for OpenAI's codex (⭐31k) tool. Generates completions in the background so it doesn't slow down shell startup.
- Next: Jul 12, 2025
Top 50 Awesome List
- Awesome List - (Source ⭐ 382K 📝 07/14 ) - 😎 Awesome lists about all kinds of interesting topics
- Awesome Selfhosted - (Source ⭐ 236K 📝 07/15 ) - A list of Free Software network services and web applications which can be hosted on your own servers
- Awesome Go - (Source ⭐ 147K 📝 07/15 ) - A curated list of awesome Go frameworks, libraries and software
- Free for Dev - (Source ⭐ 105K 📝 07/15 ) - A list of SaaS, PaaS and IaaS offerings that have free tiers of interest to devops and infradev
- Awesome Mac - (Source ⭐ 85K 📝 07/14 ) - Now we have become very big, Different from the original idea. Collect premium software in various categories.
- Awesome for Beginners - (Source ⭐ 75K 📝 07/14 ) - A list of awesome beginners-friendly projects.
- Awesome Vue - (Source ⭐ 73K 📝 07/14 ) - 🎉 A curated list of awesome things related to Vue.js
- Free Programming Books (English, By Programming Language) - (Source ⭐ 361K 📝 06/27 ) - 📚 Freely available programming books
- Awesome Cpp - (Source ⭐ 65K 📝 07/14 ) - A curated list of awesome C++ (or C) frameworks, libraries, resources, and shiny things. Inspired by awesome-... stuff.
- Awesome Nodejs - (Source ⭐ 62K 📝 07/14 ) - ⚡ Delightful Node.js packages and resources
- Awesome Rust - (Source ⭐ 51K 📝 07/14 ) - A curated list of Rust code and resources.
- Awesome Javascript - (Source ⭐ 34K 📝 07/14 ) - 🐢 A collection of awesome browser-side JavaScript libraries, resources and shiny things.
- Awesome Falsehood - (Source ⭐ 26K 📝 07/14 ) - 😱 Falsehoods Programmers Believe in
- Awesome Pentest - (Source ⭐ 24K 📝 07/14 ) - A collection of awesome penetration testing resources, tools and other shiny things
- Awesome Algorithms - (Source ⭐ 23K 📝 07/14 ) - A curated list of awesome places to learn and/or practice algorithms.
- Awesome Osint - (Source ⭐ 22K 📝 07/14 ) - 😱 A curated list of amazingly awesome OSINT
- Awesome Dotnet - (Source ⭐ 20K 📝 07/14 ) - A collection of awesome .NET libraries, tools, frameworks and software
- Awesome Neovim - (Source ⭐ 18K 📝 07/15 ) - Collections of awesome neovim plugins.
- Awesome Readme - (Source ⭐ 19K 📝 07/14 ) - A curated list of awesome READMEs
- Awesome Privacy - (Source ⭐ 15K 📝 07/14 ) - Awesome Privacy - A curated list of services and alternatives that respect your privacy because PRIVACY MATTERS.
- Awesome Graphql - (Source ⭐ 15K 📝 07/14 ) - Awesome list of GraphQL
- Magictools - (Source ⭐ 15K 📝 07/14 ) - 🎮 📝 A list of Game Development resources to make magic happen.
- Awesome Zsh Plugins - (Source ⭐ 16K 📝 07/13 ) - A collection of ZSH frameworks, plugins, themes and tutorials.
- Awesome Creative Coding - (Source ⭐ 14K 📝 07/14 ) - Creative Coding: Generative Art, Data visualization, Interaction Design, Resources.
- Awesome Elixir - (Source ⭐ 13K 📝 07/14 ) - A curated list of amazingly awesome Elixir and Erlang libraries, resources and shiny things. Updates:
- Awesome Ddd - (Source ⭐ 12K 📝 07/14 ) - A curated list of Domain-Driven Design (DDD), Command Query Responsibility Segregation (CQRS), Event Sourcing, and Event Storming resources
- Awesome Django - (Source ⭐ 10K 📝 07/15 ) - A curated list of awesome things related to Django
- Awesome Machine Learning - (Source ⭐ 68K 📝 06/26 ) - A curated list of awesome Machine Learning frameworks, libraries and software.
- Awesome Angular - (Source ⭐ 9.8K 📝 07/15 ) - 📄 A curated list of awesome Angular resources
- Awesome Fastapi - (Source ⭐ 10K 📝 07/14 ) - A curated list of awesome things related to FastAPI
- Awesome Tmux - (Source ⭐ 8.6K 📝 07/15 ) - A list of awesome resources for tmux
- Android Security Awesome - (Source ⭐ 8.7K 📝 07/14 ) - A collection of android security related resources
- Awesome Godot - (Source ⭐ 8.2K 📝 07/14 ) - A curated list of free/libre plugins, scripts and add-ons for Godot
- Awesome Embedded Rust - (Source ⭐ 7.2K 📝 07/14 ) - Curated list of resources for Embedded and Low-level development in the Rust programming language
- Git Cheat Sheet - (Source ⭐ 7.1K 📝 07/14 ) - 🐙 git and git flow cheat sheet
- Awesome Talks - (Source ⭐ 6.2K 📝 07/14 ) - Awesome online talks and screencasts
- Awesome Fp Js - (Source ⭐ 6K 📝 07/14 ) - 😎 A curated list of awesome functional programming stuff in js
- Awesome Datascience - (Source ⭐ 27K 📝 06/29 ) - 📝 An awesome Data Science repository to learn and apply for real world problems.
- ALL About RSS - (Source ⭐ 5.3K 📝 07/14 ) - A list of RSS related stuff: tools, services, communities and tutorials, etc.
- Awesome Eslint - (Source ⭐ 4.6K 📝 07/14 ) - A list of awesome ESLint plugins, configs, etc.
- Awesome Ipfs - (Source ⭐ 4.5K 📝 07/14 ) - Community list of awesome projects, apps, tools, pinning services and more related to IPFS.
- Awesome Newsletters - (Source ⭐ 4.1K 📝 07/15 ) - A list of amazing Newsletters
- Awesome Deno - (Source ⭐ 4.4K 📝 07/14 ) - Curated list of awesome things related to Deno
- Awesome Nix - (Source ⭐ 4.1K 📝 07/14 ) - 😎 A curated list of the best resources in the Nix community [maintainer=@cyntheticfox]
- Awesome Data Engineering - (Source ⭐ 7.5K 📝 07/08 ) - A curated list of data engineering tools for software developers
- Awesome Love2d - (Source ⭐ 3.9K 📝 07/14 ) - A curated list of amazingly awesome LÖVE libraries, resources and shiny things.
- Awesome Pcaptools - (Source ⭐ 3.3K 📝 07/15 ) - A collection of tools developed by other researchers in the Computer Science area to process network traces. All the right reserved for the original authors.
- Awesome Iot - (Source ⭐ 3.5K 📝 07/14 ) - 🤖 A curated list of awesome Internet of Things projects and resources.
- Awesome Rails - (Source ⭐ 3.8K 📝 07/12 ) - A curated list of awesome things related to Ruby on Rails
- Awesome Generative Deep Art - (Source ⭐ 3K 📝 07/14 ) - A curated list of Generative AI tools, works, models, and references
All Tracked List
Back-End Development
- Awesome Cakephp - (Source ⭐ 917, 📝 06/11 ) - A curated list of amazingly awesome CakePHP plugins, resources and shiny things.
- Awesome Cdk - (Source ⭐ 1.6K, 📝 22/06/28 ) - A collection of awesome things related to the AWS Cloud Development Kit (CDK)
- Awesome Dash - (Source ⭐ 2.1K, 📝 24/12/30 ) - A curated list of awesome Dash (plotly) resources
- Awesome Docker - (Source ⭐ 32K, 📝 05/18 ) - 🐳 A curated list of Docker resources and projects
- Awesome Dropwizard - (Source ⭐ 83, 📝 18/10/30 ) -
- Awesome Fastapi - (Source ⭐ 10K, 📝 07/14 ) - A curated list of awesome things related to FastAPI
- Awesome Fiber - (Source ⭐ 669, 📝 05/19 ) - ✨ A curated list of awesome Fiber middlewares, boilerplates, recipes, articles and tools.
- Awesome Flask - (Source ⭐ 1.5K, 📝 01/09 ) - A curated list of awesome things related to Flask
- Awesome Iam - (Source ⭐ 2K, 📝 07/07 ) - 👤 Identity and Access Management knowledge for cloud platforms
- Awesome Laravel - (Source ⭐ 11K, 📝 20/05/08 ) - A curated list of bookmarks, packages, tutorials, videos and other cool resources from the Laravel ecosystem
- Awesome Laravel Education - (Source ⭐ 356, 📝 19/04/02 ) - A curated list of resources for learning about the Laravel PHP Framework
- Awesome Laravel Filament - (Source ⭐ 0, 📝 24/09/08 ) - A list for the topic laravel and filament
- Awesome Lumen - (Source ⭐ 318, 📝 20/06/11 ) - 👓 📚 Curated list of awesome resources: books, videos, articles about using Lumen (PHP Microframework by Laravel)
- Awesome Phalcon - (Source ⭐ 606, 📝 23/07/17 ) - A curated list of awesome Phalcon libraries and resources
- Awesome Play1 - (Source ⭐ 39, 📝 15/08/07 ) - A collection of modules, tools and resources for play1
- Awesome Pyramid - (Source ⭐ 530, 📝 21/07/08 ) - A curated list of awesome Pyramid apps, projects and resources.
- Awesome Rails - (Source ⭐ 3.8K, 📝 07/12 ) - A curated list of awesome things related to Ruby on Rails
- Awesome Rails Gem - (Source ⭐ 2.8K, 📝 18/03/13 ) - A collection of awesome Ruby Gems for Rails development.
- Awesome Serverless - (Source ⭐ 2.1K, 📝 19/05/23 ) - DEPRECATED: Curated list of resources related to serverless computing and serverless architectures.
- Awesome Slim - (Source ⭐ 10, 📝 22/09/03 ) - A curated list of awesome Slim framework packages and resources.
- Awesome Symfony - (Source ⭐ 1.5K, 📝 22/12/04 ) - A list of awesome Symfony bundles, utilities and resources.
- Awesome Symfony Education - (Source ⭐ 316, 📝 19/02/23 ) - Useful sources around Symfony - articles, series and books (not Bundles)
- Awesome Tall Stack - (Source ⭐ 748, 📝 22/02/03 ) - A curated list of awesome things related to the TALL stack.
- Awesome Terraform - (Source ⭐ 5.9K, 📝 06/02 ) - Curated list of resources on HashiCorp's Terraform and OpenTofu
- Awesome Vagrant - (Source ⭐ 563, 📝 20/10/07 ) - A curated list of awesome Vagrant resources, plugins, tutorials and other nice things.
- Awesome Vapor - (Source ⭐ 980, 📝 19/10/21 ) - A curated list of Vapor-related awesome projects.
- Awesome Wicket - (Source ⭐ 66, 📝 20/08/16 ) - A curated list of awesome projects powered by Apache Wicket
- Htaccess - (Source ⭐ 12K, 📝 18/10/28 ) - ✂A collection of useful .htaccess snippets.
- Nginx Resources - (Source ⭐ 3.4K, 📝 23/08/27 ) - A collection of resources covering Nginx, Nginx + Lua, OpenResty and Tengine
- Vertx Awesome - (Source ⭐ 2.2K, 📝 24/11/08 ) - A curated list of awesome Vert.x resources, libraries, and other nice things.
Big Data
- Awesome Bigdata - (Source ⭐ 13K, 📝 02/14 ) - A curated list of awesome big data frameworks, ressources and other awesomeness.
- Awesome Data Engineering - (Source ⭐ 7.5K, 📝 07/08 ) - A curated list of data engineering tools for software developers
- Awesome Hadoop - (Source ⭐ 1K, 📝 22/01/24 ) - A curated list of amazingly awesome Hadoop and Hadoop ecosystem resources
- Awesome Qlik - (Source ⭐ 30, 📝 19/11/15 ) - A curated list of awesome Qlik extensions and resources for Qlik Sense and QlikView
- Awesome Spark - (Source ⭐ 1.7K, 📝 24/10/24 ) - A curated list of awesome Apache Spark packages and resources.
- Awesome Splunk - (Source ⭐ 79, 📝 20/09/11 ) - A collection of awesome resources for Splunk
- Awesome Streaming - (Source ⭐ 2.8K, 📝 05/11 ) - a curated list of awesome streaming frameworks, applications, etc
Books
- Awesome Book Authoring - (Source ⭐ 283, 📝 19/12/06 ) - 📚 A collection of awesome resources for technical book authors
- Awesome Ios Books - (Source ⭐ 509, 📝 03/19 ) - 📚 Directory of iOS books
- ElixirBooks - (Source ⭐ 1.2K, 📝 22/08/14 ) - List of Elixir books
- Free Programming Books (English, By Programming Language) - (Source ⭐ 361K, 📝 06/27 ) - 📚 Freely available programming books
- GoBooks - (Source ⭐ 18K, 📝 24/09/04 ) - List of Golang books
- Rbooks - (Source ⭐ 192, 📝 17/10/11 ) - A curated list of #rstats books
Business
- Awesome Billing - (Source ⭐ 1.1K, 📝 07/01 ) - 💰 Billing & Payments knowledge for cloud platforms
- Awesome Clean Tech - (Source ⭐ 377, 📝 23/04/25 ) - A community curated list of awesome clean tech companies
- Awesome Developer First - (Source ⭐ 1.3K, 📝 07/01 ) - A curated list of awesome developer-first tools products.
- Awesome Engineering Team Management - (Source ⭐ 2.2K, 📝 06/09 ) - 👔 How to transition from software development to engineering management
- Awesome Indie - (Source ⭐ 9.5K, 📝 22/01/09 ) - Resources for independent developers to make money
- Awesome Leading and Managing - (Source ⭐ 0, 📝 70/01/01 ) -
- Awesome Okr - (Source ⭐ 1.4K, 📝 21/09/13 ) - A curated list about OKR (Objective - Key Results)
- Awesome Open Company - (Source ⭐ 907, 📝 24/01/11 ) - A community-curated list of awesome open companies.
- Awesome Social Enterprise - (Source ⭐ 100, 📝 24/12/23 ) - 📗Resources to dive into the world of social enterprises 🌼
- Awesome Wardley Maps - (Source ⭐ 680, 📝 24/12/09 ) - Wardley maps community hub. Useful Wardley mapping resources
- PlacesToPostYourStartup - (Source ⭐ 6K, 📝 01/01 ) - Compiled list of links from "Ask HN: Where can I post my startup to get beta users?"
ChatGPT
- Awesome Chatgpt - (Source ⭐ 1.5K, 📝 70/01/01 ) - Curated list of awesome tools, demos, docs for ChatGPT and GPT-3
- Awesome Chatgpt - (Source ⭐ 536, 📝 23/03/13 ) - Curated list of ChatGPT related resource, tools, prompts, apps / ChatGPT 相關優質資源、工具、應用的精選清單。
- Awesome Chatgpt - (Source ⭐ 557, 📝 23/07/20 ) - Selected ChatGPT demos, tools, articles, and more ✨
- Awesome Chatgpt Prompts - (Source ⭐ 4K, 📝 06/02 ) - This repo includes ChatGPT promt curation to use ChatGPT better.
- Awesome Langchain - (Source ⭐ 8.3K, 📝 05/10 ) - 😎 Awesome list of tools and projects with the awesome LangChain framework
Computer Science
- Ai Collective Tools - (Source ⭐ 118, 📝 07/14 ) - Explore a curated selection of AI tools and resources
- Asdf Plugins - (Source ⭐ 1.3K, 📝 23/02/13 ) - Convenience shortname repository for asdf community plugins
- Awesome Ai in Finance - (Source ⭐ 4.2K, 📝 07/02 ) - 🔬 A curated list of awesome LLMs & deep learning strategies & tools in financial market.
- Awesome Ai Tools - (Source ⭐ 2.2K, 📝 02/16 ) - A curated list of Artificial Intelligence Top Tools
- Awesome Cern - (Source ⭐ 54, 📝 02/13 ) - A curated list of awesome open source frameworks, libraries and software developed by CERN for the world
- Awesome Computer Vision - (Source ⭐ 17K, 📝 21/09/28 ) - A curated list of awesome computer vision resources
- Awesome Conversational Ai - (Source ⭐ 51, 📝 22/01/23 ) - A curated list of delightful Conversational AI resources.
- Awesome CoreML Models - (Source ⭐ 6.7K, 📝 06/17 ) - Largest list of models for Core ML (for iOS 11+)
- Awesome Courses - (Source ⭐ 43K, 📝 22/11/13 ) - 📚 List of awesome university courses for learning Computer Science!
- Awesome Crypto Papers - (Source ⭐ 1.8K, 📝 24/10/18 ) - A curated list of cryptography papers, articles, tutorials and howtos.
- Awesome Cryptography - (Source ⭐ 6.3K, 📝 06/05 ) - A curated list of cryptography resources and links.
- Awesome Datascience - (Source ⭐ 27K, 📝 06/29 ) - 📝 An awesome Data Science repository to learn and apply for real world problems.
- Awesome Deep Learning - (Source ⭐ 25K, 📝 05/26 ) - A curated list of awesome Deep Learning tutorials, projects and communities.
- Awesome Deep Learning Papers - (Source ⭐ 24K, 📝 17/09/22 ) - The most cited deep learning papers
- Awesome Deep Learning Resources - (Source ⭐ 1.5K, 📝 21/08/04 ) - Rough list of my favorite deep learning resources, useful for revisiting topics or for reference. I have got through all of the content listed there, carefully. - Guillaume Chevalier
- Awesome Deep Vision - (Source ⭐ 10K, 📝 17/03/13 ) - A curated list of deep learning resources for computer vision
- Awesome Design Patterns - (Source ⭐ 40K, 📝 23/12/06 ) - A curated list of software and architecture related design patterns.
- Awesome Functional Programming - (Source ⭐ 929, 📝 24/04/22 ) - 👽 A curated list of functional programming resources such as blog posts, communities, discussion topics, wikis and more.
- Awesome H2o - (Source ⭐ 345, 📝 23/05/19 ) - A curated list of research, applications and projects built using the H2O Machine Learning platform
- Awesome Information Retrieval - (Source ⭐ 894, 📝 17/10/23 ) - A curated list of awesome information retrieval resources
- Awesome Jax - (Source ⭐ 1.7K, 📝 02/23 ) - JAX - A curated list of resources https://github.com/google/jax
- Awesome Learn Datascience - (Source ⭐ 637, 📝 24/06/08 ) - 📈 Curated list of resources to help you get started with Data Science
- Awesome Linguistics - (Source ⭐ 390, 📝 02/22 ) - A curated list of anything remotely related to linguistics
- Awesome Machine Learning - (Source ⭐ 68K, 📝 06/26 ) - A curated list of awesome Machine Learning frameworks, libraries and software.
- Awesome Msr - (Source ⭐ 440, 📝 06/25 ) - A curated repository of software engineering repository mining data sets
- Awesome Nlg - (Source ⭐ 424, 📝 23/09/03 ) - A curated list of resources dedicated to Natural Language Generation (NLG)
- Awesome Qa - (Source ⭐ 706, 📝 21/01/13 ) - 😎 A curated list of the Question Answering (QA)
- Awesome Quantum Computing - (Source ⭐ 2.4K, 📝 23/08/12 ) - A curated list of awesome quantum computing learning and developing resources.
- Awesome Seml - (Source ⭐ 1K, 📝 22/02/11 ) - A curated list of articles that cover the software engineering best practices for building machine learning applications.
- Awesome Spanish Nlp - (Source ⭐ 324, 📝 24/01/09 ) - Curated list of Linguistic Resources for doing NLP & CL on Spanish
- Awesome Tensorflow - (Source ⭐ 17K, 📝 03/10 ) - TensorFlow - A curated list of dedicated resources http://tensorflow.org
- Awesome Tensorflow Js - (Source ⭐ 175, 📝 21/04/04 ) - Awesome TensorFlow.js - A curated list of dedicated resources to master TensorFlow.js
- Awesome Tensorflow Lite - (Source ⭐ 960, 📝 22/02/15 ) - An awesome list of TensorFlow Lite models, samples, tutorials, tools and learning resources.
- Awesome Theoretical Computer Science - (Source ⭐ 884, 📝 03/03 ) - Math & CS Awesome List, distinguished by proof and logic and technique
- Awesome Xai - (Source ⭐ 54, 📝 21/05/04 ) - Awesome Explainable AI (XAI) and Interpretable ML Papers and Resources
- Computer Science - (Source ⭐ 185K, 📝 21/07/23 ) - 🎓 Path to a free self-taught education in Computer Science!
- Machine Learning Tutorials - (Source ⭐ 12K, 📝 21/10/01 ) - machine learning and deep learning tutorials, articles and other resources
- Machine Learning with Ruby - (Source ⭐ 2.1K, 📝 24/12/27 ) - Curated list: Resources for machine learning in Ruby
- Nlp with Ruby - (Source ⭐ 967, 📝 22/08/27 ) - Curated List: Practical Natural Language Processing done in Ruby
- Static Analysis - (Source ⭐ 14K, 📝 05/13 ) - ⚙️ A curated list of static analysis (SAST) tools and linters for all programming languages, config files, build tools, and more. The focus is on tools which improve code quality.
Content Management Systems
- Awesome - (Source ⭐ 491, 📝 23/02/02 ) - A collection of awesome Craft CMS plugins, articles, resources and shiny things.
- Awesome Directus - (Source ⭐ 551, 📝 24/11/12 ) - A curated list of awesome things related to Directus
- Awesome Drupal - (Source ⭐ 79, 📝 18/07/05 ) - Useful resources for Drupal CMS 💧
- Awesome Plone - (Source ⭐ 57, 📝 24/12/27 ) - Add-ons and resources for the CMS Plone
- Awesome Refinerycms - (Source ⭐ 29, 📝 16/04/07 ) - A collection of awesome Refinery CMS extensions, resources and shiny things.
- Awesome Silverstripe Cms - (Source ⭐ 47, 📝 23/07/27 ) - Useful resources for Silverstripe CMS and framework
- Awesome Sitecore - (Source ⭐ 77, 📝 04/09 ) - Awesome lists of useful Sitecore tools, extensions and GitHub repositories
- Awesome Umbraco - (Source ⭐ 202, 📝 22/08/04 ) - A curated list of awesome Umbraco packages, resources and tools
- Awesome Wagtail - (Source ⭐ 2.1K, 📝 01/31 ) - A curated list of awesome packages, articles, and other cool resources from the Wagtail community.
Data Engineering
- Awesome Sql Playground - (Source ⭐ 1, 📝 03/13 ) - A curated list of the best SQL playgrounds and online SQL compilers for practicing and testing SQL queries directly in your browser.
Databases
- Awesome Cassandra - (Source ⭐ 201, 📝 21/11/29 ) - A curated list of the best resources in the Cassandra community.
- Awesome Couchdb - (Source ⭐ 159, 📝 23/05/09 ) - CouchDB - curated meta resources & best practices list
- Awesome Db - (Source ⭐ 1K, 📝 15/11/04 ) - A curated list of amazingly awesome database libraries, resources and shiny things by https://www.numetriclabz.com/
- Awesome Db Tools - (Source ⭐ 4.3K, 📝 02/07 ) - Everything that makes working with databases easier
- Awesome Hbase - (Source ⭐ 157, 📝 22/06/04 ) - A curated list of awesome HBase projects and resources.
- Awesome Influxdb - (Source ⭐ 761, 📝 21/11/12 ) - A curated list of awesome projects, libraries, tools, etc. related to InfluxDB
- Awesome Mongodb - (Source ⭐ 2.5K, 📝 06/12 ) - 🍃 A curated list of awesome MongoDB resources, libraries, tools and applications
- Awesome Mysql - (Source ⭐ 2.4K, 📝 03/20 ) - A curated list of awesome MySQL software, libraries, tools and resources
- Awesome Neo4j - (Source ⭐ 453, 📝 18/05/21 ) - A curated list of Neo4j resources.
- Awesome Nosql Guides - (Source ⭐ 184, 📝 22/03/29 ) - 💻 Curated list of awesome resources and links about using NoSQL databases
- Awesome Postgres - (Source ⭐ 11K, 📝 06/27 ) - A curated list of awesome PostgreSQL software, libraries, tools and resources, inspired by awesome-mysql
- Awesome Rethinkdb - (Source ⭐ 109, 📝 16/05/09 ) - A curated list of awesome RethinkDB resources, libraries, tools and applications
- Awesome Tdengine - (Source ⭐ 43, 📝 23/03/31 ) - 🎉 A curated list of awesome projects related to TDengine
- Awesome Tinkerpop - (Source ⭐ 161, 📝 17/12/08 ) - A curated list of useful libraries for Apache TinkerPop3 and Tinkerpop2
- Typedb Awesome - (Source ⭐ 64, 📝 23/10/19 ) - A curated list of awesome TypeDB frameworks libraries, software and resources.
Decentralized Systems
- Alternative Internet - (Source ⭐ 5.4K, 📝 05/29 ) - A collection of interesting new networks and tech aiming at decentralisation (in some form).
- Awesome Algorand - (Source ⭐ 200, 📝 03/31 ) - ⚡A curated list of awesome resources related to the Ⱥlgorand Blockchain ⛓
- Awesome Bitcoin - (Source ⭐ 1.3K, 📝 04/21 ) - A curated list of bitcoin services and tools for software developers
- Awesome Blockchain Ai - (Source ⭐ 697, 📝 23/08/29 ) - A curated list of Blockchain projects for Artificial Intelligence and Machine Learning
- Awesome Corda - (Source ⭐ 67, 📝 21/08/10 ) - A curated list of awesome Corda resources
- Awesome Decentralized - (Source ⭐ 937, 📝 07/11 ) - 🕶 Awesome list of distributed, decentralized, p2p apps and tools 👍
- Awesome Eosio - (Source ⭐ 78, 📝 02/06 ) - 😎 A curated list of awesome EOSIO resources for users and developers.
- Awesome Ethereum - (Source ⭐ 227, 📝 22/01/08 ) - A Curated List of Awesome Ethereum Resources
- Awesome Golem - (Source ⭐ 169, 📝 24/01/17 ) - A community-curated list of awesome projects and resources related to the Golem peer-to-peer computational resources marketplace.
- Awesome Mastodon - (Source ⭐ 431, 📝 21/01/10 ) - Curated list of awesome Mastodon-related stuff!
- Awesome Non Financial Blockchain - (Source ⭐ 574, 📝 20/10/12 ) - Curated list of projects that build non-financial applications of blockchain
- Awesome Pleb Projects - (Source ⭐ 4, 📝 23/02/20 ) - A List of Awesome Bitcoin (Pleb) Projects
- Awesome Ripple - (Source ⭐ 169, 📝 21/07/02 ) - A curated list of Ripple resources
- Awesome Stacks Chain - (Source ⭐ 98, 📝 24/05/30 ) - A list of Awesome Stacks related stuff. Stacks, the blockchain using Proof of Transfer
- Awesome Substrate - (Source ⭐ 719, 📝 24/04/21 ) - A curated list of awesome projects and resources related to the Substrate blockchain development framework.
- Awesome Waves - (Source ⭐ 69, 📝 20/10/05 ) - Curated list of awesome things for development on Waves blockchain.
DevOps
- Awesome Kustomize - (Source ⭐ 104, 📝 05/09 ) - A curated and collaborative list of awesome Kustomize resources
- Awesome Opentofu - (Source ⭐ 141, 📝 07/14 ) - A curated list of OpenTofu tools, resources, and related projects.
Development Environment
- Awesome Actions - (Source ⭐ 25K, 📝 24/09/02 ) - A curated list of awesome actions to use on GitHub
- Awesome Alfred Workflows - (Source ⭐ 3.1K, 📝 22/11/14 ) - A curated list of awesome alfred workflows
- Awesome Bash - (Source ⭐ 7.7K, 📝 24/09/08 ) - A curated list of delightful Bash scripts and resources.
- Awesome Browser Extensions for Github - (Source ⭐ 3K, 📝 23/10/24 ) - A collection of awesome browser extensions for GitHub.
- Awesome Ci - (Source ⭐ 3.8K, 📝 03/20 ) - The list of continuous integration services and tools
- Awesome Cli Apps - (Source ⭐ 15K, 📝 24/11/22 ) - 🖥 📊 🕹 🛠 A curated list of command line apps
- Awesome Devenv - (Source ⭐ 2.4K, 📝 22/09/20 ) - A curated list of awesome tools, resources and workflow tips making an awesome development environment.
- Awesome Devtools - (Source ⭐ 366, 📝 23/12/26 ) - 🤖 A curated list of in-browser bookmarklets, tools, and resources for modern full-stack software engineers.
- Awesome Dotfiles - (Source ⭐ 9.8K, 📝 06/19 ) - A curated list of dotfiles resources.
- Awesome Git Hooks - (Source ⭐ 919, 📝 24/01/27 ) - ⚓ A curated list of awesome git hooks
- Awesome Github - (Source ⭐ 726, 📝 21/04/25 ) - A curated list of GitHub's awesomeness
- Awesome Pinned Gists - (Source ⭐ 2K, 📝 01/04 ) - 📌✨ A collection of awesome dynamic pinned gists for GitHub
- Awesome Powershell - (Source ⭐ 3.6K, 📝 22/05/28 ) - A curated list of delightful PowerShell modules and resources
- Awesome Qgis - (Source ⭐ 10, 📝 70/01/01 ) - An awesome list that curates the best QGis frameworks, libraries, tools, plugins, tutorials, articles,resources and more.
- Awesome Shell - (Source ⭐ 30K, 📝 24/02/20 ) - A curated list of awesome command-line frameworks, toolkits, guides and gizmos. Inspired by awesome-php.
- Awesome Ssh - (Source ⭐ 2K, 📝 21/09/14 ) - 💻 A curated list of SSH resources.
- Awesome Sysadmin - (Source ⭐ 30K, 📝 04/08 ) - A curated list of amazingly awesome open-source sysadmin resources.
- Awesome Tmux - (Source ⭐ 8.6K, 📝 07/15 ) - A list of awesome resources for tmux
- Awesome WSL - (Source ⭐ 5.3K, 📝 24/04/02 ) - Awesome list dedicated to Windows Subsystem for Linux
- Awesome Zsh Plugins - (Source ⭐ 16K, 📝 07/13 ) - A collection of ZSH frameworks, plugins, themes and tutorials.
- awsm.fish - (Source ⭐ 4K, 📝 24/05/11 ) - A curation of prompts, plugins & other Fish treasures 🐚💎
- FOSS for Dev - (Source ⭐ 965, 📝 24/02/02 ) - A hub of Free and open-source software for developers
- Git Cheat Sheet - (Source ⭐ 7.1K, 📝 07/14 ) - 🐙 git and git flow cheat sheet
- Github Cheat Sheet - (Source ⭐ 43K, 📝 20/02/02 ) - A list of cool features of Git and GitHub.
- Quick Look Plugins - (Source ⭐ 18K, 📝 04/25 ) - List of useful Quick Look plugins for developers
- Terminals Are Sexy - (Source ⭐ 11K, 📝 20/12/13 ) - 💥 A curated list of Terminal frameworks, plugins & resources for CLI lovers.
- Tips - (Source ⭐ 21K, 📝 23/05/03 ) - Most commonly used git tips and tricks.
Editors
- Awesome Atom - (Source ⭐ 1.9K, 📝 18/12/14 ) - A curated list of delightful Atom packages and resources.
- Awesome Neovim - (Source ⭐ 18K, 📝 07/15 ) - Collections of awesome neovim plugins.
- Awesome Vscode - (Source ⭐ 23K, 📝 23/08/03 ) - 🎨 A curated list of delightful VS Code packages and resources.
- Sublime Bookmarks - (Source ⭐ 1K, 📝 24/01/16 ) - Sublime Text essential plugins and resources
- Vim Galore - (Source ⭐ 15K, 📝 18/10/03 ) - 🎓 All things Vim!
Entertainment
- Awesome Fantasy - (Source ⭐ 1.3K, 📝 24/01/23 ) - 🏰 Fantasy literature worth reading
- Awesome Geek Podcasts - (Source ⭐ 582, 📝 06/03 ) - A curated list of podcasts we like to listen to.
- Awesome Newsletters - (Source ⭐ 4.1K, 📝 07/15 ) - A list of amazing Newsletters
- Awesome Scifi - (Source ⭐ 4.3K, 📝 23/05/26 ) - Sci-Fi worth consuming
Events
- Awesome Creative Tech Events - (Source ⭐ 113, 📝 20/02/17 ) - A curated list of awesome creative tech events from around the world
- Awesome Italy Events - (Source ⭐ 145, 📝 21/02/11 ) - Curated list of tech related events in Italy
- Awesome Netherlands Events - (Source ⭐ 61, 📝 18/10/03 ) - 🦄 Curated list of awesome Dutch (tech related) events
Finance
- Awesome Quant - (Source ⭐ 20K, 📝 04/09 ) - A curated list of insanely awesome libraries, packages and resources for Quants (Quantitative Finance)
Front-End Development
- Awesome Angular - (Source ⭐ 9.8K, 📝 07/15 ) - 📄 A curated list of awesome Angular resources
- Awesome Ant Design - (Source ⭐ 3.2K, 📝 24/11/25 ) - A curated list of Ant Design resources and related projects. The main idea is that everyone can contribute here, so we can have a central repository of informations about Ant Design that we keep up-to-date
- Awesome Aurelia - (Source ⭐ 306, 📝 19/10/20 ) - A curated list of amazingly awesome Aurelia libraries.
- Awesome Backbone - (Source ⭐ 403, 📝 16/10/31 ) - A list of resources for backbone.js
- Awesome Blazor - (Source ⭐ 9K, 📝 03/01 ) - Resources for Blazor, a .NET web framework using C#/Razor and HTML that runs in the browser with WebAssembly.
- Awesome Browserify - (Source ⭐ 82, 📝 17/01/04 ) - 🔮 A curated list of awesome Browserify resources, libraries, and tools.
- Awesome Building Blocks for Web Apps - (Source ⭐ 110, 📝 23/05/16 ) - Standalone features to be integrated into web applications
- Awesome Canvas - (Source ⭐ 1.4K, 📝 24/01/14 ) - A curated list of awesome HTML5 Canvas with examples, related articles and posts.
- Awesome Charting - (Source ⭐ 1.8K, 📝 20/12/23 ) - A curated list of the best charting and dataviz resources that developers may find useful, including the best JavaScript charting libraries
- Awesome Choo - (Source ⭐ 191, 📝 19/01/30 ) - 🌅 Awesome things related with choo framework
- Awesome Chrome Devtools - (Source ⭐ 6.2K, 📝 01/09 ) - Awesome tooling and resources in the Chrome DevTools & DevTools Protocol ecosystem
- Awesome Css - (Source ⭐ 5K, 📝 24/10/30 ) - 🎨 A curated contents of amazing CSS :)
- Awesome Css Frameworks - (Source ⭐ 8.7K, 📝 04/23 ) - List of awesome CSS frameworks in 2025
- Awesome Cyclejs - (Source ⭐ 826, 📝 20/12/07 ) - A curated list of awesome Cycle.js resources
- Awesome D3 - (Source ⭐ 4.9K, 📝 23/01/14 ) - A list of D3 libraries, plugins and utilities
- Awesome Design - (Source ⭐ 14K, 📝 21/06/14 ) - 🌟 Curated design resources from all over the world.
- Awesome Design Systems - (Source ⭐ 18K, 📝 02/11 ) - 💅🏻 ⚒ A collection of awesome design systems
- Awesome Design Systems - (Source ⭐ 731, 📝 24/12/20 ) - 📒 A curated list of bookmarks, resources and articles about design systems focused on developers.
- Awesome Dojo - (Source ⭐ 75, 📝 18/10/30 ) - A curated list of awesome Dojo JavaScript Toolkit libraries, resources and other shiny things.
- Awesome Draft Js - (Source ⭐ 2.5K, 📝 20/02/18 ) - Awesome list of Draft.js resources
- Awesome Emails - (Source ⭐ 2.4K, 📝 24/10/04 ) - ✉️ An awesome list of resources to build better emails.
- Awesome Ember - (Source ⭐ 191, 📝 24/07/30 ) - A curated list of awesome Ember.js stuff like addons, articles, videos, gists and more.
- Awesome Flexbox - (Source ⭐ 1.1K, 📝 19/09/27 ) - 👓 A curated list of CSS Flexible Box Layout Module or only Flexbox.
- Awesome Html5 - (Source ⭐ 2.1K, 📝 19/11/29 ) - 📝 A curated list of awesome HTML5 resources
- Awesome Inertiajs - (Source ⭐ 237, 📝 24/11/29 ) - A curated list of awesome Inertia.js resources
- Awesome Ionic - (Source ⭐ 843, 📝 24/08/14 ) - An "awesome" list of Ionic resources
- Awesome Jamstack - (Source ⭐ 1.4K, 📝 06/25 ) - Carefully curated list of awesome Jamstack resources
- Awesome Jquery - (Source ⭐ 927, 📝 24/10/05 ) - A curated list of awesome jQuery plugins, resources and other shiny things.
- Awesome Knockout - (Source ⭐ 91, 📝 16/05/06 ) - A curated list of awesome plugins for Knockout
- Awesome Less - (Source ⭐ 52, 📝 17/05/10 ) - 😎 A curated list of awesome {Less}
- Awesome Lit - (Source ⭐ 1.6K, 📝 04/04 ) - A curated list of awesome Lit resources.
- Awesome Marionette - (Source ⭐ 154, 📝 17/01/01 ) - A list of resources for marionette.js
- Awesome Material - (Source ⭐ 593, 📝 22/10/05 ) - A curated list of Google's material design libraries for different frameworks.
- Awesome Material Ui - (Source ⭐ 219, 📝 24/08/28 ) - A curated list of Material-UI resources and related projects. The main idea is that everyone can contribute here, so we can have a central repository of informations about Material-UI that we keep up-to-date
- Awesome Mdbootstrap - (Source ⭐ 42, 📝 24/04/11 ) - A curated list of awesome things related to MDBootstrap
- Awesome Meteor - (Source ⭐ 1.4K, 📝 21/09/07 ) - A curated, community driven list of awesome Meteor packages, libraries, resources and shiny things
- Awesome Mobile Web Development - (Source ⭐ 1.1K, 📝 21/04/14 ) - All that you need to create a great mobile web experience
- Awesome Nextjs - (Source ⭐ 11K, 📝 06/17 ) - 📔 📚 A curated list of awesome resources : books, videos, articles about using Next.js (A minimalistic framework for universal server-rendered React applications)
- Awesome Pagespeed Metrics - (Source ⭐ 656, 📝 21/02/02 ) - ⚡Metrics to help understand page speed and user experience
- Awesome Polymer - (Source ⭐ 393, 📝 18/01/20 ) - A collection of awesome Polymer resources.
- Awesome Preact - (Source ⭐ 867, 📝 24/06/20 ) - A curated list of amazingly awesome things regarding Preact ecosystem 🌟
- Awesome Progressive Web Apps - (Source ⭐ 1.5K, 📝 17/11/24 ) - 🌅 A collection of awesome resources for building progressive web apps
- Awesome React - (Source ⭐ 66K, 📝 24/09/23 ) - A collection of awesome things regarding React ecosystem
- Awesome React Components - (Source ⭐ 41K, 📝 24/06/26 ) - Curated List of React Components & Libraries.
- Awesome React Hooks - (Source ⭐ 1.1K, 📝 19/05/27 ) - A curated list about React Hooks
- Awesome Redux - (Source ⭐ 363, 📝 17/01/27 ) - Catalog of Redux Libraries & Learning Material
- Awesome Relay - (Source ⭐ 257, 📝 17/01/09 ) - Awesome resources for Relay
- Awesome Sass - (Source ⭐ 1.8K, 📝 20/11/07 ) - 🎨 Curated list of awesome Sass and SCSS frameworks, libraries, style guides, articles, and resources.
- Awesome Seed Rs - (Source ⭐ 218, 📝 01/11 ) - A curated list of awesome things related to Seed
- Awesome Service Workers - (Source ⭐ 1.6K, 📝 18/10/30 ) - 🔩 A collection of awesome resources for learning Service Workers
- Awesome Static Website Services - (Source ⭐ 1.8K, 📝 24/05/12 ) - 📄 🛠 A curated list of awesome static websites services
- Awesome Storybook - (Source ⭐ 394, 📝 07/14 ) - A collection of awesome resources about @storybookjs ecosystem 🎨
- Awesome Svelte - (Source ⭐ 1.8K, 📝 07/14 ) - ⚡ A curated list of awesome Svelte resources
- Awesome Tailwindcss - (Source ⭐ 14K, 📝 05/31 ) - 😎 Awesome things related to Tailwind CSS
- Awesome Text Editing - (Source ⭐ 245, 📝 20/06/18 ) - Collection of text editing resources and libraries for the web
- Awesome Typescript - (Source ⭐ 4.9K, 📝 06/29 ) - A collection of awesome TypeScript resources for client-side and server-side development. Write your awesome JavaScript in TypeScript
- Awesome Vite - (Source ⭐ 15K, 📝 03/13 ) - ⚡️ A curated list of awesome things related to Vite.js
- Awesome Vue - (Source ⭐ 73K, 📝 07/14 ) - 🎉 A curated list of awesome things related to Vue.js
- Awesome Web Animation - (Source ⭐ 1.1K, 📝 21/09/16 ) - A list of awesome web animation libraries, books, apps etc.
- Awesome Web Performance Budget - (Source ⭐ 113, 📝 01/01 ) - ⚡️Articles, Websites, Tools and Case Studies to implement performance budget to a website. (PR 's welcomed)
- Awesome Webaudio - (Source ⭐ 1.2K, 📝 06/17 ) - A curated list of awesome WebAudio packages and resources.
- Awesome Webgl - (Source ⭐ 1.4K, 📝 02/16 ) - A curated list of awesome WebGL libraries, resources and much more
- Awesome Wordpress Gatsby - (Source ⭐ 247, 📝 21/05/02 ) - An awesome list of resources about WordPress as a headless CMS with Gatsby
- Awesome Wpo - (Source ⭐ 8.4K, 📝 02/13 ) - 📝 A curated list of Web Performance Optimization. Everyone can contribute here!
- Awesome Yew - (Source ⭐ 1.5K, 📝 03/22 ) - 😎 A curated list of awesome things related to Yew / WebAssembly.
- BEM Resources - (Source ⭐ 482, 📝 23/04/07 ) - Just a repo full of BEM resources
- Critical Path Css Tools - (Source ⭐ 1.1K, 📝 16/01/20 ) - Tools to prioritize above-the-fold (critical-path) CSS
- Css Protips - (Source ⭐ 29K, 📝 21/01/05 ) - ⚡️ A collection of tips to help take your CSS skills pro 🦾
- Es6 Tools - (Source ⭐ 3.9K, 📝 16/08/29 ) - An aggregation of tooling for using ES6 today
- Inspire - (Source ⭐ 1.1K, 📝 23/02/09 ) - Collection of frontend dev and web design links 💡
- Jquery Tips Everyone Should Know - (Source ⭐ 4.3K, 📝 17/06/22 ) - A collection of tips to help up your jQuery game 🎮
- Motion Ui Design - (Source ⭐ 750, 📝 20/10/12 ) - Resources for inspiration, lists of software, libraries and other stuff related to Motion UI design, animations and transitions.
- Progressive Enhancement Resources - (Source ⭐ 102, 📝 23/02/19 ) - Resources on Progressive Enhancement. From concept and strategies to feature detection & testing methods. Complete with a list of (code) examples.
- Scalable Css Reading List - (Source ⭐ 1.5K, 📝 16/12/03 ) - Collected dispatches from The Quest for Scalable CSS
- Tools - (Source ⭐ 1.2K, 📝 05/30 ) - Tools Online
- Typography - (Source ⭐ 526, 📝 18/07/30 ) - A collection of web typography resources
- Web Development Resources - (Source ⭐ 7.4K, 📝 70/01/01 ) - Awesome Web Development Resources.
- Webcomponents the Right Way - (Source ⭐ 2.6K, 📝 24/03/01 ) - A curated list of awesome Web Components resources.
GPT-3
Gaming
- Awesome Chess - (Source ⭐ 264, 📝 17/06/20 ) - Chess!
- Awesome Chip 8 - (Source ⭐ 92, 📝 22/12/27 ) - List of CHIP-8 resources
- Awesome Construct - (Source ⭐ 83, 📝 07/14 ) - A curated list of tools, tutorials, examples, and much more, for the awesome game development engines Construct 2 and Construct 3
- Awesome Discord Communities - (Source ⭐ 2.7K, 📝 24/07/26 ) - A curated list of awesome Discord communities for programmers
- Awesome Esports - (Source ⭐ 45, 📝 23/09/23 ) - A curated list of open-source projects related to esports.
- Awesome Flame - (Source ⭐ 1.2K, 📝 07/14 ) - An awesome list that curates the best Flame games, projects, libraries, tools, tutorials, articles and more.
- Awesome Game Engine Dev - (Source ⭐ 1.1K, 📝 05/31 ) - Awesome list of resources for Game Engine Development.
- Awesome Game Remakes - (Source ⭐ 977, 📝 07/14 ) - Actively maintained open-source game remakes.
- Awesome Games of Coding - (Source ⭐ 2K, 📝 01/08 ) - A curated list of games that can teach you how to learn a programming language.
- Awesome Gametalks - (Source ⭐ 919, 📝 16/07/07 ) - 💬 A curated list of gaming talks (development, design, etc)
- Awesome Gbdev - (Source ⭐ 4.2K, 📝 05/02 ) - A curated list of Game Boy development resources such as tools, docs, emulators, related projects and open-source ROMs.
- Awesome Gideros - (Source ⭐ 23, 📝 19/10/07 ) - A curated list of awesome Gideros resources, classes and tips.
- Awesome Godot - (Source ⭐ 8.2K, 📝 07/14 ) - A curated list of free/libre plugins, scripts and add-ons for Godot
- Awesome Haxe Gamedev - (Source ⭐ 355, 📝 23/11/18 ) - Resources for game development on haxe
- Awesome Ironsworn - (Source ⭐ 152, 📝 06/06 ) - An awesome list of awesome Ironsworn projects
- Awesome Libgdx - (Source ⭐ 1K, 📝 24/12/04 ) - 🎮 📝 A curated list of libGDX resources to help developers make awesome games.
- Awesome Love2d - (Source ⭐ 3.9K, 📝 07/14 ) - A curated list of amazingly awesome LÖVE libraries, resources and shiny things.
- Awesome Minecraft - (Source ⭐ 498, 📝 05/04 ) - 📝 The curated list of awesome things related to Minecraft.
- Awesome Open Source Games - (Source ⭐ 1.9K, 📝 06/10 ) - Collection of Games that have the source code available on GitHub
- Awesome PICO 8 - (Source ⭐ 2.8K, 📝 03/07 ) - A curated list of awesome PICO-8 resources, carts, tools and more
- Awesome Playcanvas - (Source ⭐ 302, 📝 07/14 ) - A curated list of awesome PlayCanvas assets, resources, and more.
- Awesome Unity - (Source ⭐ 6.7K, 📝 21/04/26 ) - A curated list of awesome Unity assets, resources, and more.
- Game Datasets - (Source ⭐ 801, 📝 02/25 ) - 🎮 A curated list of awesome game datasets, and tools to artificial intelligence in games
- Magictools - (Source ⭐ 15K, 📝 07/14 ) - 🎮 📝 A list of Game Development resources to make magic happen.
Hardware
- Awesome Beacon - (Source ⭐ 841, 📝 19/05/03 ) - A curated list of awesome Bluetooth beacon software and tools.
- Awesome Electronics - (Source ⭐ 6.2K, 📝 01/13 ) - A curated list of awesome resources for Electronic Engineers and hobbyists
- Awesome Iot - (Source ⭐ 3.5K, 📝 07/14 ) - 🤖 A curated list of awesome Internet of Things projects and resources.
- Awesome Lidar - (Source ⭐ 1.1K, 📝 07/14 ) - 😎 Awesome LIDAR list. The list includes LIDAR manufacturers, datasets, point cloud-processing algorithms, point cloud frameworks and simulators.
- Awesome Open Hardware - (Source ⭐ 318, 📝 24/01/17 ) - 🛠Helpful items for making open source hardware projects.
- Awesome Plotters - (Source ⭐ 1.2K, 📝 01/31 ) - A curated list of code and resources for computer-controlled drawing machines and other visual art robots.
- Awesome Robotic Tooling - (Source ⭐ 2.5K, 📝 23/04/30 ) - Tooling for professional robotic development in C++ and Python with a touch of ROS, autonomous driving and aerospace.
- Awesome Robotics - (Source ⭐ 4.2K, 📝 24/09/23 ) - A list of awesome Robotics resources
- Guitarspecs - (Source ⭐ 197, 📝 20/12/27 ) - Overview of the electric guitar's parts specs
Health and Social Science
- Awesome Bioie - (Source ⭐ 318, 📝 24/07/07 ) - 🧫 A curated list of resources relevant to doing Biomedical Information Extraction (including BioNLP)
- Awesome Computational Neuroscience - (Source ⭐ 702, 📝 24/08/03 ) - A list of schools and researchers in computational neuroscience
- Awesome Digital History - (Source ⭐ 268, 📝 07/14 ) - Find primary sources online and learn how to research history digitally.
- Awesome Diversity - (Source ⭐ 572, 📝 21/06/21 ) - A curated list of amazingly awesome articles, websites and resources about diversity in technology.
- Awesome Healthcare - (Source ⭐ 2.5K, 📝 24/05/25 ) - Curated list of awesome open source healthcare software, libraries, tools and resources.
- Awesome Humane Tech - (Source ⭐ 2.8K, 📝 70/01/01 ) - Promoting Solutions that Improve Wellbeing, Freedom and Society
- Awesome Mental Health - (Source ⭐ 3.2K, 📝 05/03 ) - A curated list of awesome articles, websites and resources about mental health in the software industry.
- Awesome Neuroscience - (Source ⭐ 1.3K, 📝 23/01/01 ) - A curated list of awesome neuroscience libraries, software and any content related to the domain.
- Empathy in Engineering - (Source ⭐ 487, 📝 16/07/29 ) - A curated list of resources for building and promoting more compassionate engineering cultures
LLM
- Awesome Azure Openai Llm - (Source ⭐ 364, 📝 07/14 ) - A curated list of 🌌 Azure OpenAI, 🦙 Large Language Models (incl. RAG, Agent), and references. [code] https://github.com/kimtth/azure-openai-llm-cookbook
- Awesome Firebase Genkit - (Source ⭐ 75, 📝 07/14 ) - 🔥 List of Genkit talks, plugins, tools, examples & articles! Contributions welcome!
Learn
- Awesome Computer History - (Source ⭐ 2.3K, 📝 18/09/30 ) - An Awesome List of computer history videos, documentaries and related folklore
- Awesome Css Learning - (Source ⭐ 2.4K, 📝 22/08/09 ) - A tiny list limited to the best CSS Learning Resources
- Awesome Educational Games - (Source ⭐ 667, 📝 21/10/10 ) - A curated list of awesome educational games to learn editors, languages, programming, etc
- Awesome Javascript Learning - (Source ⭐ 5.4K, 📝 24/11/19 ) - A tiny list limited to the best JavaScript Learning Resources
- Awesome Product Management - (Source ⭐ 1.6K, 📝 07/14 ) - 🚀 A curated list of awesome resources for product/program managers to learn and grow.
- Awesome Programming for Kids - (Source ⭐ 1.1K, 📝 24/11/15 ) - A curated list of resources for teaching kids programming.
- Awesome Roadmaps - (Source ⭐ 6K, 📝 01/31 ) - A curated list of roadmaps.
- Awesome Speaking - (Source ⭐ 1.5K, 📝 23/11/21 ) - Resources about public speaking
- Awesome Tech Videos - (Source ⭐ 579, 📝 16/10/12 ) - 📺 A curated list of tech conferences from youtube, vimeo, etc for us to get inspired ;)
- Dive Into Machine Learning - (Source ⭐ 11K, 📝 22/06/17 ) - Free ways to dive into machine learning with Python and Jupyter Notebook. Notebooks, courses, and other links. (First posted in 2016.)
- Learn to Program - (Source ⭐ 4.3K, 📝 24/10/12 ) - Educational resources to learn to program (Foundation in Web Development)
Library systems
- Awesome Ai4lam - (Source ⭐ 45, 📝 24/07/07 ) - A list of awesome AI in libraries, archives, and museum collections from around the world 🕶️
Media
- Awesome Audio Visualization - (Source ⭐ 4.2K, 📝 21/08/15 ) - A curated list about Audio Visualization.
- Awesome Audiovisual - (Source ⭐ 169, 📝 24/07/07 ) - Curated list of audiovisual projects
- Awesome Broadcasting - (Source ⭐ 1.5K, 📝 04/23 ) - A curated list of amazingly awesome open source resources related to broadcast technologies
- Awesome Ffmpeg - (Source ⭐ 1K, 📝 05/04 ) - 👻 A curated list of awesome FFmpeg resources.
- Awesome Fonts - (Source ⭐ 1.7K, 📝 03/12 ) - Curated list of fonts and everything
- Awesome Gif - (Source ⭐ 547, 📝 23/03/14 ) - A curated list of awesome GIF resources.
- Awesome Icons - (Source ⭐ 765, 📝 24/11/12 ) - A curated list of awesome downloadable SVG/PNG/Font icon projects
- Awesome Music - (Source ⭐ 2K, 📝 04/23 ) - Awesome Music Projects
- Awesome Opensource Documents - (Source ⭐ 1.8K, 📝 22/10/06 ) - 📘 A curated list of awesome open source or open source licensed documents, guides, books.
- Awesome Pixel Art - (Source ⭐ 799, 📝 22/12/23 ) - Curated list of everything awesome around pixel art.
- Awesome Stock Resources - (Source ⭐ 13K, 📝 24/07/13 ) - 🌇 A collection of links for free stock photography, video and Illustration websites
- Awesome Vlc - (Source ⭐ 191, 📝 04/28 ) - 👻 A curated list of awesome VLC and LibVLC resources.
- Codeface - (Source ⭐ 5.8K, 📝 17/09/16 ) - Typefaces for source code beautification
- Creative Commons Media - (Source ⭐ 0, 📝 70/01/01 ) -
Miscellaneous
- Ai Collection - (Source ⭐ 5.6K, 📝 70/01/01 ) - The Generative AI Landscape - A Collection of Awesome Generative AI Applications
- ALL About RSS - (Source ⭐ 5.3K, 📝 07/14 ) - A list of RSS related stuff: tools, services, communities and tutorials, etc.
- Alternative Front Ends - (Source ⭐ 4.5K, 📝 23/07/20 ) - Overview of alternative open source front-ends for popular internet platforms (e.g. YouTube, Twitter, etc.)
- Amas - (Source ⭐ 1.4K, 📝 24/09/08 ) - Awesome & Marvelous Amas
- Awesome Acg - (Source ⭐ 1.4K, 📝 05/18 ) - A curated list of awesome technologies related to Anime, Comic and Games
- Awesome ad Free - (Source ⭐ 334, 📝 22/06/12 ) - Curated list of ad-free alternatives to popular services on the web
- Awesome Ads - (Source ⭐ 75, 📝 20/10/12 ) - A curated list of awesome advertising content, resources and libraries.
- Awesome Agriculture - (Source ⭐ 1.5K, 📝 05/19 ) - Open source technology for agriculture, farming, and gardening
- Awesome Algorithms Education - (Source ⭐ 436, 📝 20/10/11 ) - A curated list to learning and practicing about algorithm.
- Awesome Amazon Seller - (Source ⭐ 297, 📝 24/07/24 ) - A curated list of tools and resources for Amazon sellers.
- Awesome Analytics - (Source ⭐ 3.4K, 📝 22/06/09 ) - A curated list of analytics frameworks, software and other tools.
- Awesome Android Ui - (Source ⭐ 44K, 📝 22/08/18 ) - A curated list of awesome Android UI/UX libraries
- Awesome Ansible - (Source ⭐ 1.6K, 📝 07/14 ) - Awesome Ansible List
- Awesome Answers - (Source ⭐ 719, 📝 16/08/24 ) - Curated list of inspiring and thoughtful answers given on stackoverflow, quora, etc.
- Awesome Appsec - (Source ⭐ 6.4K, 📝 02/23 ) - A curated list of resources for learning about application security
- Awesome Bioinformatics - (Source ⭐ 3.4K, 📝 03/22 ) - A curated list of awesome Bioinformatics libraries and software.
- Awesome Biological Visualizations - (Source ⭐ 99, 📝 21/04/01 ) - A list of web-based interactive biological data visualizations.
- Awesome Bitcoin Payment Processors - (Source ⭐ 487, 📝 03/21 ) - 🌟 A curated list of Bitcoin payment processors enabling merchants, businesses and nonprofits to accept Bitcoin payments.
- Awesome Board Games - (Source ⭐ 337, 📝 07/14 ) - A curated list of awesome and exceptional board games. Please contribute!
- Awesome Calculators - (Source ⭐ 109, 📝 20/10/22 ) - 😎 A curated list of resources related to calculators!
- Awesome Captcha - (Source ⭐ 1.1K, 📝 23/10/04 ) - 🔑 Curated list of awesome captcha libraries and crack tools.
- Awesome Chatops - (Source ⭐ 782, 📝 21/10/14 ) - 🤖 A collection of awesome things about ChatOps – managing operations through a chat
- Awesome Cheminformatics - (Source ⭐ 625, 📝 24/03/15 ) - A curated list of Cheminformatics libraries and software.
- Awesome Ciandcd - (Source ⭐ 1.5K, 📝 22/07/25 ) - continuous integration and continuous delivery
- Awesome Codepoints - (Source ⭐ 754, 📝 24/04/21 ) - Awesome Code Points
- Awesome Coins - (Source ⭐ 3.6K, 📝 21/12/07 ) - ₿ A guide (for humans!) to cryto-currencies and their algos.
- Awesome Competitive Programming - (Source ⭐ 13K, 📝 24/12/08 ) - 💎 A curated list of awesome Competitive Programming, Algorithm and Data Structure resources
- Awesome Computational Biology - (Source ⭐ 73, 📝 24/11/17 ) - Awesome list of computational biology.
- Awesome Connectivity Info - (Source ⭐ 142, 📝 04/09 ) - Awesome list of connectivity indexes and reports to help you better under who has access to communication infrastructure and on what terms.
- Awesome Creative Coding - (Source ⭐ 14K, 📝 07/14 ) - Creative Coding: Generative Art, Data visualization, Interaction Design, Resources.
- Awesome Creative Technology - (Source ⭐ 495, 📝 03/20 ) - Curated list of Creative Technology groups, companies, studios, collectives, etc.
- Awesome Credit Modeling - (Source ⭐ 104, 📝 24/02/02 ) - A collection of awesome papers, articles and various resources on credit and credit risk modeling
- Awesome Cropsteering - (Source ⭐ 0, 📝 24/03/12 ) - Curated by IXYZ list of OpenSource projects in indoor/outdoor agriculture automation, crop steering and cannabis cultivation
- Awesome Cytodata - (Source ⭐ 64, 📝 23/11/16 ) - A curated list of awesome cytodata resources
- Awesome Dataviz - (Source ⭐ 3.1K, 📝 22/02/17 ) - 📈 A curated list of awesome data visualization libraries and resources.
- Awesome Ddd - (Source ⭐ 12K, 📝 07/14 ) - A curated list of Domain-Driven Design (DDD), Command Query Responsibility Segregation (CQRS), Event Sourcing, and Event Storming resources
- Awesome Design Principles - (Source ⭐ 446, 📝 21/01/09 ) - ✨ A curated list of awesome design principles
- Awesome Dev Fun - (Source ⭐ 626, 📝 07/14 ) - A curated list of awesome fun libs/packages/languages that have no real purpose but to make a developer chuckle.
- Awesome Distraction Blocker - (Source ⭐ 11, 📝 24/03/11 ) - A curated list of top productivity distraction blocker apps
- Awesome Dtrace - (Source ⭐ 141, 📝 17/07/21 ) - A curated list of awesome DTrace books, articles, videos, tools and resources.
- Awesome Earth - (Source ⭐ 1.4K, 📝 04/23 ) - "What can I do about the climate crisis?" Here are 326 things you can do.
- Awesome Economics - (Source ⭐ 1K, 📝 23/03/14 ) - A curated collection of links for economists
- Awesome Esolangs - (Source ⭐ 537, 📝 07/14 ) - Curated list of awesome Esoteric languages and resources
- Awesome Falsehood - (Source ⭐ 26K, 📝 07/14 ) - 😱 Falsehoods Programmers Believe in
- Awesome Flutter - (Source ⭐ 55K, 📝 24/12/12 ) - An awesome list that curates the best Flutter libraries, tools, tutorials, articles and more.
- Awesome Food - (Source ⭐ 123, 📝 22/12/15 ) - A curated list of food related projects on Github
- Awesome for Beginners - (Source ⭐ 75K, 📝 07/14 ) - A list of awesome beginners-friendly projects.
- Awesome Foss Apps - (Source ⭐ 296, 📝 24/08/07 ) - A curated list of awesome production grade free and open source software organized by category
- Awesome Framer - (Source ⭐ 515, 📝 18/06/06 ) - A curated list of awesome things related to Framer prototyping tool
- Awesome Frc - (Source ⭐ 93, 📝 23/07/23 ) - A curated list of packages and resources regarding the FIRST Robotics Competition.
- Awesome Free Software - (Source ⭐ 1.9K, 📝 04/30 ) - Curated list of open-source, free as in freedom software.
- Awesome Funny Markov - (Source ⭐ 186, 📝 22/09/13 ) - A curated list of delightfully amusing and facetious Markov chain output.
- Awesome Generative Deep Art - (Source ⭐ 3K, 📝 07/14 ) - A curated list of Generative AI tools, works, models, and references
- Awesome Geojson - (Source ⭐ 2.3K, 📝 05/09 ) - GeoJSON utilities that will make your life easier.
- Awesome Git Addons - (Source ⭐ 1.9K, 📝 24/10/04 ) - 😎 A curated list of add-ons that extend/enhance the git CLI.
- Awesome Github Wiki - (Source ⭐ 330, 📝 04/23 ) - :neckbeard: Awesome list GitHub Wikis
- Awesome Glp1 - (Source ⭐ 0, 📝 24/02/20 ) - Awesome resources around the GLP1 Receptor Agonist class of treatments. Sponsored by GLP1.Guide
- Awesome Graphql - (Source ⭐ 15K, 📝 07/14 ) - Awesome list of GraphQL
- Awesome Gulp - (Source ⭐ 593, 📝 18/08/20 ) - 🍹 A curated list of awesome gulp resources, plugins, and boilerplates for a better development workflow automation - http://alferov.github.io/awesome-gulp
- Awesome Hacking - (Source ⭐ 88K, 📝 01/22 ) - A collection of various awesome lists for hackers, pentesters and security researchers
- Awesome Homematic - (Source ⭐ 157, 📝 21/01/16 ) - A curated list of Homematic related links ✨
- Awesome Icons - (Source ⭐ 1.4K, 📝 02/24 ) - A curated list of awesome Web Font Icons
- Awesome Inspectit - (Source ⭐ 22, 📝 17/11/21 ) - A curated list of awesome inspectIT documentations and resources.
- Awesome Irc - (Source ⭐ 872, 📝 24/07/07 ) - A curated list of awesome IRC resources.
- Awesome It Quotes - (Source ⭐ 440, 📝 21/01/26 ) - This is a list of awesome IT quotes. The aim is to collect all relevant quotes said over the history of IT.
- Awesome Json - (Source ⭐ 1.3K, 📝 24/05/05 ) - A curated list of awesome JSON libraries and resources.
- Awesome Json Datasets - (Source ⭐ 3.3K, 📝 22/03/28 ) - A curated list of awesome JSON datasets that don't require authentication.
- Awesome Jupyter - (Source ⭐ 3.9K, 📝 24/07/07 ) - A curated list of awesome Jupyter projects, libraries and resources
- Awesome Katas - (Source ⭐ 2.9K, 📝 04/23 ) - A curated list of code katas
- Awesome Kotlin - (Source ⭐ 0, 📝 70/01/01 ) -
- Awesome Kubernetes - (Source ⭐ 15K, 📝 24/11/13 ) - A curated list for awesome kubernetes sources 🚢🎉
- Awesome LaTeX - (Source ⭐ 1.5K, 📝 05/08 ) - Curated list of LaTeX awesomeness
- Awesome Ledger - (Source ⭐ 126, 📝 18/04/25 ) - ⭐ Useful resources for the Ledger command-line accounting system
- Awesome List - (Source ⭐ 382K, 📝 07/14 ) - 😎 Awesome lists about all kinds of interesting topics
- Awesome Lowcode - (Source ⭐ 533, 📝 07/14 ) - A collection of Awesome low-code development platform (LCDP).
- Awesome Macos Screensavers - (Source ⭐ 4.1K, 📝 06/12 ) - 🍎 🖥 🎆 A curated list of screensavers for Mac OS X
- Awesome Magento2 - (Source ⭐ 1.2K, 📝 07/14 ) - Curated list of awesome Magento 2 Extensions, Resources and other Highlights
- Awesome Maintainers - (Source ⭐ 1.1K, 📝 21/08/14 ) - Talks, blog posts, and interviews about the experience of being an open source maintainer
- Awesome Markdown - (Source ⭐ 668, 📝 22/05/26 ) - 📝 Delightful Markdown stuff.
- Awesome Marketing - (Source ⭐ 151, 📝 07/14 ) - A curated list of awesome marketing tools and resources
- Awesome Microservices - (Source ⭐ 13K, 📝 01/22 ) - A curated list of Microservice Architecture related principles and technologies.
- Awesome Mirth - (Source ⭐ 7, 📝 01/22 ) - List of Mirth talks, tools, examples & articles! Contributions welcome!
- Awesome Mqtt - (Source ⭐ 1.8K, 📝 21/11/13 ) - A curated list of MQTT related stuff. ✨
- Awesome Naming - (Source ⭐ 1.3K, 📝 07/14 ) - A curated list for when naming things is done right.
- Awesome No Login Web Apps - (Source ⭐ 2.2K, 📝 23/06/16 ) - 🚀 Awesome (free) web apps that work without login
- Awesome Open Source Supporters - (Source ⭐ 637, 📝 24/05/15 ) - ⭐️ A curated list of companies that offer their services for free to Open Source projects
- Awesome Opengl - (Source ⭐ 1.9K, 📝 23/08/17 ) - A curated list of awesome OpenGL libraries, debuggers and resources.
- Awesome Opensource Apps - (Source ⭐ 2.8K, 📝 23/05/22 ) - 🏠ℹ️ Curated list of awesome open source crafted web & mobile applications - Learn, Fork, Contribute & Most Importantly Enjoy!
- Awesome OpenSourcePhotography - (Source ⭐ 413, 📝 22/03/20 ) - A list of awesome free open source software & libraries for photography. Also tools for video.
- Awesome Openstreetmap - (Source ⭐ 775, 📝 07/14 ) - 😎 Curated list of awesome OpenSteetMap-projects
- Awesome Orgs - (Source ⭐ 19, 📝 24/04/10 ) - 🥰 List of awesome GitHub organizations
- Awesome Parasite - (Source ⭐ 35, 📝 24/08/18 ) - A curated list of host-parasite information
- Awesome Pokemon - (Source ⭐ 599, 📝 24/11/12 ) - 🎮 A curated list of awesome Pokémon & Pokémon Go resources, tools and more.
- Awesome Prisma - (Source ⭐ 593, 📝 24/05/23 ) - A collection of awesome things regarding Prisma ecosystem.
- Awesome Product Design - (Source ⭐ 2.2K, 📝 24/03/21 ) - A collection of bookmarks, resources, articles for product designers.
- Awesome Project Management - (Source ⭐ 6, 📝 24/05/22 ) - a curated list of project management tools and things
- Awesome Projects Boilerplates - (Source ⭐ 1.1K, 📝 23/04/02 ) - Boilerplates for mobile and web apps
- Awesome Prometheus - (Source ⭐ 1.6K, 📝 24/07/31 ) - A curated list of awesome Prometheus resources, projects and tools.
- Awesome Qr Code - (Source ⭐ 83, 📝 24/07/07 ) - A curated list of awesome QR code libraries, software and resources
- Awesome Quantified Self - (Source ⭐ 2.5K, 📝 07/14 ) - 📊 Websites, Resources, Devices, Wearables, Applications, and Platforms for Self Tracking
- Awesome Qubes OS - (Source ⭐ 109, 📝 05/03 ) - A curated list of awesome qubes os links
- Awesome Radio - (Source ⭐ 191, 📝 18/06/01 ) - Awesome radio stuff
- Awesome Readme - (Source ⭐ 19K, 📝 07/14 ) - A curated list of awesome READMEs
- Awesome Research - (Source ⭐ 1.7K, 📝 23/08/15 ) - 🌱 a curated list of tools to help you with your research/life; I built a front end around this repo, please use the link below [This repo is Not Maintained Anymore]
- Awesome Rest - (Source ⭐ 3.7K, 📝 02/12 ) - A collaborative list of great resources about RESTful API architecture, development, test, and performance
- Awesome Rss Feeds - (Source ⭐ 159, 📝 21/07/18 ) - Awesome RSS feeds - A curated list of RSS feeds (and OPML files) used in Recommended Feeds and local news sections of Plenary - an RSS reader, article downloader and a podcast player app for android
- Awesome Saltstack - (Source ⭐ 512, 📝 21/07/08 ) - 🧂 A collaborative curated list of awesome SaltStack resources, tutorials and other salted stuff.
- Awesome Scientific Computing - (Source ⭐ 1.3K, 📝 24/12/11 ) - 😎 Curated list of awesome software for numerical analysis and scientific computing
- Awesome Scientific Writing - (Source ⭐ 724, 📝 24/07/07 ) - ⌨️ A curated list of awesome tools, demos and resources to go beyond LaTeX
- Awesome Scriptable - (Source ⭐ 1.3K, 📝 01/22 ) - A curated list of awesome Scriptable scripts and widgets.
- Awesome Selfhosted - (Source ⭐ 236K, 📝 07/15 ) - A list of Free Software network services and web applications which can be hosted on your own servers
- Awesome Sketch - (Source ⭐ 730, 📝 17/10/03 ) - 📚 delightful stuff for SketchApp students.
- Awesome Software Architecture - (Source ⭐ 1.8K, 📝 23/05/03 ) - A curated list of resources on software architecture
- Awesome Software Patreons - (Source ⭐ 502, 📝 04/23 ) - A curated list of awesome programmers and software projects you can support!
- Awesome Speakers - (Source ⭐ 757, 📝 23/08/24 ) - Awesome speakers in the programming and design communities
- Awesome Sre - (Source ⭐ 9.1K, 📝 22/09/02 ) - A curated list of Site Reliability and Production Engineering resources.
- Awesome Stacks - (Source ⭐ 3.3K, 📝 24/03/08 ) - A curated list of tech stacks for building different applications & features
- Awesome Steam - (Source ⭐ 520, 📝 05/17 ) - 😎 A curated list of packages and resources regarding Steam development
- Awesome Theravada - (Source ⭐ 126, 📝 23/07/14 ) - Curated list of Theravada Buddhist teachings
- Awesome Tikz - (Source ⭐ 1.5K, 📝 24/10/05 ) - A curated list of awesome TikZ documentations, libraries and resources
- Awesome Transit - (Source ⭐ 1.5K, 📝 07/14 ) - Community list of transit APIs, apps, datasets, research, and software 🚌🌟🚋🌟🚂
- Awesome Translations - (Source ⭐ 166, 📝 07/14 ) - 😎 Awesome lists about Internationalization & localization stuff. l10n, g11n, m17n, i18n. Translations! 🌎🌍
- Awesome Uncopyright - (Source ⭐ 379, 📝 21/07/01 ) - Curated list of all things public domain
- Awesome Unicode - (Source ⭐ 809, 📝 16/07/05 ) - 😂 👌 A curated list of delightful Unicode tidbits, packages and resources.
- Awesome Userscripts - (Source ⭐ 2.3K, 📝 23/04/02 ) - 📖 A curated list of Awesome Userscripts.
- Awesome Veganism - (Source ⭐ 56, 📝 23/09/15 ) - curated list of awesome resources, pointers, and tips related to veganism
- Awesome Video - (Source ⭐ 1.6K, 📝 03/14 ) - A curated list of awesome streaming video tools, frameworks, libraries, and learning resources.
- Awesome Vorpal - (Source ⭐ 134, 📝 16/12/11 ) - A curated list of delightful Vorpal extensions.
- Awesome Vulkan - (Source ⭐ 3.2K, 📝 24/07/07 ) - Awesome Vulkan ecosystem
- Awesome Web Archiving - (Source ⭐ 2.2K, 📝 04/10 ) - An Awesome List for getting started with web archiving
- Awesome Web Design - (Source ⭐ 2.1K, 📝 19/06/25 ) - 🎨 A curated list of awesome resources for digital designers.
- Awesome Web Monetization - (Source ⭐ 279, 📝 23/09/10 ) - 🕶️ Stuffs about Web Monetization. Packages, articles, documentation links and others tools.
- Awesome Webxr - (Source ⭐ 248, 📝 07/14 ) - All things WebXR.
- Awesome Workflow Automation - (Source ⭐ 486, 📝 07/14 ) - A curated list of Workflow Automation Software, Engines and Tools
- Awesome Workshopper - (Source ⭐ 1.2K, 📝 16/01/24 ) - A list of CLI workshopper/adventure tutorials for various things. Inspired by awesome.
- Awesome Wp Cli - (Source ⭐ 170, 📝 23/08/08 ) - A curated list of packages and resources for WP-CLI, the command-line interface for WordPress.
- Awesome4girls - (Source ⭐ 481, 📝 21/03/12 ) - A curated list of inclusive events/projects/initiatives for women in the tech area. 💝
- AwesomeCSV - (Source ⭐ 786, 📝 02/25 ) - 🕶️A curated list of awesome tools for dealing with CSV.
- Bots - (Source ⭐ 1.2K, 📝 23/03/27 ) - ⚡ Tools for building bots
- Citizen Science - (Source ⭐ 248, 📝 24/11/14 ) - 🔬 A repository of resources related to citizen, community-based and/or non-institutional science
- Colorful - (Source ⭐ 1.2K, 📝 03/14 ) - A curated list of awesome resources to choose your next color scheme
- Discount for Student Dev - (Source ⭐ 3K, 📝 06/06 ) - This is list of discounts on software (SaaS, PaaS, IaaS, etc.) and other offerings for developers who are students
- Engineering Blogs - (Source ⭐ 30K, 📝 24/07/07 ) - A curated list of engineering blogs
- Free for Dev - (Source ⭐ 105K, 📝 07/15 ) - A list of SaaS, PaaS and IaaS offerings that have free tiers of interest to devops and infradev
- Guides - (Source ⭐ 2.3K, 📝 07/14 ) - Design and development guides
- Mind Expanding Books - (Source ⭐ 12K, 📝 24/10/03 ) - 📚 Find your next book to read!
- Open Source Flutter Apps - (Source ⭐ 4.1K, 📝 04/23 ) - 📱 List of open source Flutter applications 🐙
- Public Apis - (Source ⭐ 345K, 📝 05/21 ) - A collective list of free APIs
- Services Engineering - (Source ⭐ 3.4K, 📝 20/05/09 ) - A reading list for services engineering, with a focus on cloud infrastructure services
- Toolsforactivism - (Source ⭐ 891, 📝 22/10/11 ) - growing list of digital tools for activism things
- Topics - (Source ⭐ 1, 📝 05/05 ) -
- Urban and Regional Planning Resources - (Source ⭐ 294, 📝 05/30 ) - Community list of data & technology resources concerning the built environment and communities. 🏙️🌳🚌🚦🗺️
Networking
- Awesome Network Analysis - (Source ⭐ 3.6K, 📝 02/25 ) - A curated list of awesome network analysis resources.
- Awesome Pcaptools - (Source ⭐ 3.3K, 📝 07/15 ) - A collection of tools developed by other researchers in the Computer Science area to process network traces. All the right reserved for the original authors.
- Awesome Rtc - (Source ⭐ 202, 📝 22/03/28 ) - 🛰️ A curated list of awesome Real Time Communications resources
- Awesome Sdn - (Source ⭐ 1.1K, 📝 20/10/18 ) - A awesome list about Software Defined Network (SDN)
- Awesome Snmp - (Source ⭐ 120, 📝 24/11/12 ) - A curated list of awesome SNMP libraries, tools, and other resources.
Platforms
- Awesome - (Source ⭐ 0, 📝 70/01/01 ) -
- Awesome Actions on Google - (Source ⭐ 63, 📝 20/10/31 ) - A collection of useful things regarding Actions on Google.
- Awesome Adafruitio - (Source ⭐ 39, 📝 22/02/20 ) - A curated list of awesome Adafruit IO guides, videos, libraries, frameworks, software and resources.
- Awesome Amazon Alexa - (Source ⭐ 524, 📝 21/05/04 ) - 🗣Curated list of awesome resources for the Amazon Alexa platform.
- Awesome Android - (Source ⭐ 9.5K, 📝 22/01/28 ) - A curated list of awesome Android packages and resources.
- Awesome Appimage - (Source ⭐ 482, 📝 07/14 ) - Lovingly crafted AppImage tools and resources
- Awesome Arcgis Developers - (Source ⭐ 238, 📝 24/10/30 ) - A curated list of resources to help you with ArcGIS development, APIs, SDKs, tools, and location services
- Awesome Arch - (Source ⭐ 426, 📝 24/09/23 ) - 😎 A complete list of Arch-based projects
- Awesome Aws - (Source ⭐ 12K, 📝 23/05/29 ) - A curated list of awesome Amazon Web Services (AWS) libraries, open source repos, guides, blogs, and other resources. Featuring the Fiery Meter of AWSome.
- Awesome Capacitor - (Source ⭐ 544, 📝 07/14 ) - 😎 Awesome lists of capacitor plugins.
- Awesome Capacitorjs - (Source ⭐ 147, 📝 07/14 ) - ⚡️ A curated list of awesome things related to Capacitor.
- Awesome Cloudflare - (Source ⭐ 404, 📝 23/05/26 ) - ⛅️ Curated list of awesome Cloudflare worker recipes, open-source projects, guides, blogs and other resources.
- Awesome Cordova - (Source ⭐ 283, 📝 19/10/25 ) - 📱 A curated list of amazingly awesome Cordova libraries, resources and shiny things.
- Awesome Cross Platform Nodejs - (Source ⭐ 1K, 📝 22/08/03 ) - 👬 A curated list of awesome developer tools for writing cross-platform Node.js code
- Awesome Deno - (Source ⭐ 4.4K, 📝 07/14 ) - Curated list of awesome things related to Deno
- Awesome Digitalocean - (Source ⭐ 286, 📝 21/04/30 ) - A curated list of amazingly awesome DigitalOcean resources inspired by Awesome Sysadmin
- Awesome Dos - (Source ⭐ 516, 📝 04/04 ) - Curated list of references for development of DOS applications.
- Awesome Dotnet - (Source ⭐ 20K, 📝 07/14 ) - A collection of awesome .NET libraries, tools, frameworks and software
- Awesome Dotnet Core - (Source ⭐ 20K, 📝 24/08/26 ) - 🐝 A collection of awesome .NET core libraries, tools, frameworks and software
- Awesome Ebpf - (Source ⭐ 4.6K, 📝 05/08 ) - A curated list of awesome projects related to eBPF.
- Awesome Electron - (Source ⭐ 26K, 📝 24/05/16 ) - Useful resources for creating apps with Electron
- Awesome Esp - (Source ⭐ 482, 📝 22/06/19 ) - 📶 A curated list of awesome ESP8266/32 projects and code
- Awesome European Tech - (Source ⭐ 1.1K, 📝 07/14 ) - An up-to-date, community-driven list of awesome European tech alternatives! All focused on privacy, sustainability, and innovation. The goal is to support European projects and companies compliant with GDPR, UK GDPR, and the Swiss FADP.
- Awesome Firebase - (Source ⭐ 660, 📝 23/09/11 ) - 🔥 List of Firebase talks, tools, examples & articles! Translations in 🇬🇧 🇷🇺 Contributions welcome!
- Awesome Fuse - (Source ⭐ 322, 📝 18/08/08 ) - A curated list of awesome Fuse applications, articles, and plugins
- Awesome Gnome - (Source ⭐ 1.3K, 📝 07/14 ) - A curated list of awesome apps, extensions, modules, themes and tools for the Gnome Desktop Environment.
- Awesome Heroku - (Source ⭐ 280, 📝 19/06/29 ) - A curated list of helpful Heroku resources.
- Awesome Home Assistant - (Source ⭐ 4.1K, 📝 22/06/21 ) - A curated list of amazingly awesome Home Assistant resources.
- Awesome Ibmcloud - (Source ⭐ 74, 📝 20/09/14 ) - A curated list of awesome IBM Cloud SDKs, open source repositories, tools, blogs and other resources.
- Awesome Integration - (Source ⭐ 462, 📝 07/14 ) - A curated list of awesome system integration software and resources.
- Awesome Ios - (Source ⭐ 48K, 📝 02/05 ) - A curated list of awesome iOS ecosystem, including Objective-C and Swift Projects
- Awesome IoT Hybrid - (Source ⭐ 487, 📝 19/09/10 ) - The missing awesome list - collection of awesome IoT and Hybrid Apps frameworks, tools, resources, videos and shiny things.
- Awesome Ipfs - (Source ⭐ 4.5K, 📝 07/14 ) - Community list of awesome projects, apps, tools, pinning services and more related to IPFS.
- Awesome Jvm - (Source ⭐ 1.9K, 📝 18/07/12 ) - A curated list of awesome loosely performance related JVM stuff. Inspired by awesome-python.
- Awesome Kde - (Source ⭐ 506, 📝 01/22 ) - A curated list of awesome apps, extensions, modules, themes and tools for the KDE Desktop Environment.
- Awesome Linux - (Source ⭐ 3.5K, 📝 19/01/16 ) - 🐧 A list of awesome projects and resources that make Linux even more awesome. 🐧
- Awesome Linux Containers - (Source ⭐ 1.6K, 📝 23/06/11 ) - A curated list of awesome Linux Containers frameworks, libraries and software
- Awesome Low Code - (Source ⭐ 395, 📝 07/14 ) - Awesome Low Code platforms, vendors, tools and resources
- Awesome Mac - (Source ⭐ 85K, 📝 07/14 ) - Now we have become very big, Different from the original idea. Collect premium software in various categories.
- Awesome Nix - (Source ⭐ 4.1K, 📝 07/14 ) - 😎 A curated list of the best resources in the Nix community [maintainer=@cyntheticfox]
- Awesome Nodejs - (Source ⭐ 62K, 📝 07/14 ) - ⚡ Delightful Node.js packages and resources
- Awesome Nodered - (Source ⭐ 351, 📝 23/02/23 ) - A collection of interesting nodes and resources for Node-RED
- Awesome Qt - (Source ⭐ 1.1K, 📝 21/10/15 ) - A curated list of awesome tools, libraries, and resources for the Qt framework.
- Awesome Raspberry Pi - (Source ⭐ 15K, 📝 03/05 ) - 📝 A curated list of awesome Raspberry Pi tools, projects, images and resources
- Awesome React Native - (Source ⭐ 32K, 📝 21/04/25 ) - Awesome React Native components, news, tools, and learning material!
- Awesome Ros2 - (Source ⭐ 1.4K, 📝 23/06/12 ) - The Robot Operating System Version 2.0 is awesome!
- Awesome Roslyn - (Source ⭐ 520, 📝 21/03/09 ) - Curated list of awesome Roslyn books, tutorials, open-source projects, analyzers, code fixes, refactorings, and source generators
- Awesome Salesforce - (Source ⭐ 611, 📝 21/10/11 ) - A curated list of delightful Salesforce Platform Resources
- Awesome Smart Tv - (Source ⭐ 1.1K, 📝 05/13 ) - ⚡A curated list of awesome resources for building Smart TV apps
- Awesome WebExtensions - (Source ⭐ 1.3K, 📝 24/07/18 ) - A curated list of awesome resources for WebExtensions development.
- Awesome Windows - (Source ⭐ 882, 📝 07/14 ) - An awesome & curated list of tools and apps for Windows 10/11.
- Awesome Xamarin - (Source ⭐ 1.9K, 📝 21/11/28 ) - A collection of interesting libraries/tools for Xamarin mobile projects
- Frontend Dev Bookmarks - (Source ⭐ 36K, 📝 16/08/02 ) - Manually curated collection of resources for frontend web developers.
- Open Source Mac Os Apps - (Source ⭐ 44K, 📝 22/10/30 ) - 🚀 Awesome list of open source applications for macOS. https://t.me/s/opensourcemacosapps
Productivity Tools
- Awesome Productivity Tools - (Source ⭐ 51, 📝 24/05/22 ) - My Awesome list of productivity tools and products
Programming Languages
- Awesome Actionscript3 - (Source ⭐ 188, 📝 22/11/13 ) - A curated list of awesome libraries and components for ActionScript 3 and Adobe AIR.
- Awesome Ada - (Source ⭐ 728, 📝 07/14 ) - A curated list of awesome resources related to the Ada and SPARK programming language
- Awesome Asyncio - (Source ⭐ 4.7K, 📝 23/01/08 ) - A curated list of awesome Python asyncio frameworks, libraries, software and resources
- Awesome AutoHotkey - (Source ⭐ 2.1K, 📝 22/09/04 ) - A curated list of awesome AutoHotkey libraries, library distributions, scripts, tools and resources.
- Awesome AutoIt - (Source ⭐ 756, 📝 22/07/10 ) - ⭐ A curated list of awesome UDFs, example scripts, tools and useful resources for AutoIt.
- Awesome Ava - (Source ⭐ 333, 📝 22/09/12 ) - Awesome AVA resources
- Awesome C - (Source ⭐ 3K, 📝 19/10/17 ) - Continuing the development of awesome-c list on GitHub
- Awesome Circuitpython - (Source ⭐ 681, 📝 07/14 ) - A curated list of awesome CircuitPython guides, videos, libraries, frameworks, software and resources.
- Awesome Cl - (Source ⭐ 2.8K, 📝 07/14 ) - A curated list of awesome Common Lisp frameworks, libraries and other shiny stuff.
- Awesome Clojure - (Source ⭐ 2.6K, 📝 24/04/16 ) - A curated list of awesome Clojure libraries and resources. Inspired by awesome-... stuff
- Awesome Clojurescript - (Source ⭐ 967, 📝 23/02/03 ) - A community driven list of ClojureScript frameworks, libraries and wrappers.
- Awesome Cmake - (Source ⭐ 5K, 📝 24/08/31 ) - A curated list of awesome CMake resources, scripts, modules and examples.
- Awesome Coldfusion - (Source ⭐ 86, 📝 21/12/29 ) - A curated list of awesome ColdFusion frameworks, libraries and software.
- Awesome Common Lisp Learning - (Source ⭐ 175, 📝 23/10/17 ) - A curated list of awesome Common Lisp learning resources
- Awesome Composer - (Source ⭐ 880, 📝 07/14 ) - 😎 A curated awesome list for Composer, Packagist, Satis, Plugins, Scripts, Composer related resources, tutorials.
- Awesome Coq - (Source ⭐ 333, 📝 01/22 ) - A curated list of awesome Coq libraries, plugins, tools, verification projects, and resources [maintainer=@palmskog]
- Awesome Cpp - (Source ⭐ 65K, 📝 07/14 ) - A curated list of awesome C++ (or C) frameworks, libraries, resources, and shiny things. Inspired by awesome-... stuff.
- Awesome Crystal - (Source ⭐ 3.4K, 📝 05/03 ) - 💎 A collection of awesome Crystal libraries, tools, frameworks and software
- Awesome D - (Source ⭐ 706, 📝 07/14 ) - A curated list of awesome D documents, frameworks, libraries and software. Inspired by awesome-python.
- Awesome Dart - (Source ⭐ 2.2K, 📝 23/09/05 ) - A curated list of awesome Dart frameworks, libraries, and software
- Awesome Django - (Source ⭐ 10K, 📝 07/15 ) - A curated list of awesome things related to Django
- Awesome Elixir - (Source ⭐ 13K, 📝 07/14 ) - A curated list of amazingly awesome Elixir and Erlang libraries, resources and shiny things. Updates:
- Awesome Elm - (Source ⭐ 3.6K, 📝 04/05 ) - A curated list of useful Elm tutorials, libraries and software. Inspired by awesome list. Feel free to contribute. 🚀
- Awesome Embedded Rust - (Source ⭐ 7.2K, 📝 07/14 ) - Curated list of resources for Embedded and Low-level development in the Rust programming language
- Awesome Erlang - (Source ⭐ 1.4K, 📝 18/11/02 ) - A curated list of awesome Erlang libraries, resources and shiny things.
- Awesome Eslint - (Source ⭐ 4.6K, 📝 07/14 ) - A list of awesome ESLint plugins, configs, etc.
- Awesome Eta - (Source ⭐ 59, 📝 19/08/14 ) - ⭐ Useful resources for the Eta programming language
- Awesome Fortran - (Source ⭐ 318, 📝 20/05/12 ) - Awesome list of Fortran libs
- Awesome Fp Js - (Source ⭐ 6K, 📝 07/14 ) - 😎 A curated list of awesome functional programming stuff in js
- Awesome Frege - (Source ⭐ 27, 📝 19/08/14 ) - ⭐ Useful resources for the Frege programming language
- Awesome Go - (Source ⭐ 147K, 📝 07/15 ) - A curated list of awesome Go frameworks, libraries and software
- Awesome Groovy - (Source ⭐ 720, 📝 23/07/11 ) - A curated list of awesome groovy libraries, frameworks and resources
- Awesome Haskell - (Source ⭐ 2.8K, 📝 22/12/16 ) - A collection of awesome Haskell links, frameworks, libraries and software. Inspired by awesome projects line.
- Awesome Idris - (Source ⭐ 353, 📝 20/01/24 ) - 𝛌 Awesome Idris resources
- Awesome Imba - (Source ⭐ 122, 📝 21/10/18 ) - ⭐ A curated list of awesome Imba frameworks, libraries, software and resources
- Awesome Java - (Source ⭐ 44K, 📝 05/20 ) - A curated list of awesome frameworks, libraries and software for the Java programming language.
- Awesome Javascript - (Source ⭐ 34K, 📝 07/14 ) - 🐢 A collection of awesome browser-side JavaScript libraries, resources and shiny things.
- Awesome Lua - (Source ⭐ 3.2K, 📝 18/04/06 ) - A curated list of quality Lua packages and resources.
- Awesome Mad Science - (Source ⭐ 1K, 📝 17/02/08 ) - Delightful npm packages that make you say "wow, didn't know that was possible!"
- Awesome Micro Npm Packages - (Source ⭐ 4.5K, 📝 23/09/13 ) - A curated list of small, focused npm packages.
- Awesome Micropython - (Source ⭐ 1.6K, 📝 07/14 ) - A curated list of awesome MicroPython libraries, frameworks, software and resources.
- Awesome Network Js - (Source ⭐ 518, 📝 20/07/15 ) - A 🎩 list of network layer resources written pure JS.
- Awesome Npm - (Source ⭐ 4.5K, 📝 23/11/06 ) - Awesome npm resources and tips
- Awesome Npm Scripts - (Source ⭐ 678, 📝 22/09/23 ) - Everything awesome related to npm scripts and using npm as a build tool.
- Awesome Observables - (Source ⭐ 316, 📝 21/10/13 ) - Awesome Observable related stuff - An Observable is a collection that arrives over time.
- Awesome Ocaml - (Source ⭐ 2.9K, 📝 02/23 ) - A curated collection of awesome OCaml tools, frameworks, libraries and articles.
- Awesome Pascal - (Source ⭐ 1.5K, 📝 23/04/20 ) - A curated list of awesome Delphi/FreePascal/(any)Pascal frameworks, libraries, resources, and shiny things. Inspired by awesome-... stuff. Open source and freeware only!
- Awesome Perl - (Source ⭐ 665, 📝 24/04/07 ) - A curated list of awesome Perl frameworks and libraries. Come on Pull Requests!
- Awesome Php - (Source ⭐ 32K, 📝 05/12 ) - A curated list of amazingly awesome PHP libraries, resources and shiny things.
- Awesome Polars - (Source ⭐ 902, 📝 07/14 ) - A curated list of Polars talks, tools, examples & articles. Contributions welcome !
- Awesome Ponyfills - (Source ⭐ 46, 📝 20/08/14 ) - A curated list of awesome ponyfills for writing cross-platform and cross-browser code.
- Awesome Promises - (Source ⭐ 1.5K, 📝 16/11/17 ) - A curated list of useful resources for JavaScript Promises
- Awesome Purescript - (Source ⭐ 418, 📝 22/02/14 ) - A curation of awesome PureScript libraries, resources and shiny things.
- Awesome Python - (Source ⭐ 250K, 📝 24/07/18 ) - An opinionated list of awesome Python frameworks, libraries, software and resources.
- Awesome Python Data Science - (Source ⭐ 2.7K, 📝 24/10/04 ) - Probably the best curated list of data science software in Python.
- Awesome Python Scientific Audio - (Source ⭐ 1.4K, 📝 23/07/15 ) - Curated list of python software and packages related to scientific research in audio
- Awesome Python Typing - (Source ⭐ 1.8K, 📝 01/31 ) - Collection of awesome Python types, stubs, plugins, and tools to work with them.
- Awesome Qsharp - (Source ⭐ 132, 📝 22/08/11 ) - A curated list of Q# code and resources.
- Awesome R - (Source ⭐ 6K, 📝 24/12/06 ) - A curated list of awesome R packages, frameworks and software.
- Awesome R Learning Resources - (Source ⭐ 566, 📝 24/12/20 ) - A curated collection of free resources to help deepen your understanding of the R programming language. Updated regularly. Contributions encouraged via pull request (see contributing.md).
- Awesome Ruby - (Source ⭐ 14K, 📝 05/20 ) - 💎 A collection of awesome Ruby libraries, tools, frameworks and software
- Awesome Rust - (Source ⭐ 51K, 📝 07/14 ) - A curated list of Rust code and resources.
- Awesome Rxjava - (Source ⭐ 283, 📝 16/08/30 ) - Useful resources for working with RxJava
- Awesome Scala - (Source ⭐ 9K, 📝 24/09/19 ) - A community driven list of useful Scala libraries, frameworks and software.
- Awesome Scala Native - (Source ⭐ 266, 📝 07/14 ) - Compilation of Scala Native resources and libraries
- Awesome Standard - (Source ⭐ 351, 📝 21/05/07 ) - Documenting the explosion of packages in the standard ecosystem!
- Awesome Swift - (Source ⭐ 25K, 📝 04/23 ) - A collaborative list of awesome Swift libraries and resources. Feel free to contribute!
- Awesome Swift Playgrounds - (Source ⭐ 4K, 📝 23/09/15 ) - A List of Awesome Swift Playgrounds
- Awesome V - (Source ⭐ 2K, 📝 07/14 ) - A curated list of awesome V frameworks, libraries, software and resources.
- Awesome Vala - (Source ⭐ 180, 📝 01/22 ) - A curated list of Vala projects
- Awesome Zig - (Source ⭐ 470, 📝 07/14 ) - A list of awesome projects related to Zig
- Go Recipes - (Source ⭐ 4.3K, 📝 24/07/07 ) - 🦩 Tools for Go projects
- Js Must Watch - (Source ⭐ 13K, 📝 22/01/20 ) - Must-watch videos about javascript
- Jstips - (Source ⭐ 12K, 📝 21/12/07 ) - This is about useful JS tips!
- Julia.jl - (Source ⭐ 1.3K, 📝 22/07/09 ) - Curated decibans of Julia programming language.
Security
- Android Security Awesome - (Source ⭐ 8.7K, 📝 07/14 ) - A collection of android security related resources
- Awesome Ctf - (Source ⭐ 7.4K, 📝 20/05/18 ) - A curated list of CTF frameworks, libraries, resources and softwares
- Awesome Cyber Security University - (Source ⭐ 2.2K, 📝 07/14 ) - 🎓 Because Education should be free. Contributions welcome! 🕵️
- Awesome Cybersecurity Blueteam - (Source ⭐ 4.1K, 📝 24/07/07 ) - 💻🛡️ A curated collection of awesome resources, tools, and other shiny things for cybersecurity blue teams.
- Awesome Devsecops - (Source ⭐ 1.3K, 📝 24/07/07 ) - Curating the best DevSecOps resources and tooling.
- Awesome Embedded and Iot Security - (Source ⭐ 1.4K, 📝 23/10/17 ) - A curated list of awesome embedded and IoT security resources.
- Awesome Evm Security - (Source ⭐ 77, 📝 22/05/16 ) - 🕶 A high-level overview of the EVM security ecosystem
- Awesome Executable Packing - (Source ⭐ 1.4K, 📝 07/14 ) - A curated list of awesome resources related to executable packing
- Awesome Fuzzing - (Source ⭐ 711, 📝 23/11/20 ) - A curated list of awesome Fuzzing(or Fuzz Testing) for software security
- Awesome Gdpr - (Source ⭐ 202, 📝 24/07/07 ) - Protection of natural persons with regard to the processing of personal data and on the free movement of such data.
- Awesome Hacking - (Source ⭐ 11K, 📝 23/12/27 ) - A curated list of awesome Hacking tutorials, tools and resources
- Awesome Hacking Locations - (Source ⭐ 1K, 📝 23/06/26 ) - 💻 ☕ List of Awesome Hacking Locations, organised by Country and City, listing if it features power and wifi
- Awesome Honeypots - (Source ⭐ 9K, 📝 04/02 ) - an awesome list of honeypot resources
- Awesome Incident Response - (Source ⭐ 7K, 📝 23/11/19 ) - A curated list of tools for incident response
- Awesome Keycloak - (Source ⭐ 1.8K, 📝 07/14 ) - A curated list of resources for learning about http://www.keycloak.org
- Awesome Lockpicking - (Source ⭐ 961, 📝 21/03/06 ) - 🔓😎 A curated list of awesome guides, tools, and other resources related to the security and compromise of locks, safes, and keys.
- Awesome Malware Analysis - (Source ⭐ 11K, 📝 24/07/07 ) - Defund the Police.
- Awesome Malware Persistence - (Source ⭐ 229, 📝 07/14 ) - A curated list of awesome malware persistence tools and resources.
- Awesome Pci Dss - (Source ⭐ 0, 📝 04/23 ) - A curated list of PCI DSS–related resources: standards, SAQs, guidance, tooling, training, community, and example projects.
- Awesome Pentest - (Source ⭐ 24K, 📝 07/14 ) - A collection of awesome penetration testing resources, tools and other shiny things
- Awesome Piracy - (Source ⭐ 23K, 📝 21/04/23 ) - A curated list of awesome warez and piracy links
- Awesome Privacy - (Source ⭐ 15K, 📝 07/14 ) - Awesome Privacy - A curated list of services and alternatives that respect your privacy because PRIVACY MATTERS.
- Awesome Security - (Source ⭐ 12K, 📝 24/05/03 ) - A collection of awesome software, libraries, documents, books, resources and cools stuffs about security.
- Awesome Vehicle Security - (Source ⭐ 3.3K, 📝 01/22 ) - 🚗 A curated list of resources for learning about vehicle security and car hacking.
- Awesome Web Security - (Source ⭐ 12K, 📝 20/10/05 ) - 🐶 A curated list of Web Security materials and resources.
Testing
- Awesome Appium - (Source ⭐ 387, 📝 21/09/28 ) - A curated list of delightful Appium resources.
- Awesome Gatling - (Source ⭐ 72, 📝 07/14 ) - A collection of resources covering different aspects of Gatling load testing tool usage.
- Awesome Jmeter - (Source ⭐ 750, 📝 07/14 ) - A collection of resources covering different aspects of JMeter usage.
- Awesome K6 - (Source ⭐ 588, 📝 24/08/27 ) - A curated list of awesome tools, content and projects using k6
- Awesome Playwright - (Source ⭐ 1K, 📝 03/12 ) - A curated list of awesome tools, utils and projects using Playwright
- Awesome Regression Testing - (Source ⭐ 2.2K, 📝 01/22 ) - 🕶️ A curated list of resources around the topic: visual regression testing
- Awesome Selenium - (Source ⭐ 1K, 📝 01/22 ) - A curated list of delightful Selenium resources.
- Awesome Tap - (Source ⭐ 587, 📝 23/01/05 ) - Useful resources for the Test Anything Protocol
- Awesome Testing - (Source ⭐ 2K, 📝 05/18 ) - A curated list of testing resources
Theory
- Awesome Agi Cocosci - (Source ⭐ 337, 📝 07/14 ) - An awesome & curated list for Artificial General Intelligence, an emerging inter-discipline field that combines artificial intelligence and computational cognitive sciences.
- Awesome Algorithms - (Source ⭐ 23K, 📝 07/14 ) - A curated list of awesome places to learn and/or practice algorithms.
- Awesome Artificial Intelligence - (Source ⭐ 11K, 📝 01/22 ) - A curated list of Artificial Intelligence (AI) courses, books, video lectures and papers.
- Awesome Audit Algorithms - (Source ⭐ 100, 📝 07/14 ) - A curated list of algorithms and papers for auditing black-box algorithms.
- Awesome Math - (Source ⭐ 9.5K, 📝 04/03 ) - A curated list of awesome mathematics resources
- Awesome Osint - (Source ⭐ 22K, 📝 07/14 ) - 😱 A curated list of amazingly awesome OSINT
- Awesome Recursion Schemes - (Source ⭐ 1.1K, 📝 20/11/25 ) - Resources for learning and using recursion schemes.
- Awesome Talks - (Source ⭐ 6.2K, 📝 07/14 ) - Awesome online talks and screencasts
- Papers We Love - (Source ⭐ 93K, 📝 05/05 ) - Papers from the computer science community to read and discuss.
- Search Engine Optimization - (Source ⭐ 2.5K, 📝 02/24 ) - 🔍 A helpful checklist/collection of Search Engine Optimization (SEO) tips and techniques.
Work
- Awesome Code Review - (Source ⭐ 4.3K, 📝 24/09/15 ) - An "Awesome" list of code review resources - articles, papers, tools, etc
- Awesome Internships - (Source ⭐ 352, 📝 24/04/08 ) - A curated list of tech internships resources.
- Awesome Interview Questions - (Source ⭐ 69K, 📝 21/11/11 ) - 🐙 A curated awesome list of lists of interview questions. Feel free to contribute! 🎓
- Awesome Job Boards - (Source ⭐ 1.4K, 📝 03/16 ) -
- Awesome Productivity - (Source ⭐ 1.9K, 📝 23/05/26 ) - A curated list of delightful productivity resources.
- Awesome Remote Job - (Source ⭐ 38K, 📝 05/12 ) - A curated list of awesome remote jobs and resources. Inspired by https://github.com/vinta/awesome-python
- Awesome Slack - (Source ⭐ 804, 📝 23/05/26 ) - A curated list of awesome Slack related things
- Awesome Slack - (Source ⭐ 307, 📝 23/05/26 ) - 🕶️ List of communities powered by Slack.
Social Media
Contribution
This repo is generated by trackawesomelist-source, if you want to add your awesome list here, please edit config.yml, and send a pull request, or just open an issue, I'll add it manually.
If you want to add badge (
) to your awesome list, please add the following code to your README.md:
[](https://www.trackawesomelist.com/your_repo_pathname/)
The doc is still under construction, if you have any question, please open an issue