├── .404-links.yml ├── .editorconfig ├── .github ├── CODE_OF_CONDUCT.md ├── pull_request_template.md └── workflows │ └── 404-links.yml ├── .travis.yml ├── CONTRIBUTING.md ├── LICENSE └── README.md /.404-links.yml: -------------------------------------------------------------------------------- 1 | delay: 2 | 'https://github.com': 500 #Avoiding Github rate limit by delaying the request -> 500ms 3 | ignore: 4 | urls: # Array of url to ignore 5 | - https://swagger.io/ 6 | - https://www.graylog.org/ 7 | - https://riak.com/posts/technical/microservices-please-dont/ 8 | 9 | 10 | -------------------------------------------------------------------------------- /.editorconfig: -------------------------------------------------------------------------------- 1 | # http://editorconfig.org 2 | root = true 3 | 4 | [*] 5 | indent_style = space 6 | indent_size = 2 7 | end_of_line = lf 8 | charset = utf-8 9 | trim_trailing_whitespace = true 10 | insert_final_newline = true 11 | 12 | -------------------------------------------------------------------------------- /.github/CODE_OF_CONDUCT.md: -------------------------------------------------------------------------------- 1 | # Contributor Covenant Code of Conduct 2 | 3 | ## Our Pledge 4 | 5 | In the interest of fostering an open and welcoming environment, we as 6 | contributors and maintainers pledge to making participation in our project and 7 | our community a harassment-free experience for everyone, regardless of age, body 8 | size, disability, ethnicity, sex characteristics, gender identity and expression, 9 | level of experience, education, socio-economic status, nationality, personal 10 | appearance, race, religion, or sexual identity and orientation. 11 | 12 | ## Our Standards 13 | 14 | Examples of behavior that contributes to creating a positive environment 15 | include: 16 | 17 | * Using welcoming and inclusive language 18 | * Being respectful of differing viewpoints and experiences 19 | * Gracefully accepting constructive criticism 20 | * Focusing on what is best for the community 21 | * Showing empathy towards other community members 22 | 23 | Examples of unacceptable behavior by participants include: 24 | 25 | * The use of sexualized language or imagery and unwelcome sexual attention or 26 | advances 27 | * Trolling, insulting/derogatory comments, and personal or political attacks 28 | * Public or private harassment 29 | * Publishing others' private information, such as a physical or electronic 30 | address, without explicit permission 31 | * Other conduct which could reasonably be considered inappropriate in a 32 | professional setting 33 | 34 | ## Our Responsibilities 35 | 36 | Project maintainers are responsible for clarifying the standards of acceptable 37 | behavior and are expected to take appropriate and fair corrective action in 38 | response to any instances of unacceptable behavior. 39 | 40 | Project maintainers have the right and responsibility to remove, edit, or 41 | reject comments, commits, code, wiki edits, issues, and other contributions 42 | that are not aligned to this Code of Conduct, or to ban temporarily or 43 | permanently any contributor for other behaviors that they deem inappropriate, 44 | threatening, offensive, or harmful. 45 | 46 | ## Scope 47 | 48 | This Code of Conduct applies both within project spaces and in public spaces 49 | when an individual is representing the project or its community. Examples of 50 | representing a project or community include using an official project e-mail 51 | address, posting via an official social media account, or acting as an appointed 52 | representative at an online or offline event. Representation of a project may be 53 | further defined and clarified by project maintainers. 54 | 55 | ## Enforcement 56 | 57 | Instances of abusive, harassing, or otherwise unacceptable behavior may be 58 | reported by contacting the project team at marc.fornos@gmail.com. All 59 | complaints will be reviewed and investigated and will result in a response that 60 | is deemed necessary and appropriate to the circumstances. The project team is 61 | obligated to maintain confidentiality with regard to the reporter of an incident. 62 | Further details of specific enforcement policies may be posted separately. 63 | 64 | Project maintainers who do not follow or enforce the Code of Conduct in good 65 | faith may face temporary or permanent repercussions as determined by other 66 | members of the project's leadership. 67 | 68 | ## Attribution 69 | 70 | This Code of Conduct is adapted from the [Contributor Covenant][homepage], version 1.4, 71 | available at https://www.contributor-covenant.org/version/1/4/code-of-conduct.html 72 | 73 | [homepage]: https://www.contributor-covenant.org 74 | 75 | For answers to common questions about this code of conduct, see 76 | https://www.contributor-covenant.org/faq 77 | -------------------------------------------------------------------------------- /.github/pull_request_template.md: -------------------------------------------------------------------------------- 1 | ## Type of change 2 | 3 | - [ ] Add an entry to an existing category. 4 | - [ ] Remove an existing entry. _Provide rationale_ 5 | - [ ] Modify an existing entry. _Provide rationale_ 6 | - [ ] Add/modify/remove a category or subcategory. _Provide rationale_ 7 | - [ ] Other fixes or amendments. 8 | 9 | ## Rationale 10 | 11 | 12 | ## Checklist 13 | 14 | - [ ] The contribution follows the [**CONTRIBUTING.md**](https://github.com/mfornos/awesome-microservices/blob/master/CONTRIBUTING.md) document guidelines. 15 | 16 | Regarding the suggested entry: 17 | 18 | - [ ] It is sorted alphabetically in its section. 19 | - [ ] It does not exist already in the list. 20 | - [ ] It is not for marketing purposes. 21 | -------------------------------------------------------------------------------- /.github/workflows/404-links.yml: -------------------------------------------------------------------------------- 1 | name: Link linter 2 | 3 | on: 4 | push: 5 | branches: [ master ] 6 | pull_request: 7 | types: [assigned, opened, synchronize, reopened] 8 | jobs: 9 | build: 10 | runs-on: ubuntu-latest 11 | steps: 12 | - uses: actions/checkout@v2 13 | - name: Check links 14 | uses: restqa/404-links@2.2.0 15 | -------------------------------------------------------------------------------- /.travis.yml: -------------------------------------------------------------------------------- 1 | language: ruby 2 | rvm: 3 | - 3.0.1 4 | before_script: 5 | - gem install awesome_bot 6 | script: 7 | - awesome_bot README.md --allow-redirect --allow-ssl 8 | -------------------------------------------------------------------------------- /CONTRIBUTING.md: -------------------------------------------------------------------------------- 1 | # Contribution Guidelines 2 | 3 | ## Adding to this list 4 | 5 | Please ensure your pull request adheres to the following guidelines: 6 | 7 | - Make an individual pull request for each suggestion. 8 | - Use the following format: `[Resource Name](link) - Short description.` 9 | - Don't repeat the resource name in the description. 10 | - Link additions should be added in alphabetical order to the relevant category. 11 | - Titles should be [capitalized](http://grammar.yourdictionary.com/capitalization/rules-for-capitalization-in-titles.html). 12 | - Check your spelling and grammar. 13 | - New categories or improvements to the existing categorization are welcome. 14 | - The pull request and commit should have a useful title. 15 | 16 | Thank you for your suggestions! 17 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | CC0 1.0 Universal 2 | 3 | Statement of Purpose 4 | 5 | The laws of most jurisdictions throughout the world automatically confer 6 | exclusive Copyright and Related Rights (defined below) upon the creator and 7 | subsequent owner(s) (each and all, an "owner") of an original work of 8 | authorship and/or a database (each, a "Work"). 9 | 10 | Certain owners wish to permanently relinquish those rights to a Work for the 11 | purpose of contributing to a commons of creative, cultural and scientific 12 | works ("Commons") that the public can reliably and without fear of later 13 | claims of infringement build upon, modify, incorporate in other works, reuse 14 | and redistribute as freely as possible in any form whatsoever and for any 15 | purposes, including without limitation commercial purposes. These owners may 16 | contribute to the Commons to promote the ideal of a free culture and the 17 | further production of creative, cultural and scientific works, or to gain 18 | reputation or greater distribution for their Work in part through the use and 19 | efforts of others. 20 | 21 | For these and/or other purposes and motivations, and without any expectation 22 | of additional consideration or compensation, the person associating CC0 with a 23 | Work (the "Affirmer"), to the extent that he or she is an owner of Copyright 24 | and Related Rights in the Work, voluntarily elects to apply CC0 to the Work 25 | and publicly distribute the Work under its terms, with knowledge of his or her 26 | Copyright and Related Rights in the Work and the meaning and intended legal 27 | effect of CC0 on those rights. 28 | 29 | 1. Copyright and Related Rights. A Work made available under CC0 may be 30 | protected by copyright and related or neighboring rights ("Copyright and 31 | Related Rights"). Copyright and Related Rights include, but are not limited 32 | to, the following: 33 | 34 | i. the right to reproduce, adapt, distribute, perform, display, communicate, 35 | and translate a Work; 36 | 37 | ii. moral rights retained by the original author(s) and/or performer(s); 38 | 39 | iii. publicity and privacy rights pertaining to a person's image or likeness 40 | depicted in a Work; 41 | 42 | iv. rights protecting against unfair competition in regards to a Work, 43 | subject to the limitations in paragraph 4(a), below; 44 | 45 | v. rights protecting the extraction, dissemination, use and reuse of data in 46 | a Work; 47 | 48 | vi. database rights (such as those arising under Directive 96/9/EC of the 49 | European Parliament and of the Council of 11 March 1996 on the legal 50 | protection of databases, and under any national implementation thereof, 51 | including any amended or successor version of such directive); and 52 | 53 | vii. other similar, equivalent or corresponding rights throughout the world 54 | based on applicable law or treaty, and any national implementations thereof. 55 | 56 | 2. Waiver. To the greatest extent permitted by, but not in contravention of, 57 | applicable law, Affirmer hereby overtly, fully, permanently, irrevocably and 58 | unconditionally waives, abandons, and surrenders all of Affirmer's Copyright 59 | and Related Rights and associated claims and causes of action, whether now 60 | known or unknown (including existing as well as future claims and causes of 61 | action), in the Work (i) in all territories worldwide, (ii) for the maximum 62 | duration provided by applicable law or treaty (including future time 63 | extensions), (iii) in any current or future medium and for any number of 64 | copies, and (iv) for any purpose whatsoever, including without limitation 65 | commercial, advertising or promotional purposes (the "Waiver"). Affirmer makes 66 | the Waiver for the benefit of each member of the public at large and to the 67 | detriment of Affirmer's heirs and successors, fully intending that such Waiver 68 | shall not be subject to revocation, rescission, cancellation, termination, or 69 | any other legal or equitable action to disrupt the quiet enjoyment of the Work 70 | by the public as contemplated by Affirmer's express Statement of Purpose. 71 | 72 | 3. Public License Fallback. Should any part of the Waiver for any reason be 73 | judged legally invalid or ineffective under applicable law, then the Waiver 74 | shall be preserved to the maximum extent permitted taking into account 75 | Affirmer's express Statement of Purpose. In addition, to the extent the Waiver 76 | is so judged Affirmer hereby grants to each affected person a royalty-free, 77 | non transferable, non sublicensable, non exclusive, irrevocable and 78 | unconditional license to exercise Affirmer's Copyright and Related Rights in 79 | the Work (i) in all territories worldwide, (ii) for the maximum duration 80 | provided by applicable law or treaty (including future time extensions), (iii) 81 | in any current or future medium and for any number of copies, and (iv) for any 82 | purpose whatsoever, including without limitation commercial, advertising or 83 | promotional purposes (the "License"). The License shall be deemed effective as 84 | of the date CC0 was applied by Affirmer to the Work. Should any part of the 85 | License for any reason be judged legally invalid or ineffective under 86 | applicable law, such partial invalidity or ineffectiveness shall not 87 | invalidate the remainder of the License, and in such case Affirmer hereby 88 | affirms that he or she will not (i) exercise any of his or her remaining 89 | Copyright and Related Rights in the Work or (ii) assert any associated claims 90 | and causes of action with respect to the Work, in either case contrary to 91 | Affirmer's express Statement of Purpose. 92 | 93 | 4. Limitations and Disclaimers. 94 | 95 | a. No trademark or patent rights held by Affirmer are waived, abandoned, 96 | surrendered, licensed or otherwise affected by this document. 97 | 98 | b. Affirmer offers the Work as-is and makes no representations or warranties 99 | of any kind concerning the Work, express, implied, statutory or otherwise, 100 | including without limitation warranties of title, merchantability, fitness 101 | for a particular purpose, non infringement, or the absence of latent or 102 | other defects, accuracy, or the present or absence of errors, whether or not 103 | discoverable, all to the greatest extent permissible under applicable law. 104 | 105 | c. Affirmer disclaims responsibility for clearing rights of other persons 106 | that may apply to the Work or any use thereof, including without limitation 107 | any person's Copyright and Related Rights in the Work. Further, Affirmer 108 | disclaims responsibility for obtaining any necessary consents, permissions 109 | or other rights required for any use of the Work. 110 | 111 | d. Affirmer understands and acknowledges that Creative Commons is not a 112 | party to this document and has no duty or obligation with respect to this 113 | CC0 or use of the Work. 114 | 115 | For more information, please see 116 | 117 | 118 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Awesome Microservices [![Awesome](https://cdn.rawgit.com/sindresorhus/awesome/d7305f38d29fed78fa85652e3a63e154dd8e8829/media/badge.svg)](https://github.com/sindresorhus/awesome) 2 | 3 | A curated list of Microservice Architecture related principles and technologies. 4 | 5 | **Table of Contents** 6 | 7 | - [Platforms](#platforms) 8 | - [Frameworks / Runtimes](#frameworks--runtimes) 9 | - [Service Toolkits](#service-toolkits) 10 | - [Polyglot](#polyglot) 11 | - [C](#c) 12 | - [C++](#c-1) 13 | - [C#](#csharp) 14 | - [D](#d) 15 | - [Erlang VM](#erlang-vm) 16 | - [Go](#go) 17 | - [Haskell](#haskell) 18 | - [Java VM](#java-vm) 19 | - [Node.js](#nodejs) 20 | - [Perl](#perl) 21 | - [PHP](#php) 22 | - [Python](#python) 23 | - [Ruby](#ruby) 24 | - [Rust](#rust) 25 | - [Frontend / UI](#frontend--ui) 26 | - [Capabilities](#capabilities) 27 | - [API Gateways / Edge Services](#api-gateways--edge-services) 28 | - [Configuration & Discovery](#configuration--discovery) 29 | - [Workflow Orchestration](#workflow-orchestration) 30 | - [Elasticity](#elasticity) 31 | - [Job Schedulers / Workload Automation](#job-schedulers--workload-automation) 32 | - [Logging](#logging) 33 | - [Messaging](#messaging) 34 | - [Monitoring & Debugging](#monitoring--debugging) 35 | - [Reactivity](#reactivity) 36 | - [Resilience](#resilience) 37 | - [Security](#security) 38 | - [Serialization](#serialization) 39 | - [Storage](#storage) 40 | - [Testing](#testing) 41 | - [Continuous Integration & Delivery](#continuous-integration--delivery) 42 | - [Web API Modeling & Documentation](#web-api-modeling--documentation) 43 | - [GraphQL](#graphql) 44 | - [JSON](#json) 45 | - [REST](#rest) 46 | - [Standards / Recommendations](#standards--recommendations) 47 | - [World Wide Web](#world-wide-web) 48 | - [Self-sovereignty & Decentralisation](#self-sovereignty--decentralisation) 49 | - [HTTP/1.1](#http11) 50 | - [HTTP/2](#http2) 51 | - [QUIC](#quic) 52 | - [CoAP](#coap) 53 | - [RPC](#rpc) 54 | - [Messaging](#messaging-1) 55 | - [Security](#security-1) 56 | - [Service Discovery](#service-discovery) 57 | - [Data Formats](#data-formats) 58 | - [Vocabularies](#vocabularies) 59 | - [Unicode](#unicode) 60 | - [Organization Design / Team Dynamics](#organization-design--team-dynamics) 61 | - [Enterprise & Verticals](#enterprise--verticals) 62 | - [Theory](#theory) 63 | - [Articles & Papers](#articles--papers) 64 | - [Sites & Organizations](#sites--organizations) 65 | - [License](#license) 66 | - [Contributing](#contributing) 67 | 68 | ## Platforms 69 | 70 | - [Jolie](https://jolie-lang.org) - Open source microservice-oriented programming language. 71 | - [Kalix (c)](https://www.kalix.io/) - Platform as a Service that abstracts away the complexity of event-driven microservices. 72 | - [Lightbend (c)](https://www.lightbend.com/) - Platform for building scalable reactive systems on the JVM. 73 | - [OpenWhisk](http://openwhisk.org/) - Serverless, open source cloud platform that executes functions in response to events at any scale. 74 | - [Pulumi](https://pulumi.io/) - SDK for cloud native infrastructure as code. Use your favorite language to preview and manage updates to your apps and infrastructure, and continuously deploy to any cloud (no YAML required). 75 | - [Triton](https://github.com/joyent/triton) - Open-source cloud management platform that delivers next generation, container-based, service-oriented infrastructure across one or more data centers. 76 | - [Wing](https://www.winglang.io/) - Cloud-oriented programming language. It allows developers to build distributed systems that fully leverage the power of the cloud without having to worry about the underlying infrastructure. 77 | 78 | ## Frameworks / Runtimes 79 | 80 | - [Akka](http://akka.io/) - Toolkit and runtime for building highly concurrent, distributed, and resilient message-driven applications on the JVM. 81 | - [Axon (c)](https://axoniq.io/) - An end-to-end development and infrastructure platform for easy development and running of any DDD, CQRS and Event Sourcing applications on JVM. 82 | - [Ballerina](https://ballerina.io) - Cloud native programming language. 83 | - [Bun](https://bun.sh/) - Fast all-in-one JavaScript runtime. 84 | - [Dapr](https://dapr.io) - Open source runtime for writing highly performant microservices using any programming language. 85 | - [Deno](https://deno.land/) - JavaScript, TypeScript, and WebAssembly runtime with secure defaults and a great developer experience. 86 | - [Eclipse Microprofile](https://microprofile.io/) - An open forum to optimize Enterprise Java for a microservices architecture by innovating across multiple implementations and collaborating on common areas of interest with a goal of standardization. 87 | - [Erlang/OTP](https://github.com/erlang/otp) - Programming language used to build massively scalable soft real-time systems with requirements on high availability. 88 | - [Finagle](http://twitter.github.io/finagle) - Extensible RPC system for the JVM, used to construct high-concurrency servers. 89 | - [Gleam](https://gleam.run/) - A friendly language for building type-safe, scalable systems. 90 | - [GraalVM](https://www.graalvm.org/) - High-performance runtime that provides significant improvements in application performance and efficiency which is ideal for microservices. 91 | - [Helidon](https://helidon.io/) - Collection of Java libraries for writing microservices that run on a fast web core powered by Netty. 92 | - [Ice](https://zeroc.com/) - Comprehensive RPC framework with support for C++, C#, Java, JavaScript, Python, and more. 93 | - [Light-4j](https://github.com/networknt/light-4j) - A high throughput, low latency, small memory footprint and more productive microservices platform. 94 | - [Micronaut](http://micronaut.io/) - A modern, JVM-based, full-stack framework for building modular, easily testable microservice applications. 95 | - [Modus](https://github.com/hypermodeinc/modus) - An open source, serverless framework for building intelligent functions and APIs, powered by WebAssembly. 96 | - [Moleculer](http://moleculer.services/) - Fast & powerful microservices framework for Node.js, Java, Go and Ruby. 97 | - [Open Liberty](https://openliberty.io/) - A lightweight open framework for building fast and efficient cloud-native Java microservices. 98 | - [Orbit](https://github.com/orbit/orbit) - Modern framework for JVM languages that makes it easier to build and maintain distributed and scalable online services. 99 | - [Pears](https://github.com/holepunchto/pear) - Peer-to-peer runtime, development and deployment. 100 | - [SmallRye](https://smallrye.io/) - APIs and implementations tailored for cloud development, including Eclipse MicroProfile. 101 | - [Spin](https://github.com/fermyon/spin) - An open source framework for building and running fast, secure, and composable cloud microservices with WebAssembly. 102 | - [ScaleCube](https://github.com/scalecube/scalecube) - Toolkit for building reactive microservices for the JVM: low-latency, high-throughput, scalable and resilient. 103 | - [Vert.X](http://vertx.io/) - Toolkit for building reactive applications on the JVM. 104 | - [Vert.X Toolbox](https://github.com/vert-x3/vertx-microservices-toolbox) - A set of Vert.x components to build reactive microservice applications. 105 | - [Wangle](https://github.com/facebook/wangle) - A framework providing a set of common client/server abstractions for building services in a consistent, modular, and composable way. 106 | 107 | ## Service Toolkits 108 | 109 | ### Polyglot 110 | 111 | - [GRPC](http://www.grpc.io/) - A high performance, open source, general RPC framework that puts mobile and HTTP/2 first. Libraries in C, C++, Java, Go, Node.js, Python, Ruby, Objective-C, PHP and C#. 112 | - [Hprose](http://github.com/hprose) - A very newability RPC Library, support 25+ languages now. 113 | 114 | ### C 115 | 116 | - [Kore](https://kore.io/) - Easy to use web application framework for writing scalable web APIs in C. 117 | - [Libasyncd](https://github.com/wolkykim/libasyncd/) - Embeddable event-based asynchronous HTTP server library for C. 118 | - [Libslack](http://libslack.org/) - Provides a generic agent oriented programming model, run time selection of locking strategies, functions that make writing daemons trivial and simplify the implementation of network servers and clients, &c. 119 | - [Lwan](http://lwan.ws/) - High-performance and scalable web server. 120 | - [Onion](https://github.com/davidmoreno/onion) - C library to create simple HTTP servers and web applications. 121 | 122 | ### C++ 123 | 124 | 125 | - [Cap’n Proto RPC](https://capnproto.org/cxxrpc.html) - The Cap’n Proto C++ RPC implementation. 126 | - [C++ Micro Services](https://github.com/CppMicroServices/CppMicroServices) - An OSGi-like C++ dynamic module system and service registry. 127 | - [Enduro/X](https://github.com/endurox-dev/endurox/) - XATMI based service framework for GNU/Linux. 128 | - [Pistache](https://github.com/oktal/pistache) - A high-performance REST toolkit written in C++. 129 | - [Poco](http://pocoproject.org/) - C++ class libraries for building network-based applications and servers. 130 | - [Sogou Workflow](https://github.com/sogou/workflow) - Enterprise-grade programming engine aimed to satisfy most of the backend development requirements. 131 | 132 | ### CSharp 133 | 134 | - [Awesome Microservices .NET Core](https://github.com/mjebrahimi/Awesome-Microservices-NetCore) :star: - A collection of awesome training series, articles, videos, books, courses, sample projects, and tools for microservices in .NET Core. 135 | - [Akka.NET](http://getakka.net/) - Toolkit and runtime for building highly concurrent, distributed, and fault tolerant event-driven applications on .NET & Mono. 136 | - [Orleans](https://dotnet.github.io/orleans/) - Provides a straightforward approach to building distributed high-scale computing applications, without the need to learn and apply complex concurrency or other scaling patterns. 137 | 138 | ### D 139 | 140 | - [Vibe.d](http://vibed.org/) - Asynchronous I/O that doesn’t get in your way, written in D. 141 | 142 | ### Erlang VM 143 | 144 | #### Elixir 145 | 146 | - [Phoenix](http://www.phoenixframework.org/) - Framework for building HTML5 apps, API backends and distributed systems. 147 | - [Plug](https://github.com/elixir-lang/plug) - A specification and conveniences for composable modules between web applications. 148 | 149 | #### Erlang 150 | 151 | - [Cowboy](https://github.com/ninenines/cowboy) - Small, fast, modular HTTP server written in Erlang. 152 | - [Mochiweb](https://github.com/mochi/mochiweb) - Erlang library for building lightweight HTTP servers. 153 | 154 | ### Go 155 | 156 | - [Chi](https://github.com/go-chi/chi) - Lightweight, idiomatic and composable router for building Go HTTP services. 157 | - [Echo](https://echo.labstack.com/) - Fast and unfancy HTTP server framework for Go. Up to 10x faster than the rest. 158 | - [Fiber](https://github.com/gofiber/fiber) - Express inspired web framework built on top of Fasthttp, the fastest HTTP engine for Go. Designed to ease things up for fast development with zero memory allocation and performance in mind. 159 | - [Gin](https://github.com/gin-gonic/gin) - Gin is a HTTP web framework written in Go (Golang). It features a Martini-like API with much better performance, up to 40 times faster. 160 | - [Goa](https://github.com/goadesign/goa) - Design-based HTTP microservices in Go. 161 | - [GoFr](https://github.com/gofr-dev/gofr) - An opinionated microservice development framework emphasizing scalability and robustness. Designed to simplify the development of microservices. 162 | - [Go Chassis](https://github.com/go-chassis/go-chassis) - A framework for rapid development of microservices in Go that is easy to integrate with some cloud ecosystems. 163 | - [Go kit](https://github.com/go-kit/kit) - Distributed programming toolkit for microservices in the modern enterprise. 164 | - [Go-micro](https://github.com/micro/go-micro) - A distributed systems development framework. 165 | - [go-zero](https://github.com/tal-tech/go-zero) - A web and rpc distributed system development framework. 166 | - [Gorilla](http://www.gorillatoolkit.org/) - Web toolkit for the Go programming language. 167 | - [Iris](https://github.com/kataras/iris) - Fast, simple and efficient micro web framework for Go. 168 | - [Lura](https://github.com/luraproject/lura) - Framework to build ultra performance API Gateways with middlewares. 169 | - [Micro](https://github.com/micro/micro) - A distributed systems runtime for the cloud and beyond. 170 | - [Negroni](https://github.com/urfave/negroni) - Idiomatic HTTP middleware for Golang. 171 | - [RPCX](https://github.com/smallnest/rpcx) - A distributed RPC service framework based on NET/RPC like Alibaba Dubbo and Weibo Motan. 172 | 173 | ### Haskell 174 | 175 | - [Scotty](https://github.com/scotty-web/scotty) - Micro web framework inspired by Ruby's Sinatra, using WAI and Warp. 176 | - [Servant](https://github.com/haskell-servant/servant) - Type-level web DSL. 177 | - [Yesod](https://github.com/yesodweb/yesod) - The Haskell RESTful web framework. 178 | 179 | ### Java VM 180 | 181 | #### Clojure 182 | 183 | - [Compojure](https://github.com/weavejester/compojure) - A concise routing library for Ring/Clojure. 184 | - [Duct](https://github.com/weavejester/duct) - Minimal framework for building web applications in Clojure, with a strong emphasis on simplicity. 185 | - [System](https://github.com/danielsz/system) - Built on top of Stuart Sierra's component library, offers a set of readymade components. 186 | - [Tesla](https://github.com/otto-de/tesla-microservice) - Common basis for some of Otto.de's Clojure microservices. 187 | 188 | #### Java 189 | 190 | - [ActiveRPC](https://rpc.activej.io) - Lightweight and fast library for complex high-load distributed applications and Memcached-like solutions. 191 | - [Airlift](https://github.com/airlift/airlift) - Framework for building REST services in Java. 192 | - [Armeria](https://line.github.io/armeria/) - Open-source asynchronous HTTP/2 RPC/REST client/server library built on top of Java 8, Netty, Thrift and gRPC. 193 | - [Disruptor](https://github.com/LMAX-Exchange/disruptor) - High-performance inter-thread messaging library. 194 | - [Dropwizard](https://dropwizard.github.io/) - Java framework for developing ops-friendly, high-performance, RESTful web services. 195 | - [Dubbo](https://github.com/apache/dubbo) - A high-performance, java based RPC framework open-sourced by Alibaba. 196 | - [Conjure](https://github.com/palantir/conjure-java-runtime) - Opinionated set of libraries for defining and creating RESTish/RPC servers and clients based on Feign or Retrofit as a client and Dropwizard/Jersey with JAX-RS service definitions as a server. 197 | - [Jersey](https://github.com/eclipse-ee4j/jersey) - RESTful services in Java. JAX-RS reference implementation. 198 | - [Quarkus](https://quarkus.io/) - A Kubernetes Native Java stack tailored for OpenJDK HotSpot and GraalVM, crafted from the best of breed Java libraries and standards. 199 | - [Ratpack](https://ratpack.io/) - Set of Java libraries that facilitate fast, efficient, evolvable and well tested HTTP applications. specific support for the Groovy language is provided. 200 | - [Spring Boot](http://projects.spring.io/spring-boot/) - Makes it easy to create stand-alone, production-grade Spring based applications. 201 | 202 | #### Kotlin 203 | 204 | - [Http4k](https://www.http4k.org/) - Lightweight but fully-featured HTTP toolkit written in pure Kotlin that enables the serving and consuming of HTTP services in a functional and consistent way. 205 | - [Ktor](https://ktor.io/) - Framework for building asynchronous servers and clients in connected systems using the Kotlin programming language. 206 | 207 | #### Scala 208 | 209 | - [Finatra](http://twitter.github.io/finatra/) - Fast, testable, Scala HTTP services built on Twitter-Server and Finagle. 210 | - [Http4s](http://http4s.org/) - A minimal, idiomatic Scala interface for HTTP 211 | - [Play](https://www.playframework.com/) - The high velocity web framework for Java and Scala. 212 | - [Squbs](http://paypal.github.io/squbs/) - A suite of components enabling standardization and operationalization of Akka and Akka HTTP applications/services in a large scale, managed, cloud environment. 213 | 214 | ### Node.js 215 | 216 | - [Actionhero](http://www.actionherojs.com/) - Multi-transport Node.js API server with integrated cluster capabilities and delayed tasks. 217 | - [Express](http://expressjs.com/) - Fast, unopinionated, minimalist web framework for Node.js 218 | - [Fastify](https://www.fastify.io/) - Fastify, Fast and low overhead web framework, for Node.js. 219 | - [FeathersJS](http://feathersjs.com/) - An open source REST and realtime API layer for modern applications. 220 | - [Hono](https://hono.dev/) - Small, simple, and ultrafast web framework for the Edges. It works on any JavaScript runtime. 221 | - [Koa](http://koajs.com/) - Next generation web framework for Node.js 222 | - [Loopback](http://loopback.io/) - Node.js framework for creating APIs and easily connecting to backend data sources. 223 | - [Micro](http://github.com/zeithq/micro) - Asynchronous HTTP microservices. 224 | - [NestJS](https://docs.nestjs.com/) - A Node.js framework for building efficient and scalable server-side applications with a built-in microservices support. 225 | - [Seneca](https://github.com/senecajs/seneca) - A microservices toolkit for Node.js 226 | - [Serverless](https://github.com/serverless/serverless) - Build and maintain web, mobile and IoT applications running on AWS Lambda and API Gateway (formerly known as JAWS). 227 | - [tRPC](https://github.com/trpc/trpc) - End-to-end typesafe APIs. 228 | 229 | ### Perl 230 | 231 | - [Cro](http://cro.services/) - Libraries for creating reactive distributed systems using Perl 6. 232 | - [Mojolicious](https://mojolicious.org/) - Next generation web framework for Perl. 233 | 234 | ### PHP 235 | 236 | - [API Platform](https://api-platform.com/) - API-first web framework on top of Symfony with JSON-LD, Schema.org and Hydra support. 237 | - [Ecotone](https://docs.ecotone.tech/) - Framework based on architectural principles of DDD, CQRS and Event Sourcing that provides building blocks to create scalable and extensible applications. 238 | - [Hyperf](https://github.com/hyperf/hyperf) - Hyperf is an extremely performant and flexible PHP CLI framework based on Swoole 4.5+, powered by the state-of-the-art coroutine server and a large number of battle-tested components. 239 | - [Lumen](https://lumen.laravel.com/) - Stunningly fast micro-framework. 240 | - [Phalcon](https://phalconphp.com/) - Full-stack PHP framework delivered as a C-extension. 241 | - [Slim](http://www.slimframework.com/) - Micro-framework that helps you quickly write simple yet powerful web applications and APIs. 242 | - [Spiral](https://spiral.dev/) - Framework designed for long-running applications using [RoadRunner](https://roadrunner.dev/). It offers advanced features like integration with the [Temporal](https://temporal.io/) workflow engine and [Centrifugo](https://centrifugal.dev/) websocket server. It is particularly effective for microservices architecture, providing robust support for REST APIs and gRPC services. 243 | - [Swoft](https://github.com/swoft-cloud/swoft/) - PHP microservices coroutine framework for building high-performance web systems, APIs, middleware, and basic services. 244 | - [Symfony](https://symfony.com/) - Micro-framework based on the Symfony components. 245 | 246 | ### Python 247 | 248 | - [Aiohttp](https://github.com/aio-libs/aiohttp) - HTTP client/server for asyncio. 249 | - [Bottle](https://bottlepy.org) - Fast, simple and lightweight WSGI micro web-framework for Python. 250 | - [Connexion](https://github.com/zalando/connexion) - Swagger/OpenAPI framework for Python on top of Flask with automatic endpoint validation and OAuth2 support. 251 | - [Falcon](https://falconframework.org/) - Bare-metal Python web API framework for building very fast app backends and microservices. 252 | - [FastAPI](https://fastapi.tiangolo.com/) - Modern, fast (high-performance), web framework for building APIs with Python 3.6+ based on standard Python type hints. 253 | - [Flask](http://flask.pocoo.org/) - Python framework for microservices based on Werkzeug and Jinja 2. 254 | - [Nameko](https://github.com/onefinestay/nameko) - Python framework for building microservices. 255 | - [Sanic](https://github.com/sanic-org/sanic) - Sanic is a Flask-like Python 3.5+ web server that's written to go fast. 256 | - [Tornado](http://www.tornadoweb.org/) - Web framework and asynchronous networking library. 257 | - [Twisted](https://twisted.org/) - Event-driven network programming engine. 258 | - [Web.py](https://github.com/webpy/webpy/) - Minimalist web framework for Python. 259 | 260 | ### Ruby 261 | 262 | - [Grape](https://github.com/ruby-grape/grape) - An opinionated framework for creating REST-like APIs 263 | - [Hanami](https://github.com/hanami) - A modern web framework for Ruby. 264 | - [Praxis](https://github.com/rightscale/praxis) - Framework for both designing and implementing APIs. 265 | - [Scorched](https://github.com/wardrop/Scorched) - Light-weight web framework for Ruby. 266 | - [Sinatra](http://www.sinatrarb.com/) - Sinatra is a DSL for quickly creating web applications in Ruby with minimal effort. 267 | 268 | ### Rust 269 | 270 | - [Are we web yet?](https://www.arewewebyet.org/) :star: - A summary of the current state of web programming in Rust. 271 | - [Actix](https://actix.rs/) - Powerful, pragmatic, and extremely fast web framework for Rust. 272 | - [Tarpc](https://github.com/google/tarpc) - RPC framework for Rust with a focus on ease of use. 273 | - [Tower](https://github.com/tower-rs/tower) - Library of modular and reusable components for building robust networking clients and servers. 274 | - [Wtx](https://github.com/c410-f3r/wtx) - HTTP/2 client/server framework. 275 | 276 | ## Frontend / UI 277 | 278 | - [Awesome Micro Frontends](https://github.com/ChristianUlbrich/awesome-microfrontends) :star: - A curated list of resources about Micro Frontends. 279 | - [Electrode](https://github.com/electrode-io) - Universal React/Node.js application platform. 280 | - [Micro Frontends](https://micro-frontends.org) - Extending the microservice idea to frontend development. 281 | - [MiniApp White Paper](https://w3c.github.io/miniapp/white-paper/) - MiniApp standardization white paper. 282 | 283 | ## Capabilities 284 | 285 | ### API Gateways / Edge Services 286 | 287 | > Note that [data and control plane](https://blog.envoyproxy.io/service-mesh-data-plane-vs-control-plane-2774e720f7fc) components are not categorized at this moment. 288 | 289 | - [Ambassador (c)](https://www.getambassador.io) - Kubernetes-native API gateway for microservices built on Envoy. 290 | - [APIcast](https://github.com/3scale/APIcast) - APIcast is an API gateway built on top of NGINX. It is part of the Red Hat 3scale API Management Platform. 291 | - [Bunker Web](https://github.com/bunkerity/bunkerweb) - Web app hosting and reverse proxy secure by default. 292 | - [Caddy](https://caddyserver.com/) - Extensible HTTP/2 web server with automatic HTTPS. 293 | - [Camel](http://camel.apache.org/) - Empowers you to define routing and mediation rules in a variety of domain-specific languages, including a Java-based fluent API, Spring or Blueprint XML configuration files, and a Scala DSL. 294 | - [Envoy](https://github.com/lyft/envoy) - Open source edge and service proxy, from the developers at Lyft. 295 | - [HAProxy](https://github.com/haproxy/haproxy) - Reliable, high Performance TCP/HTTP load balancer. 296 | - [Istio](https://istio.io/) - An open platform to connect, manage, and secure microservices. 297 | - [Keepalived](http://www.keepalived.org/) - Simple and robust facilities for loadbalancing and high-availability to Linux system and Linux based infrastructures. 298 | - [Kong](https://github.com/kong/kong) - Open source management layer for APIs. 299 | - [KrakenD](http://krakend.io/) - Open source ultra performance API Gateway. 300 | - [Kuma](https://kuma.io/) - Platform agnostic open source control plane for service mesh and microservices. 301 | - [Linkerd](https://linkerd.io/) - Resilient service mesh for cloud native apps. 302 | - [Neutrino](https://github.com/eBay/Neutrino) - Extensible software load balancer. 303 | - [OpenResty](http://openresty.org/) - Fast web application server built on top of Nginx. 304 | - [Open Service Mesh](https://openservicemesh.io/) - Lightweight and extensible cloud native service mesh. 305 | - [Otoroshi](https://www.otoroshi.io/) - Modern HTTP reverse proxy with lightweight API management. 306 | - [Pingora](https://github.com/cloudflare/pingora) - A library for building fast, reliable and evolvable network services. 307 | - [Skipper](https://github.com/zalando/skipper) - HTTP router useful for decoupling routing from service logic. 308 | - [Spring Cloud Gateway](https://cloud.spring.io/spring-cloud-gateway/) - API Gateway on top of Spring MVC. Aims to provide a simple, yet effective way to route to APIs. 309 | - [Tengine](http://tengine.taobao.org/) - A distribution of Nginx with some advanced features. 310 | - [Træfɪk](http://traefik.io/) - A modern HTTP reverse proxy and load balancer made to deploy microservices with ease. 311 | - [Traffic Server](https://github.com/apache/trafficserver) - High-performance building block for cloud services. 312 | - [Tyk](https://tyk.io/) - Open source, fast and scalable API gateway, portal and API management platform. 313 | - [Vulcand](https://github.com/vulcand/vulcand) - Programmatic load balancer backed by Etcd. 314 | - [Zuul](https://github.com/Netflix/zuul) - An edge service that provides dynamic routing, monitoring, resiliency, security, and more. 315 | 316 | ### Configuration & Discovery 317 | 318 | - [Central Dogma](https://line.github.io/centraldogma/) - Open-source highly-available version-controlled service configuration repository based on Git, ZooKeeper and HTTP/2. 319 | - [Consul](https://www.consul.io/) - Service discovery and configuration made easy. Distributed, highly available, and datacenter-aware. 320 | - [Etcd](https://github.com/coreos/etcd) - Highly-available key-value store for shared configuration and service discovery. 321 | - [Eureka](https://github.com/Netflix/eureka/wiki/Eureka-at-a-glance) - REST based service that is primarily used in the AWS cloud for locating services for the purpose of load balancing and failover of middle-tier servers. 322 | - [Microconfig](https://microconfig.io) - Modern and simple way of microservice configuration management. 323 | - [Nacos](https://github.com/alibaba/nacos) - Easy-to-use dynamic service discovery, configuration and service management platform. 324 | - [SkyDNS](https://github.com/skynetservices/skydns) - Distributed service for announcement and discovery of services built on top of etcd. It utilizes DNS queries to discover available services. 325 | - [Spring Cloud Config](http://cloud.spring.io/spring-cloud-config/) - Provides server and client-side support for externalized configuration in a distributed system. 326 | - [ZooKeeper](https://zookeeper.apache.org/) - Open source server which enables highly reliable distributed coordination. 327 | 328 | ### Workflow Orchestration 329 | 330 | - [AWS Step Functions (c)](https://aws.amazon.com/step-functions/) - Coordinate the components of distributed applications and microservices using visual workflows. 331 | - [Cadence](https://cadenceworkflow.io/) - Fault-oblivious stateful code platform. 332 | - [Conductor](https://github.com/Netflix/conductor) - A microservices orchestration engine. 333 | - [Inngest](https://github.com/inngest/inngest) - Durable functions for reliable background logic, from background jobs to complex workflows. 334 | - [Kestra](https://github.com/kestra-io/kestra) - Open source microservices event-driven, language-agnostic orchestration and scheduling platform. 335 | - [Temporal](https://github.com/temporalio/temporal) - Open source microservices orchestration platform for running mission critical code at any scale. 336 | - [Zeebe](https://camunda.com/platform/zeebe/) - Define, orchestrate, and monitor business processes across microservices. 337 | 338 | ### Elasticity 339 | 340 | - [Hazelcast](http://hazelcast.org/) - Open source in-memory data-grid. Allows you to distribute data and computation across servers, clusters and geographies, and to manage very large data sets or high data ingest rates. Mature technology. 341 | - [Helix](http://helix.apache.org/) - Generic cluster management framework used for the automatic management of partitioned, replicated and distributed resources hosted on a cluster of nodes. 342 | - [Ignite](http://ignite.apache.org/) - High-performance, integrated and distributed in-memory platform for computing and transacting on large-scale data sets in real-time, orders of magnitude faster than possible with traditional disk-based or flash technologies. 343 | - [Libp2p](https://libp2p.io/) - A framework and suite of protocols for building peer-to-peer network applications. 344 | - [Mesos](https://mesos.apache.org/) - Abstracts CPU, memory, storage, and other compute resources away from machines (physical or virtual), enabling fault-tolerant and elastic distributed systems to easily be built and run effectively. 345 | - [Nomad](https://www.nomadproject.io/) - Distributed, highly available, datacenter-aware scheduler. 346 | - [Redisson](https://github.com/mrniko/redisson) - Distributed and scalable Java data structures on top of Redis server. 347 | - [Serf](https://www.serf.io/) - Decentralized solution for cluster membership, failure detection and orchestration. 348 | - [Valkey](https://github.com/valkey-io/valkey) - A new project to resume development on the formerly open-source Redis project. 349 | - [Zenoh](https://zenoh.io/) - Pub/sub/query protocol unifying data in motion, data at rest and computations. Efficiently blends traditional pub/sub with geo distributed storage, queries and computations. 350 | 351 | ### Job Schedulers / Workload Automation 352 | 353 | - [Celery](https://github.com/celery/celery) - Asynchronous task queue/job queue based on distributed message passing. Focused on real-time operation and supports scheduling. 354 | - [Dkron](http://dkron.io/) - Distributed, fault tolerant job scheduling system. 355 | - [Faktory](https://github.com/contribsys/faktory) - Language-agnostic persistent background job server. 356 | - [Rundeck (c)](http://rundeck.org/) - Job scheduler and runbook automation. Enable self-service access to existing scripts and tools. 357 | - [Schedulix](https://github.com/schedulix/schedulix) - Open source enterprise job scheduling system lays down ground-breaking standards for the professional automation of IT processes in advanced system environments. 358 | 359 | ### Logging 360 | 361 | - [Fluentd](http://www.fluentd.org/) - Open source data collector for unified logging layer. 362 | - [Graylog](https://www.graylog.org/) - Fully integrated open source log management platform. 363 | - [Kibana](https://www.elastic.co/products/kibana) - Flexible analytics and visualization platform. 364 | - [LogDNA (c)](https://logdna.com/) - Centralized log management software. Instantly collect, centralize, and analyze logs in real-time from any platform, at any volume. 365 | - [Logstash](https://www.elastic.co/logstash) - Tool for managing events and logs. 366 | - [Loki](https://github.com/grafana/loki) - Like Prometheus, but for logs. 367 | 368 | ### Messaging 369 | 370 | - [ØMQ](http://zeromq.org/) - Brokerless intelligent transport layer. 371 | - [ActiveMQ](http://activemq.apache.org/) - Powerful open source messaging and integration patterns server. 372 | - [Aeron](https://github.com/real-logic/Aeron) - Efficient reliable UDP unicast, UDP multicast, and IPC message transport. 373 | - [Beanstalk](https://beanstalkd.github.io/) - Simple, fast work queue. 374 | - [Bull](https://github.com/OptimalBits/bull) - Fast and reliable Redis-based queue for Node. 375 | - [Crossbar](https://github.com/crossbario/crossbar) - Open source networking platform for distributed and microservice applications. It implements the open Web Application Messaging Protocol (WAMP). 376 | - [Kafka](http://kafka.apache.org/) - Publish-subscribe messaging rethought as a distributed commit log. 377 | - [Malamute](https://github.com/zeromq/malamute) - ZeroMQ enterprise messaging broker. 378 | - [Mosca](http://www.mosca.io/) - MQTT broker as a module. 379 | - [Mosquitto](http://mosquitto.org/) - Open source message broker that implements the MQTT protocol. 380 | - [NATS](https://nats.io/) - Open source, high-performance, lightweight cloud messaging system. 381 | - [NSQ](http://nsq.io/) - A realtime distributed messaging platform. 382 | - [Pulsar](https://pulsar.apache.org/) - Distributed pub-sub messaging system. 383 | - [RabbitMQ](https://www.rabbitmq.com/) - Open source Erlang-based message broker that just works. 384 | - [Redpanda](https://github.com/redpanda-data/redpanda/) - Streaming data platform for developers: Kafka API compatible, 10x faster, no ZooKeeper and no JVM. 385 | - [RocketMQ](https://github.com/apache/incubator-rocketmq) - A low latency, reliable, scalable, easy to use message oriented middleware born from alibaba massive messaging business. 386 | - [VerneMQ](https://verne.mq) - Open source, scalable, Erlang-based MQTT broker. 387 | 388 | ### Monitoring & Debugging 389 | 390 | - [Beats](https://www.elastic.co/beats/) - Lightweight shippers for Elasticsearch & Logstash. 391 | - [Elastalert](https://github.com/yelp/elastalert) - Easy & flexible alerting for Elasticsearch. 392 | - [Ganglia](http://ganglia.info/) - A scalable distributed monitoring system for high-performance computing systems such as clusters and grids. 393 | - [Grafana](http://grafana.org/) - An open source, feature rich metrics dashboard and graph editor for Graphite, InfluxDB & OpenTSDB. 394 | - [Graphite](http://graphite.wikidot.com/) - Scalable realtime graphing. 395 | - [IOpipe (c)](https://www.iopipe.com/) - Application performance monitoring for Amazon Lambda. 396 | - [Jaeger](https://www.jaegertracing.io/) - An open source, end-to-end distributed tracing 397 | - [OpenTelemetry](https://opentelemetry.io/) - High-quality, ubiquitous, and portable telemetry to enable effective observability. 398 | - [Prometheus](http://prometheus.io/) - An open source service monitoring system and time series database. 399 | - [Riemann](http://riemann.io/) - Monitors distributed systems. 400 | - [Sensu](https://github.com/sensu) - Monitoring for today's infrastructure. 401 | - [SkyWalking](https://skywalking.apache.org/) - Application performance monitor tool for distributed systems, especially designed for microservices, cloud native and container-based (Docker, K8s, Mesos) architectures. 402 | - [Zabbix](http://www.zabbix.com/) - Open source enterprise-class monitoring solution. 403 | - [Zipkin](http://zipkin.io) - Distributed tracing system. 404 | 405 | ### Reactivity 406 | 407 | - [Reactor.io](https://github.com/reactor) - A second-generation Reactive library for building non-blocking applications on the JVM based on the Reactive Streams Specification. 408 | - [Reactive Kafka](https://github.com/softwaremill/reactive-kafka) - Reactive Streams API for Apache Kafka. 409 | - [ReactiveX](http://reactivex.io/) - API for asynchronous programming with observable streams. Available for idiomatic Java, Scala, C#, C++, Clojure, JavaScript, Python, Groovy, JRuby, and others. 410 | - [RSocket](https://rsocket.io/) - Application protocol providing Reactive Streams semantics. 411 | 412 | ### Resilience 413 | 414 | - [Awesome Chaos Engineering](https://github.com/dastergon/awesome-chaos-engineering) :star: - A curated list of awesome chaos engineering resources. 415 | - [Hystrix](https://github.com/Netflix/Hystrix) - Latency and fault tolerance library designed to isolate points of access to remote systems, services and 3rd party libraries, stop cascading failure and enable resilience in complex distributed systems where failure is inevitable. 416 | - [Raft Consensus](http://raftconsensus.github.io/) - Consensus algorithm that is designed to be easy to understand. It's equivalent to Paxos in fault-tolerance and performance. 417 | - [Resilience4j](https://github.com/resilience4j/resilience4j) - Fault tolerance library designed for Java8 and functional programming. 418 | - [Resilient HTTP](http://resilient-http.github.io/) - A smart HTTP client with super powers like fault tolerance, dynamic server discovery, auto balancing and reactive recovery, designed for distributed systems. 419 | - [Svix](https://svix.com) - Webhooks service that sends webhooks to your users with full retry schedules, exponential backoff, signature verification, and event types. 420 | 421 | ### Security 422 | 423 | - [Cerbos Hub](https://www.cerbos.dev/product-cerbos-hub) - Authorization management system for authoring, testing, and deploying access policies. Built scalable, fine-grained authorization in a microservice architecture. 424 | - [Dex](https://github.com/coreos/dex) - Opinionated auth/directory service with pluggable connectors. OpenID Connect provider and third-party OAuth 2.0 delegation. 425 | - [JWT](http://jwt.io/) - JSON Web Tokens are an open, industry standard RFC 7519 method for representing claims securely between two parties. 426 | - [Keycloak](https://github.com/keycloak/keycloak) - Full-featured and extensible auth service. OpenID Connect provider and third-party OAuth 2.0 delegation. 427 | - [Light OAuth2](https://github.com/networknt/light-oauth2) - A fast, lightweight and cloud native OAuth 2.0 authorization microservices based on light-java. 428 | - [OAuth](http://oauth.net/2/) - Provides specific authorization flows for web applications, desktop applications, mobile phones, and living room devices. Many implementations. 429 | - [OpenID Connect](https://openid.net/certified-open-id-developer-tools/) - Libraries, products, and tools implementing current OpenID specifications and related specs. 430 | - [Open Ziti](https://openziti.io/) - Zero trust security and overlay networking as pure open source software. 431 | - [ORY](https://www.ory.sh/) - Open source identity infrastructure and services. 432 | - [SCIM](https://simplecloud.info/) - System for Cross-domain Identity Management. 433 | - [Vault](https://www.vaultproject.io/) - Secures, stores, and tightly controls access to tokens, passwords, certificates, API keys, and other secrets in modern computing. 434 | 435 | ### Serialization 436 | 437 | - [Avro](https://avro.apache.org/) - Apache data serialization system providing rich data structures in a compact, fast, binary data format. 438 | - [Bond](https://github.com/microsoft/bond/) - Cross-platform framework for working with schematized data, broadly used at Microsoft in high scale services. 439 | - [BooPickle](https://github.com/ochrons/boopickle) - Binary serialization library for efficient network communication. For Scala and Scala.js 440 | - [Cap’n Proto](https://capnproto.org/) - Insanely fast data interchange format and capability-based RPC system. 441 | - [CBOR](http://cbor.io/) - Implementations of the CBOR standard (RFC 7049) in many languages. 442 | - [Cereal](http://uscilab.github.io/cereal/) - C++11 library for serialization. 443 | - [Cheshire](https://github.com/dakrone/cheshire) - Clojure JSON and JSON SMILE encoding/decoding. 444 | - [Etch](http://etch.apache.org/) - Cross-platform, language and transport-independent framework for building and consuming network services. 445 | - [Fastjson](https://github.com/alibaba/fastjson) - Fast JSON Processor. 446 | - [Ffjson](https://github.com/pquerna/ffjson) - Faster JSON serialization for Go. 447 | - [FST](https://github.com/RuedigerMoeller/fast-serialization) - Fast java serialization drop in-replacement. 448 | - [Jackson](https://github.com/FasterXML/jackson) - A multi-purpose Java library for processing JSON data format. 449 | - [Jackson Afterburner](https://github.com/FasterXML/jackson-module-afterburner) - Jackson module that uses bytecode generation to further speed up data binding (+30-40% throughput for serialization, deserialization). 450 | - [Kryo](https://github.com/EsotericSoftware/kryo) - Java serialization and cloning: fast, efficient, automatic. 451 | - [MessagePack](http://msgpack.org/) - Efficient binary serialization format. 452 | - [Protostuff](https://github.com/protostuff/protostuff) - A serialization library with built-in support for forward-backward compatibility (schema evolution) and validation. 453 | - [SBinary](https://github.com/harrah/sbinary) - Library for describing binary formats for Scala types. 454 | - [Thrift](http://thrift.apache.org/) - The Apache Thrift software framework, for scalable cross-language services development. 455 | 456 | ### Storage 457 | 458 | - [Alluxio](https://github.com/Alluxio/alluxio) - Virtual distributed storage system. 459 | - [Apache Cassandra](http://cassandra.apache.org) - Column-oriented and providing high availability with no single point of failure. 460 | - [Aerospike (c)](http://www.aerospike.com/) - High performance NoSQL database delivering speed at scale. 461 | - [ArangoDB](https://www.arangodb.com/) - A distributed free and open source database with a flexible data model for documents, graphs, and key-values. 462 | - [AtlasDB](https://github.com/palantir/atlasdb) - Transactional layer on top of a key value store. 463 | - [Citus](https://github.com/citusdata/citus) - Distributed PostgreSQL as an extension. 464 | - [ClickHouse](https://clickhouse.yandex/) - Column-oriented database management system that allows generating analytical data reports in real time. 465 | - [CockroachDB (c)](https://www.cockroachlabs.com/) - A cloud-native SQL database modelled after Google Spanner. 466 | - [Couchbase](https://couchbase.com/) - A distributed database engineered for performance, scalability, and simplified administration. 467 | - [Crate (c)](https://crate.io/) - Scalable SQL database with the NoSQL goodies. 468 | - [Datomic](http://www.datomic.com/) - Fully transactional, cloud-ready, distributed database. 469 | - [Druid](http://druid.io/) - Fast column-oriented distributed data store. 470 | - [Elasticsearch](https://www.elastic.co/elasticsearch) - Open source distributed, scalable, and highly available search server. 471 | - [Geode](http://geode.incubator.apache.org/) - Open source, distributed, in-memory database for scale-out applications. 472 | - [Infinispan](http://infinispan.org/) - Highly concurrent key/value datastore used for caching. 473 | - [InfluxDB](https://github.com/influxdata/influxdb) - Scalable datastore for metrics, events, and real-time analytics. 474 | - [OpenTSDB](http://opentsdb.net) - Scalable and distributed time series database written on top of Apache HBase. 475 | - [Pilosa](https://github.com/pilosa/pilosa) - Open source, distributed bitmap index that dramatically accelerates queries across multiple, massive data sets. 476 | - [RethinkDB](http://rethinkdb.com/) - Open source, scalable database that makes building realtime apps easier. 477 | - [Secure Scuttlebutt](https://github.com/ssbc/docs) - P2P database of message-feeds. 478 | - [TiKV](https://github.com/tikv) - Distributed transactional key-value database. 479 | - [Trino](https://trino.io/) - Fast distributed SQL query engine for big data analytics that helps you explore your data universe. 480 | 481 | ### Testing 482 | 483 | - [Goreplay](https://github.com/buger/goreplay) - A tool for capturing and replaying live HTTP traffic into a test environment. 484 | - [Mitmproxy](https://mitmproxy.org/) - An interactive console program that allows traffic flows to be intercepted, inspected, modified and replayed. 485 | - [Mountebank](http://www.mbtest.org/) - Cross-platform, multi-protocol test doubles over the wire. 486 | - [Pact](https://docs.pact.io) - Contract testing framework for HTTP APIs and non-HTTP asynchronous messaging systems. 487 | - [RestQA](https://github.com/restqa/restqa) - A tool to manage microservices mocking, unit and performance testing locally with best in class developer experience. 488 | - [Spring Cloud Contract](https://cloud.spring.io/spring-cloud-contract/) - TDD to the level of software architecture. 489 | - [VCR](https://github.com/vcr/vcr) - Record your test suite's HTTP interactions and replay them during future test runs for fast, deterministic, accurate tests. See the list of ports for implementations in other languages. 490 | - [Wilma](https://github.com/epam/Wilma) - Combined HTTP/HTTPS service stub and transparent proxy solution. 491 | - [WireMock](http://wiremock.org/) - Flexible library for stubbing and mocking web services. Unlike general purpose mocking tools it works by creating an actual HTTP server that your code under test can connect to as it would a real web service. 492 | - [Hoverfly](https://github.com/spectolabs/hoverfly) - Lightweight service virtualization/API simulation tool for developers and testers. 493 | 494 | ## Continuous Integration & Delivery 495 | 496 | - [Awesome CI/CD DevOps](https://github.com/ciandcd/awesome-ciandcd) :star: - A curated list of awesome tools for continuous integration, continuous delivery and DevOps. 497 | 498 | ## Web API Modeling & Documentation 499 | 500 | ### GraphQL 501 | 502 | - [GraphQL](http://graphql.org/) - Query language designed to build client applications by providing an intuitive and flexible syntax and system for describing their data requirements and interactions. 503 | 504 | ### JSON 505 | 506 | - [JSON:API](https://jsonapi.org/) - A specification for how a client should request that resources be fetched or modified, and how a server should respond to those requests. 507 | 508 | ### REST 509 | 510 | - [API Blueprint](https://apiblueprint.org/) - Tools for your whole API lifecycle. Use it to discuss your API with others. Generate documentation automatically. Or a test suite. Or even some code. 511 | - [OpenAPI](https://www.openapis.org/) - The OpenAPI Specification (OAS) provides a consistent means to carry information through each stage of the API lifecycle. 512 | - [RAML](http://raml.org/) - RESTful API Modeling Language, a simple and succinct way of describing practically-RESTful APIs. 513 | - [ReDoc](https://github.com/Redocly/redoc) - OpenAPI/Swagger-generated API Documentation. 514 | - [Slate](https://github.com/slatedocs/slate) - Beautiful static documentation for your API. 515 | - [Spring REST Docs](http://projects.spring.io/spring-restdocs/) - Document RESTful services by combining hand-written documentation with auto-generated snippets produced with Spring MVC Test. 516 | - [Swagger](https://swagger.io/) - A simple yet powerful representation of your RESTful API. 517 | 518 | ## Standards / Recommendations 519 | 520 | ### World Wide Web 521 | 522 | - [W3C.REC-Webarch](http://www.w3.org/TR/webarch/) - Architecture of the World Wide Web, Volume One. 523 | - [RFC3986](https://tools.ietf.org/html/rfc3986) - Uniform Resource Identifier (URI): Generic Syntax. 524 | - [RFC6570](https://tools.ietf.org/html/rfc6570) - URI Template. 525 | - [RFC7320](https://tools.ietf.org/html/rfc7320) - URI Design and Ownership. 526 | 527 | ### Self-sovereignty & Decentralisation 528 | 529 | - [DID](https://www.w3.org/TR/did-core/) - W3C specification of Decentralized identifiers (DIDs): a new type of identifier that enables verifiable, decentralized digital identity. 530 | - [DIDComm](https://github.com/decentralized-identity/didcomm-messaging) - Private communication methodology built atop the decentralized design of DIDs. 531 | - [DIDComm Protocols](https://didcomm.org/) - Registry of protocols built on DIDComm, for high-trust, self-sovereign interactions over any transport. 532 | - [IDSA](https://internationaldataspaces.org/) - The International Data Spaces Association (IDSA) is on a mission to create the future of the global, digital economy with International Data Spaces (IDS), a secure, sovereign system of data sharing in which all participants can realize the full value of their data. 533 | 534 | ### HTTP/1.1 535 | 536 | - [RFC7230](https://tools.ietf.org/html/rfc7230) - Message Syntax and Routing. 537 | - [RFC7231](https://tools.ietf.org/html/rfc7231) - Semantics and Content. 538 | - [RFC7232](https://tools.ietf.org/html/rfc7232) - Conditional Requests. 539 | - [RFC7233](https://tools.ietf.org/html/rfc7233) - Range Requests. 540 | - [RFC7234](https://tools.ietf.org/html/rfc7234) - Caching. 541 | - [RFC7235](https://tools.ietf.org/html/rfc7235) - Authentication. 542 | - [RFC7807](https://tools.ietf.org/html/rfc7807) - Problem Details for HTTP APIs. 543 | 544 | ### HTTP/2 545 | 546 | - [RFC7540](https://tools.ietf.org/html/rfc7540) - Hypertext Transfer Protocol Version 2. 547 | 548 | ### QUIC 549 | 550 | - [QUIC-WG](https://quicwg.org/) - IETF Working Group that is chartered to deliver the next transport protocol for the Internet. 551 | - [QUIC-Transport](https://tools.ietf.org/html/draft-ietf-quic-transport-27) - A UDP-based multiplexed and secure transport. 552 | 553 | ### RPC 554 | 555 | - [JSON-RPC 2.0](http://www.jsonrpc.org/specification) - A stateless, light-weight remote procedure call (RPC) protocol. 556 | - [Open RPC](https://open-rpc.org/) - The OpenRPC Specification defines a standard, programming language-agnostic interface description for JSON-RPC 2.0 APIs. 557 | 558 | ### Messaging 559 | 560 | - [AMQP](https://www.amqp.org/) - Advanced Message Queuing Protocol. 561 | - [MQTT](https://mqtt.org/) - MQ Telemetry Transport. 562 | - [STOMP](https://stomp.github.io/) - Simple Text Oriented Messaging Protocol. 563 | 564 | ### Security 565 | 566 | - [GNAP](https://datatracker.ietf.org/doc/html/draft-ietf-gnap-core-protocol) - Grant Negotiation and Authorization Protocol defines a mechanism for delegating authorization to a piece of software, and conveying that delegation to the software. This delegation can include access to a set of APIs as well as information passed directly to the software.DRAFT 567 | - [OIDCONN](http://openid.net/connect/) - OpenID Connect 1.0 is a simple identity layer on top of the OAuth 2.0 protocol. It allows clients to verify the identity of the end-user based on the authentication performed by an Authorization Server, as well as to obtain basic profile information about the end-user in an interoperable and REST-like manner. 568 | - [PASETO](https://paseto.io/) - Paseto is everything you love about JOSE (JWT, JWE, JWS) without any of the many design deficits that plague the JOSE standards. DRAFT 569 | - [RFC5246](https://tools.ietf.org/html/rfc5246) - The Transport Layer Security (TLS) Protocol Version 1.2. 570 | - [RFC6066](https://tools.ietf.org/html/rfc6066) - TLS Extensions. 571 | - [RFC6347](https://tools.ietf.org/html/rfc6347) - Datagram Transport Layer Security Version 1.2. 572 | - [RFC6749](https://tools.ietf.org/html/rfc6749) - The OAuth 2.0 authorization framework. 573 | - [RFC6962](https://tools.ietf.org/html/rfc6962) - Certificate transparency. 574 | - [RFC7515](https://tools.ietf.org/html/rfc7515) - JSON Web Signature (JWS) represents content secured with digital signatures or Message Authentication Codes (MACs) using JSON-based data structures. 575 | - [RFC7519](https://tools.ietf.org/html/rfc7519) - JSON Web Token (JWT) is a compact, URL-safe means of representing claims to be transferred between two parties. 576 | - [RFC7642](https://tools.ietf.org/html/rfc7642) - SCIM: Definitions, overview, concepts, and requirements. 577 | - [RFC7643](https://tools.ietf.org/html/rfc7643) - SCIM: Core Schema, provides a platform-neutral schema and extension model for representing users and groups. 578 | - [RFC7644](https://tools.ietf.org/html/rfc7644) - SCIM: Protocol, an application-level, REST protocol for provisioning and managing identity data on the web. 579 | 580 | ### Service Discovery 581 | - [DNS-SD](https://datatracker.ietf.org/doc/html/rfc6763) - Mechanism for clients to discover a list of named instances of a service, using standard DNS queries. 582 | - [RFC2782](https://datatracker.ietf.org/doc/html/rfc2782) - A DNS RR for specifying the location of services (DNS SRV). 583 | 584 | ### Data Formats 585 | 586 | - [RFC4627](https://tools.ietf.org/html/rfc4627) - JavaScript Object Notation (JSON). 587 | - [RFC7049](https://tools.ietf.org/html/rfc7049) - Concise Binary Object Representation (CBOR). 588 | - [BSON](http://bsonspec.org/) - Binary JSON (BSON). 589 | - [JSON-LD](http://json-ld.org/) - JSON for Linking Data. 590 | - [SBE](https://github.com/FIXTradingCommunity/fix-simple-binary-encoding) - Simple Binary Encoding (SBE). 591 | - [MSGPACK](https://github.com/msgpack/msgpack/blob/master/spec.md) - MessagePack Specification. 592 | 593 | ### Vocabularies 594 | 595 | - [JSON Schema](http://json-schema.org/) - Vocabulary that allows you to annotate and validate JSON documents. 596 | - [Schema.org](http://schema.org/) - Collaborative, community activity with a mission to create, maintain, and promote schemas for structured data on the Internet, on web pages, in email messages, and beyond. 597 | 598 | ### Unicode 599 | 600 | - [UNIV8](http://www.unicode.org/versions/Unicode8.0.0/) - The Unicode Consortium. The Unicode Standard, Version 8.0.0, (Mountain View, CA: The Unicode Consortium, 2015. ISBN 978-1-936213-10-8). 601 | - [RFC3629](https://tools.ietf.org/html/rfc3629) - UTF-8, a transformation format of ISO 10646. 602 | 603 | ## Organization Design / Team Dynamics 604 | 605 | - [How Do Committees Invent?](http://www.melconway.com/Home/pdf/committees.pdf) :small_orange_diamond:PDF - Melvin E. Conway, Datamation magazine 1968. The original article defining Conway's Law. 606 | - [Service per Team](https://microservices.io/patterns/decomposition/service-per-team.html) - Each team is responsible for one or more business functions (e.g. business capabilities). A team owns a code base consisting of one or more modules. Its code base is sized so as to not exceed the cognitive capacity of team. The team deploys its code as one or more services. A team should have exactly one service unless there is a proven need to have multiple services. 607 | - [Start with Team Cognitive Load - Team Topologies](https://www.youtube.com/watch?v=haejb5rzKsM) :small_red_triangle:YT - DOES19 London. The "monoliths vs microservices" debate often focuses on technological aspects, ignoring strategy and team dynamics. Instead of technology, smart-thinking organizations are beginning with team cognitive load as the guiding principle for modern software. In this talk, we explain how and why, illustrated by real case studies. 608 | 609 | ## Enterprise & Verticals 610 | 611 | - [Commercetools](https://commercetools.com/) - Headless commerce platform. 612 | - [Equinox](https://www.infosysequinox.com/) - Infosys Equinox is a human-centric commerce and marketing platform that supports rich, hyper-personalized experiences across any channel and touchpoint. 613 | - [Flamingo](https://www.flamingo.me/) - Framework to build flexible and modern e-commerce applications. 614 | - [Medusa](https://medusajs.com/) - Headless open source commerce platform. 615 | 616 | ## Theory 617 | 618 | ### Articles & Papers 619 | 620 | - [Autonomy, Hyperconnectivity, and Residual Causality](https://doi.org/10.3390/philosophies6040081) - Philosophical introduction to the design of adaptive hyperliminal systems through complexity science theories. 621 | - [Awesome Scalability](https://github.com/binhnguyennus/awesome-scalability) :star: - An updated and organized reading list for illustrating the patterns of scalable, reliable, and performant large-scale systems. Concepts are explained in the articles of prominent engineers and credible references. Case studies are taken from battle-tested systems that serve millions to billions of users. 622 | - [A Sidecar for Your Service Mesh](https://www.abhishek-tiwari.com/a-sidecar-for-your-service-mesh/) - A short service mesh introduction. 623 | - [AKF Scale Cube](http://akfpartners.com/techblog/2008/05/08/splitting-applications-or-services-for-scale/) - Model depicting the dimensions to scale a service. 624 | - [Building Microservices? Here is What You Should Know](https://cloudncode.blog/2016/07/22/msa-getting-started/) - A practical overview, based on real-world experience, of what one would need to know in order to build microservices. 625 | - [CALM](http://db.cs.berkeley.edu/papers/cidr11-bloom.pdf) :small_orange_diamond:PDF - Consistency as logical monotonicity. 626 | - [Canary Release](http://martinfowler.com/bliki/CanaryRelease.html) - Technique to reduce the risk of introducing a new software version in production by slowly rolling out the change to a small subset of users before rolling it out to the entire infrastructure and making it available to everybody. 627 | - [CAP Theorem](http://blog.thislongrun.com/2015/03/the-cap-theorem-series.html) - States that it is impossible for a distributed computer system to simultaneously provide all three of the following guarantees: Consistency, Availability and Partition tolerance. 628 | - [Formal Foundations of Serverless Computing](https://arxiv.org/pdf/1902.05870.pdf) :small_orange_diamond:PDF - The serverless computing abstraction exposes several low-level operational details that make it hard for programmers to write and reason about their code. This paper sheds light on this problem by presenting λ, an operational semantics of the essence of serverless computing. 629 | - [Java Microservices: A Practical Guide](https://www.marcobehler.com/guides/java-microservices-a-practical-guide) - You can use this guide to understand what Java microservices are, how you architect and build them. Also: A look at Java microservice libraries & common questions. 630 | - [Microservice Architecture](http://martinfowler.com/articles/microservices.html) - Particular way of designing software applications as suites of independently deployable services. 631 | - [Microservices - From Design to Deployment](https://www.f5.com/content/dam/f5/corp/global/pdf/ebooks/Microservices_Designing_Deploying.pdf) :small_orange_diamond:PDF - F5's seven-part series on microservices. 632 | - [Microservices – Please, don’t](https://riak.com/posts/technical/microservices-please-dont/) - Critical advice about some problems regarding a microservices approach. 633 | - [Microservices RefCard](https://dzone.com/refcardz/getting-started-with-microservices) - Getting started with microservices. 634 | - [Microservices Trade-Offs](http://martinfowler.com/articles/microservice-trade-offs.html) - Guide to ponder costs and benefits of the mircoservices architectural style. 635 | - [Reactive Manifesto](http://www.reactivemanifesto.org/) - Reactive systems definition. 636 | - [Reactive Streams](http://www.reactive-streams.org/) - Initiative to provide a standard for asynchronous stream processing with non-blocking back pressure. 637 | - [ROCAS](http://resources.1060research.com/docs/2015/Resource-Oriented-Computing-Adaptive-Systems-ROCAS-1.2.pdf) :small_orange_diamond:PDF - Resource Oriented Computing for Adaptive Systems. 638 | - [SECO](http://ceur-ws.org/Vol-746/IWSECO2011-6-DengYu.pdf) :small_orange_diamond:PDF - Understanding software ecosystems: a strategic modeling approach. 639 | - [Testing Strategies in a Microservice Architecture](http://martinfowler.com/articles/microservice-testing/) - Approaches for managing the additional testing complexity of multiple independently deployable components. 640 | - [Your Server as a Function](http://monkey.org/~marius/funsrv.pdf) :small_orange_diamond:PDF - Describes three abstractions which combine to present a powerful programming model for building safe, modular, and efficient server software: Composable futures, services and filters. 641 | 642 | ### Sites & Organizations 643 | 644 | - [Cloud Native Computing Foundation](https://www.cncf.io/) - The Cloud Native Computing Foundation builds sustainable ecosystems and fosters a community around a constellation of high-quality projects that orchestrate containers as part of a microservices architecture. 645 | - [CNCF Cloud Native Interactive Landscape](https://landscape.cncf.io/) - Interactive landscape of cloud native technologies. 646 | - [Microservices Resource Guide](http://martinfowler.com/microservices/) - Martin Fowler's choice of articles, videos, books, and podcasts that can teach you more about the microservices architectural style. 647 | - [Microservice Patterns](http://microservices.io/) - Microservice architecture patterns and best practices. 648 | - [Microservice Antipatterns and Pitfalls](https://www.oreilly.com/ideas/microservices-antipatterns-and-pitfalls) - Microservice mostly known antipatterns and pitfalls. 649 | 650 | ## License 651 | 652 | [![CC0](http://i.creativecommons.org/p/zero/1.0/88x31.png)](http://creativecommons.org/publicdomain/zero/1.0/) 653 | 654 | ## Contributing 655 | 656 | Please, read the [Contribution Guidelines](https://github.com/mfornos/awesome-microservices/blob/master/CONTRIBUTING.md) before submitting your suggestion. 657 | 658 | Feel free to [open an issue](https://github.com/mfornos/awesome-microservices/issues) or [create a pull request](https://github.com/mfornos/awesome-microservices/pulls) with your additions. 659 | 660 | :star2: Thank you! 661 | --------------------------------------------------------------------------------