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
Plugins

2. Awesome Neovim

Dependency Management / Diagnostics

3. Awesome Newsletters

System Design / Svelte

4. Awesome Angular

Notifications / Google Developer Experts

5. Free for Dev

Analytics, Events and Statistics

6. Awesome Selfhosted

Software / Booking and Scheduling
Software / Document Management
Software / Health and Fitness
Software / Miscellaneous
Software / Personal Dashboards
Software / Status / Uptime pages

7. Awesome Django

Third-Party Packages / Admin
Third-Party Packages / Admin Themes

8. Awesome Go

Messaging

9. Awesome Pcaptools

Traffic Analysis/Inspection

Jul 14, 2025

1. Awesome Fastapi

Auth
Utils / Other Tools

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:

📋 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 for text in all files:

git grep "Hello"

Search in specific version:

git grep "Hello" v2.5

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:

  1. Merge MYFEATURE into 'develop'
  2. Remove the feature branch
  3. 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:

  1. Merge release branch into 'master'
  2. Tag the release
  3. Back-merge release into 'develop'
  4. 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 Commands

🌊 Git Flow Schema

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:

How to contribute:

  1. Fork this repository
  2. Create your feature branch (git checkout -b feature/AmazingFeature)
  3. Commit your changes (git commit -m 'Add some AmazingFeature')
  4. Push to the branch (git push origin feature/AmazingFeature)
  5. 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

4. Awesome Storybook

Official resources
Community resources
Examples
Tutorials
Blog posts

5. Awesome Svelte

UI Libraries
Icons
Miscellaneous
Routers / Form Components

6. Magictools

Graphics / Vector/Image Editor

7. Awesome Godot

Plugins and scripts / Godot 4
GDScript/C# editor support / Godot version unknown
Other / Godot version unknown

8. Awesome Love2d

Drawing
Entity
Networking

9. Awesome Construct

Construct 2

10. Awesome Playcanvas

3D Gaussian Splatting / YouTube Playables

11. Awesome Game Remakes

FPS
RPG
Platformer

12. Awesome Flame

App Releases / Casual
App Releases / Puzzle Games

13. Awesome Iot

Software / Programming languages

14. Awesome Lidar

Frameworks
Algorithms / Simultaneous localization and mapping SLAM and LIDAR-based odometry and or mapping LOAM
Others / LIDAR-other-sensor calibration

15. Awesome Digital History

Archives and primary sources / Europe
Archives and primary sources / Global
Archives and primary sources / Netherlands

16. Awesome Product Management

Product Fundamentals & Philosophy / Tability
Product Development & Process / Tability
Product Strategy & Planning / Tability
Customer Research & User Experience / Tability
Team Collaboration & Leadership / Tability
Product Metrics & Analytics / Tability
Growth & Marketing / Tability
Product Management Fundamentals / Tability
Team Leadership & Management / Tability
Psychology & Behavioral Change / Tability
Engineering & Technical / Tability

17. Awesome List

Front-End Development

18. Awesome Readme

Tools

19. Guides

Programming Languages / Perl

20. Awesome Graphql

Go / React

21. Awesome Transit

Proprietary (non-standard) vendor APIs / Rust
Native Apps (open source) / Rust
Native Apps (closed source) / Rust
SDKs / Rust
Transit Map Creation / Rust
Agency Tools / General GIS Applications for making transit visualizations

22. Awesome for Beginners

JavaScript
Markdown
PHP
Rust

23. Awesome Falsehood

Business
Dates and Time
Geography
Networks
Software Engineering
Transportation

24. Awesome Ddd

Blogs
Sample Projects / .NET (C#/F#)
Sample Projects / PHP
Libraries and Frameworks / .NET
Libraries and Frameworks / PHP

25. Awesome Quantified Self

Applications and Platforms / Habits

26. Awesome Creative Coding

Articles • Tutorials / Shaders • OpenGL • WebGL

27. Awesome Generative Deep Art

Generative AI history, timelines, maps, and definitions
Critical Views about Generative AI

28. Awesome Dev Fun

Python

29. Awesome Magento2

Tools

30. Awesome Esolangs

Languages

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.

Takenoko image

Players Min. Age Time
2 - 4 8+ 45m

32. Awesome Naming

Other

33. Awesome Ansible

Blog posts and opinions

34. Awesome Translations

Platforms / Localization and translation platforms

35. Awesome Webxr

Development / Frameworks and Libraries
Development / Other

36. Awesome Openstreetmap

Tools / Browser Extensions
Miscellaneous / Java

37. Awesome Lowcode

Visual programming
Misc

38. ALL About RSS

RSS2ARCHIVE / For Android device
🏗️ Tools for parsing / decoding RSS / Webpage Monitor Services with capability of monitoring RSS Feed 1264

39. Awesome Nodejs

Packages / Job queues

40. Awesome Appimage

AppImage developer tools / Tools to convert from other package formats

41. Awesome Mac

Reading and Writing Tools / Ebooks
Reading and Writing Tools / RSS
Developer Tools / IDEs
Developer Tools / Developer Utilities
Terminal Apps / Databases
AI Client / Other Tools
Communication / Collaboration and Team Tools
Download Management Tools / Audio Record and Process
Utilities / Clipboard Tools
Utilities / Menu Bar Tools
Utilities / File Organization Tools
Utilities / General Tools
Utilities / Productivity
Utilities / Window Management

42. Awesome Windows

Productivity
Customization

43. Awesome Ipfs

Tools
Debugging Tools & Learning
Pinning services

44. Awesome Gnome

Internet and Networking
Productivity and Time
Multimedia
System and Customization
Utilities
Other lists / Skeumorphic Icons

45. Awesome Dotnet

ETL
Event aggregator and messenger
Game
GUI / GUI - Framework
GUI / GUI - Themed Control Toolkits
GUI / GUI - other
Misc / GUI - other
ORM / GUI - other
Queue / GUI - other
Scheduling / GUI - other
Search / GUI - other
Static Site Generators / GUI - other
Tools / GUI - other
Source Generator / GUI - other

46. Awesome Deno

Modules / CLI utils

47. Awesome Nix

Development / Discovery
NixOS Modules / Zig

48. Awesome Integration

Projects / API Management
Projects / API Design
Projects / API Documentation
Projects / API Gateway
Projects / API Testing
Projects / BRE
Projects / Data Mapping Solution
Projects / CDC
Projects / ESB
Projects / ETL
Projects / Integration Frameworks
Projects / iPaaS
Projects / MaaS
Projects / MFT
Projects / MDM
Projects / Messaging
Projects / RPA
Projects / Self-Service Integration
Projects / Workflow engine
Resources / API Specification
Resources / Certifications
Resources / Data Formats
Resources / Structure and Validation

49. Awesome Low Code

Platforms / Citizen Automation and Development Platform

50. Awesome Capacitor

Other plugins

51. Awesome Capacitorjs

Plugins / Community Plugins
Plugins / Official Plugins

52. Awesome Javascript

SDK / Other
WebSockets / Other

53. Awesome Eslint

Plugins / Practices and Specific ES Features

54. Awesome Fp Js

Resources / Articles

55. Awesome Circuitpython

Art / Educational

56. Awesome Micropython

Communications / IoT

57. Awesome Rust

Applications
Applications / Blockchain
Applications / Database
Applications / Finance
Applications / Games
Applications / Image processing
Applications / Operating systems
Applications / System tools
Applications / Text processing
Applications / Utilities
Development tools / Web Servers
Development tools / Build system
Development tools / Static analysis
Development tools / Transpiling
Libraries / Bioinformatics
Libraries / Compression
Libraries / Cryptography
Libraries / Data streaming
Libraries / Data visualization
Libraries / Encoding
Libraries / Game development
Libraries / Scripting
Libraries / Web programming

58. Awesome Composer

Packagist-compatible repositories / IRC
Support / IRC
Services / IRC
Packagist Mirrors / IRC

59. Awesome Scala Native

File Formats and Parsers
Databases

60. Awesome Elixir

Artificial Intelligence
Frameworks
HTTP

61. Awesome Cpp

Frameworks
Debug
Game Engine
Graphics
Logging

62. Awesome D

Core Utilities
Web Frameworks
Data Serialization
GUI Libraries
GUI Applications
Game Bindings
Game Libraries
Games

63. Awesome Cl

MCP servers
JSON
TOML
XML
HTTP Servers / Clack plugins

64. Awesome Ada

Frameworks / Apache License

65. Awesome V

Graphics
Web

66. Awesome Zig

Concurrency
Linters

67. Awesome Embedded Rust

Runtime Crates / Real-time tools

68. Awesome Privacy

Analytics
Bookmarking
File Management and Sharing
Minecraft
Maps and Navigation
Password Managers
Pastebin and Secret Sharing
Self-hosted
VPNs / Alternative clients/modifications of Discord:

69. Awesome Pentest

Social Engineering / Social Engineering Tools

70. Awesome Cyber Security University

Free Beginner Blue Team Path / Level 3 - Beginner Forensics, Threat Intel & Cryptography

71. Android Security Awesome

Tools / Dynamic Analysis Tools
Tools / Reverse Engineering
Tools / Misc Tools

72. Awesome Executable Packing

📚 Literature / Documentation
📚 Literature / Scientific Research
📑 Datasets / Scientific Research
📦 Packers / After 2010
📦 Packers / Between 2000 and 2010
📦 Packers / Before 2000
🔧 Tools / Before 2000

73. Awesome Malware Persistence

Techniques / Databases

74. Awesome Keycloak

Articles
Community Extensions

75. Awesome Jmeter

Tutorials
CI / Tutorials & Demo
Cloud Services / SaaS / Tutorials & Demo

76. Awesome Gatling

Tutorials
Community / Video Tutorials

77. Awesome Talks

Software Development
Computer History

78. Awesome Algorithms

Books / Algorithms and Data structures

79. Awesome Osint

Speciality Search Engines
Live Cyber Threat Maps
Pastebins
Social Media Tools / Instagram
Social Media Tools / Pinterest
Social Media Tools / LinkedIn
Social Media Tools / GitHub
Email Search / Email Check / GitHub
Domain and IP Research / GitHub
Image Analysis / GitHub
Browsers / GitHub
Gaming Platforms / GitHub
Music Streaming Services / GitHub
Other Resources / GitHub

80. Awesome Audit Algorithms

Papers / 2025

81. Awesome Polars

Polars plugins / Machine Learning & Data Science
Polars plugins / AI
Polars plugins / Language
Polars plugins / General utilities / Performance
Python / Miscellaneous
Rust / Miscellaneous
Tutorials & workshops / Miscellaneous
Blog posts / Miscellaneous
Talks and videos / Miscellaneous

82. Ai Collective Tools

Code Assistant
Dating
Gift Ideas
Image Editing

83. Awesome Opentofu

Official
Features
Tools / CI
Tools / Registry
Tools / Helpers
Media / Helpers

84. Awesome Workflow Automation

What is Workflow Automation?
📝 Articles on Workflow Automation
📘 Books About Workflow Automation
🎥 Video Tutorials & Courses
📂 Resources & Directories
💬 Online Communities

85. Awesome Marketing

SEO (Search Engine Optimization) / SEO Analytics
Social Media Marketing / Social Media Management
Content Marketing / Content Creation
Analytics and Reporting / Conversion Rate Optimization (CRO)

86. Awesome Firebase Genkit

Client Libraries / Dart - Official
Talks / Dart - Official
Articles / Dart - Official

87. Awesome European Tech

Index / Authenticators
Index / Cloud
Index / Cybersecurity
Index / DNS
Index / File Sharing
Index / Mail Providers
Index / Password manager services

88. Awesome Tmux

Tools and session management

89. Awesome Neovim

(requires Neovim 0.5)
AI / Diagnostics
Language / Diagnostics
Snippet / Diagnostics
Color / Diagnostics
Note Taking / Diagnostics
Utility / Diagnostics
GitLab / Diagnostics
Keybinding / Diagnostics
Editing Support / Diagnostics

90. Awesome Angular

CLI / Google Developer Experts
Integrations / Google Developer Experts
Security / Google Developer Experts
Free / Google Developer Experts
Guides / Google Developer Experts
Form Controls / Google Developer Experts
Mixed utilities / Google Developer Experts
Router / Google Developer Experts
Tailwind CSS Based / Google Developer Experts
Ionic / Google Developer Experts

91. Free for Dev

APIs, Data, and ML
CI and CD
Testing
Translation Management
Monitoring
Education and Career Development
Web Hosting
DNS
Managed Data Services
Design and UI
IDE and Code Editing

92. Awesome Selfhosted

Software / Analytics
Software / Communication - Email - Complete Solutions
Software / Customer Relationship Management (CRM)
Software / Document Management
Software / File Transfer - Peer-to-peer Filesharing
Software / File Transfer - Web-based File Managers
Software / Games
Software / Generative Artificial Intelligence (GenAI)
Software / Knowledge Management Tools
Software / Media Management
Software / Note-taking & Editors
Software / Pastebins
Software / Proxy

93. Awesome Go

Authentication and OAuth
Standard CLI
Queues
Pipes
Relational Database Drivers
Distributed Systems
Embeddable Scripting Languages
File Handling
Job Scheduler
Networking
HTTP Clients
Reflection
Stream Processing
Parsers/Encoders/Decoders
Scrapers
Utilities
UUID
Go Tools / Libraries for creating HTTP middlewares
DevOps Tools / Libraries for creating HTTP middlewares
Guided Learning / Libraries for creating HTTP middlewares

94. Awesome Azure Openai Llm

Section 1 🎯: RAG
Section 2 🌌: Azure OpenAI
Section 3 🌐: LLM Applications
Section 4 🤖: Agent
Section 9 🌍: LLM Landscape
Section 10 📚: Surveys | References

95. Awesome Agi Cocosci

Domain Specific Language / Design Practises
Domain Specific Language / Imperative DSL Applications
Domain Specific Language / Declarative DSL Applications
Domain Specific Language / Logic DSL Applications
Domain Specific Language / DSL Program Synthesis
Domain Specific Language / Cognitive Foundations
Problem Solving / Human-Level Problem Solving
System 1 & System 2 / Neural-Symbolic AI
Explainability / Trustworthy AI
Science Logology / AI Assisted Research

Jul 13, 2025

1. Awesome Zsh Plugins

Plugins / superconsole - Windows-only
Completions / superconsole - Windows-only

Top 50 Awesome List

  1. Awesome List - (Source ⭐ 382K 📝 07/14 ) - 😎 Awesome lists about all kinds of interesting topics
  2. Awesome Selfhosted - (Source ⭐ 236K 📝 07/15 ) - A list of Free Software network services and web applications which can be hosted on your own servers
  3. Awesome Go - (Source ⭐ 147K 📝 07/15 ) - A curated list of awesome Go frameworks, libraries and software
  4. 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
  5. Awesome Mac - (Source ⭐ 85K 📝 07/14 ) -  Now we have become very big, Different from the original idea. Collect premium software in various categories.
  6. Awesome for Beginners - (Source ⭐ 75K 📝 07/14 ) - A list of awesome beginners-friendly projects.
  7. Awesome Vue - (Source ⭐ 73K 📝 07/14 ) - 🎉 A curated list of awesome things related to Vue.js
  8. Free Programming Books (English, By Programming Language) - (Source ⭐ 361K 📝 06/27 ) - 📚 Freely available programming books
  9. Awesome Cpp - (Source ⭐ 65K 📝 07/14 ) - A curated list of awesome C++ (or C) frameworks, libraries, resources, and shiny things. Inspired by awesome-... stuff.
  10. Awesome Nodejs - (Source ⭐ 62K 📝 07/14 ) - ⚡ Delightful Node.js packages and resources
  11. Awesome Rust - (Source ⭐ 51K 📝 07/14 ) - A curated list of Rust code and resources.
  12. Awesome Javascript - (Source ⭐ 34K 📝 07/14 ) - 🐢 A collection of awesome browser-side JavaScript libraries, resources and shiny things.
  13. Awesome Falsehood - (Source ⭐ 26K 📝 07/14 ) - 😱 Falsehoods Programmers Believe in
  14. Awesome Pentest - (Source ⭐ 24K 📝 07/14 ) - A collection of awesome penetration testing resources, tools and other shiny things
  15. Awesome Algorithms - (Source ⭐ 23K 📝 07/14 ) - A curated list of awesome places to learn and/or practice algorithms.
  16. Awesome Osint - (Source ⭐ 22K 📝 07/14 ) - 😱 A curated list of amazingly awesome OSINT
  17. Awesome Dotnet - (Source ⭐ 20K 📝 07/14 ) - A collection of awesome .NET libraries, tools, frameworks and software
  18. Awesome Neovim - (Source ⭐ 18K 📝 07/15 ) - Collections of awesome neovim plugins.
  19. Awesome Readme - (Source ⭐ 19K 📝 07/14 ) - A curated list of awesome READMEs
  20. Awesome Privacy - (Source ⭐ 15K 📝 07/14 ) - Awesome Privacy - A curated list of services and alternatives that respect your privacy because PRIVACY MATTERS.
  21. Awesome Graphql - (Source ⭐ 15K 📝 07/14 ) - Awesome list of GraphQL
  22. Magictools - (Source ⭐ 15K 📝 07/14 ) - 🎮 📝 A list of Game Development resources to make magic happen.
  23. Awesome Zsh Plugins - (Source ⭐ 16K 📝 07/13 ) - A collection of ZSH frameworks, plugins, themes and tutorials.
  24. Awesome Creative Coding - (Source ⭐ 14K 📝 07/14 ) - Creative Coding: Generative Art, Data visualization, Interaction Design, Resources.
  25. Awesome Elixir - (Source ⭐ 13K 📝 07/14 ) - A curated list of amazingly awesome Elixir and Erlang libraries, resources and shiny things. Updates:
  26. 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
  27. Awesome Django - (Source ⭐ 10K 📝 07/15 ) - A curated list of awesome things related to Django
  28. Awesome Machine Learning - (Source ⭐ 68K 📝 06/26 ) - A curated list of awesome Machine Learning frameworks, libraries and software.
  29. Awesome Angular - (Source ⭐ 9.8K 📝 07/15 ) - 📄 A curated list of awesome Angular resources
  30. Awesome Fastapi - (Source ⭐ 10K 📝 07/14 ) - A curated list of awesome things related to FastAPI
  31. Awesome Tmux - (Source ⭐ 8.6K 📝 07/15 ) - A list of awesome resources for tmux
  32. Android Security Awesome - (Source ⭐ 8.7K 📝 07/14 ) - A collection of android security related resources
  33. Awesome Godot - (Source ⭐ 8.2K 📝 07/14 ) - A curated list of free/libre plugins, scripts and add-ons for Godot
  34. Awesome Embedded Rust - (Source ⭐ 7.2K 📝 07/14 ) - Curated list of resources for Embedded and Low-level development in the Rust programming language
  35. Git Cheat Sheet - (Source ⭐ 7.1K 📝 07/14 ) - 🐙 git and git flow cheat sheet
  36. Awesome Talks - (Source ⭐ 6.2K 📝 07/14 ) - Awesome online talks and screencasts
  37. Awesome Fp Js - (Source ⭐ 6K 📝 07/14 ) - 😎 A curated list of awesome functional programming stuff in js
  38. Awesome Datascience - (Source ⭐ 27K 📝 06/29 ) - 📝 An awesome Data Science repository to learn and apply for real world problems.
  39. ALL About RSS - (Source ⭐ 5.3K 📝 07/14 ) - A list of RSS related stuff: tools, services, communities and tutorials, etc.
  40. Awesome Eslint - (Source ⭐ 4.6K 📝 07/14 ) - A list of awesome ESLint plugins, configs, etc.
  41. Awesome Ipfs - (Source ⭐ 4.5K 📝 07/14 ) - Community list of awesome projects, apps, tools, pinning services and more related to IPFS.
  42. Awesome Newsletters - (Source ⭐ 4.1K 📝 07/15 ) - A list of amazing Newsletters
  43. Awesome Deno - (Source ⭐ 4.4K 📝 07/14 ) - Curated list of awesome things related to Deno
  44. Awesome Nix - (Source ⭐ 4.1K 📝 07/14 ) - 😎 A curated list of the best resources in the Nix community [maintainer=@cyntheticfox]
  45. Awesome Data Engineering - (Source ⭐ 7.5K 📝 07/08 ) - A curated list of data engineering tools for software developers
  46. Awesome Love2d - (Source ⭐ 3.9K 📝 07/14 ) - A curated list of amazingly awesome LÖVE libraries, resources and shiny things.
  47. 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.
  48. Awesome Iot - (Source ⭐ 3.5K 📝 07/14 ) - 🤖 A curated list of awesome Internet of Things projects and resources.
  49. Awesome Rails - (Source ⭐ 3.8K 📝 07/12 ) - A curated list of awesome things related to Ruby on Rails
  50. 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

Big Data

Books

Business

ChatGPT

Computer Science

Content Management Systems

Data Engineering

Databases

Decentralized Systems

DevOps

Development Environment

Editors

Entertainment

Events

Finance

Front-End Development

GPT-3

Gaming

Hardware

Health and Social Science

LLM

Learn

Library systems

Media

Miscellaneous

Networking

Platforms

Productivity Tools

Programming Languages

Security

Testing

Theory

Work

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 (Track Awesome List ) to your awesome list, please add the following code to your README.md:

[![Track Awesome List](https://www.trackawesomelist.com/badge.svg)](https://www.trackawesomelist.com/your_repo_pathname/)

The doc is still under construction, if you have any question, please open an issue