An AsyncAPI Golang Code generator that generates all Go code from the broker to the application/user. Just plug your application to your favorite message broker!
❤️ Support is greatly appreciated and contributions are welcomed!
Inspired from popular deepmap/oapi-codegen
- Supported functionalities
- Usage
- Concepts
- Examples
- Supported Brokers
- CLI options
- Advanced topics
- Contributing and support
- AsyncAPI versions:
- 2.6.0
- 3.0.0
- Brokers:
- Kafka
- NATS / NATS JetStream
- Custom
- Formats:
- JSON
- Logging:
- Elastic Common Schema (JSON)
- Text (Humand readable)
- Custom
- Others:
- Versioning support
In order to use this library in your code, please execute the following lines:
# Install the tool
go install github.com/lerenn/asyncapi-codegen/cmd/asyncapi-codegen@latest
# Generate the code from the asyncapi file
asyncapi-codegen -i ./asyncapi.yaml -p <your-package> -o ./asyncapi.gen.go
# Install dependencies needed by the generated code
go get -u github.com/lerenn/asyncapi-codegen/pkg/extensions
You can also specify the generation part by adding a go generate
instruction
at the beginning of your file:
//go:generate go run github.com/lerenn/asyncapi-codegen/cmd/asyncapi-codegen@<version> -i ./asyncapi.yaml -p <your-package> -o ./asyncapi.gen.go
You can also use the dockerized version of this tool:
docker run -v .:/code -w /code lerenn/asyncapi-codegen asyncapi-codegen -i ./asyncapi.yaml -p <your-package> -o ./asyncapi.gen.go
Let's imagine a message broker centric architecture: you have the application that you are developing on the right and the potential user(s) on the left.
Being a two directional communication, both of them can communicate to each other through the broker. They can even communicate with themselves, in case of multiple users or application replication.
For more information about this, please refere to the official AsyncAPI concepts.
- Yellow parts: when using the codegen tool, you will generate the code that will act as an adapter (called controller) between the user, the broker, and the application.
- Red parts: you will need to fill these parts between user, broker and application. These will allow message production and reception with the generated code.
- Orange parts: these parts will be available in this repository if you use an already supported broker. However, you can also use the implement it yourself if the broker is not supported yet.
Here is a list of example, from basic to advanced ones.
Please note that the examples are separated in different subdirectories per broker.
It is strongly advised to read them in present order, following your AsyncAPI version.
- HelloWorld:
- Ping:
In order to connect your broker to the autogenerated code, you will need to create a controller that will be used to publish and subscribe to messages.
You can use one of the already supported brokers or implement your own.
In order to use Kafka as a broker, you can use the following code:
broker, _ := kafka.NewController([]string{"<host>:<port>", /* additional hosts */}, /* options */)
Here are the options that you can use with the Kafka controller:
WithGroupdID
: specify the group ID that will be used by the controller. If not specified, default queue name (asyncapi
) will be used.WithPartition
: specify the partition that will be used by the controller. If not specified, default partition (0
) will be used.WithMaxBytes
: specify the maximum size of a message that will be received. If not specified, default value (10e6
, meaning10MB
) will be used.WithLogger
: specify the logger that will be used by the controller. If not specified, a silent logger is used that won't log anything.WithAutoCommit
: specify if the broker should use auto-commit for incoming messages or manual commits. Note that commits are managed by the broker implementation regardless, with manual commits they are executed after the message is complete processed. Subscribers retain the option to manually handle errors via the ErrorHandler, to use mechanisms such as dead letter or retry topics. The default value istrue
In order to use NATS as a broker, you can use the following code:
// Create the NATS controller
broker, _ := nats.NewController("nats://<host>:<port>")
defer broker.Close()
// Add NATS controller to a new App controller
ctrl, err := NewAppController(broker, /* options */)
//...
Here are the options that you can use with the NATS controller:
WithLogger
: specify the logger that will be used by the controller. If not specified, a silent logger is used that won't log anything.WithQueueGroup
: specify the queue group that will be used by the controller. If not specified, default queue name (asyncapi
) will be used.
In order to use NATS JetStream as a broker, you can use the following code:
// Create the NATS controller
broker, _ := natsjetstream.NewController("nats://<host>:<port>", /* options */)
defer broker.Close()
// Add NATS controller to a new App controller
ctrl, err := NewAppController(broker)
//...
It is important to either create/update a stream with WithStreamConfig
or to use WithStream
to specify the stream that will be used by the broker.
Consumer for the user controller can be either created/updated with WithConsumerConfig
or WithConsumer
.
- the messages will be ack'd from the consumer even though the subscription was not setup (this will be logged)
In order to connect your application and your user to your broker, we need to provide a controller to it. Here is the interface that you need to satisfy:
import(
"github.com/lerenn/asyncapi-codegen/pkg/extensions"
)
type BrokerController interface {
// Publish a message to the broker
Publish(ctx context.Context, channel string, mw extensions.BrokerMessage) error
// Subscribe to messages from the broker
Subscribe(ctx context.Context, channel string) (msgs chan extensions.BrokerMessage, stop chan any, err error)
}
You can find that there is an extensions.BrokerMessage
structure that is provided and
that aims to abstract the event broker technology.
By writing your own by satisfying this interface, you will be able to connect your broker to the generated code.
The default options for oapi-codegen will generate everything; user, application, and type definitions but you can generate subsets of those via the -generate flag. It defaults to user,application,types but you can specify any combination of those.
Here are the universal parts that you can generate:
application
: generate the application boilerplate.application
requires the types in the same package to compile.user
: generate the user boilerplate. It, too, requires the types to be present in its package.types
: all type definitions for all types in the AsyncAPI spec. This will be everything under#components
, as well as request parameter, request body, and response type objects.
You can use middlewares that will be executing when receiving and publishing
messages. You can add one or multiple middlewares using the WithMiddlewares
function in the initialization of the App or User controller:
// Create a new app controller with middlewares
ctrl, _ := NewAppController(/* Broker of your choice */, WithMiddlewares(myMiddleware1, myMiddleware2 /*, ... */))
Here the function signature that should be satisfied:
func(ctx context.Context, msg *extensions.BrokerMessage, next extensions.NextMiddleware) error
Note: the returned context will be the one that will be passed to following middlewares, and finally to the generated code (and subscription callback).
import(
"github.com/lerenn/asyncapi-codegen/pkg/extensions"
// ...
)
func myMiddleware(ctx context.Context, _ *extensions.BrokerMessage, _ middleware.Next) error {
// Execute this middleware only if this is a received message
extensions.IfContextValueEquals(ctx, extensions.ContextKeyIsDirection, "reception", func() {
// Do specific stuff if message is received
})
return nil
}
You can even discriminate on more specification. Please see the Context section.
import(
"github.com/lerenn/asyncapi-codegen/pkg/extensions"
// ...
)
func myMiddleware(_ context.Context, msg *extensions.BrokerMessage, _ middleware.Next) error {
msg.Headers["additional"] = "some-info"
return nil
}
import(
"github.com/lerenn/asyncapi-codegen/pkg/extensions"
// ...
)
func myMiddleware(_ context.Context, msg *extensions.BrokerMessage, _ middleware.Next) error {
if msg.Headers["author"] != "me" {
return fmt.Errorf("this is not me, aborting...")
}
return nil
}
By default, middlewares will be executed right before the operation. If there is
a need to execute code before and/or after the operation, you can call the next
argument that represents the next middleware that should be executed or the
operation corresponding code if this was the last middleware.
Here is an example:
import(
"github.com/lerenn/asyncapi-codegen/pkg/extensions"
// ...
)
func surroundingMiddleware(ctx context.Context, next extensions.NextMiddleware) error {
// Pre-operation
fmt.Println("This will be displayed BEFORE the reception/publication")
// Calling next middleware or reception/publication code
// The given context will be the one propagated to other middlewares and operation source code
err := next(ctx)
// Post-operation
fmt.Println("This will be displayed AFTER the reception/publication")
return err
}
When receiving the context from generated code (either in subscription, middleware, logging, etc), you can get some information embedded in context.
To get these information, please use the functions from
github.com/lerenn/asyncapi-codegen/pkg/extensions
:
// Execute this middleware only if this is from "ping" channel
extensions.IfContextValueEquals(ctx, extensions.ContextKeyIsChannel, "ping", func() {
// Do specific stuff if the channel is ping
})
You can find other keys in the package pkg/extensions
.
You can have 2 types of logging:
- Controller logging: logs the internal operations of the controller (subscription, malformed messages, etc);
- Publication/Reception logging: logs every publication or reception of messages.
To log internal operation of the controller, the only thing you have to do is
to initialize the controller with a logger, with the function WithLogger()
:
import(
"github.com/lerenn/asyncapi-codegen/pkg/extensions/brokers"
// ...
)
func main() {
// Create a new app controller with an Elastic Common Schema JSON compatible logger
ctrl, _ := NewAppController(/* Broker of your choice */, WithLogger(log.NewECS()))
// ...
}
You can find all loggers in the directory pkg/log
.
To log published and received messages, you'll have to pass a logger as a middleware in order to execute it on every published and received messages:
import(
"github.com/lerenn/asyncapi-codegen/pkg/extensions/brokers"
// ...
)
func main() {
// Create a new app controller with a middleware for logging incoming/outgoing messages
loggingMiddleware := middleware.Logging(log.NewECS())
ctrl, _ := NewAppController(/* Broker of your choice */, WithMiddlewares(loggingMiddleware))
// ...
}
It is possible to set your own logger to the generated code, all you have to do is to fill the following interface:
type Logger interface {
// Info logs information based on a message and key-value elements
Info(ctx log.Context, msg string, info ...log.AdditionalInfo)
// Error logs error based on a message and key-value elements
Error(ctx log.Context, msg string, info ...log.AdditionalInfo)
}
Here is a basic implementation example:
type SimpleLogger struct{}
func (logger SimpleLogger) formatLog(ctx log.Context, info ...log.AdditionalInfo) string {
var formattedLogInfo string
for i := 0; i < len(keyvals)-1; i += 2 {
formattedLogInfo = fmt.Sprintf("%s, %s: %+v", formattedLogInfo, info.Key, info.Value)
}
return fmt.Sprintf("%s, context: %+v", formattedLogInfo, ctx)
}
func (logger SimpleLogger) Info(ctx log.Context, msg string, info ...log.AdditionalInfo) {
log.Printf("INFO: %s%s", msg, logger.formatLog(ctx, info...))
}
func (logger SimpleLogger) Error(ctx log.Context, msg string, info ...log.AdditionalInfo) {
log.Printf("ERROR: %s%s", msg, logger.formatLog(ctx, info...))
}
You can then create a controller with a logger using similar lines:
// Create a new app controller with the custom logger
ctrl, _ := NewAppController(
/* Broker of your choice */,
WithLogger(SimpleLogger{}), /* Use on as internal logger */
WithMiddleware(middleware.Logging(SimpleLogger{})), /* Use to log incoming/outgoing messages */
)
If you are in need to do a migration or support multiple versions of your
AsyncAPI specifications, you can use the versioning
package:
import (
"github.com/lerenn/asyncapi-codegen/pkg/extensions/brokers/nats"
"github.com/lerenn/asyncapi-codegen/pkg/extensions/versioning"
v1 "path/to/asyncapi/spec/version/1"
v2 "path/to/asyncapi/spec/version/2"
)
func main() {
// Create a broker (here from NATS)
broker, _ := nats.NewController("nats://nats:4222"))
defer broker.Close()
// Add a version wrapper to the broker
vw := versioning.NewWrapper(broker)
// Create application for version 1
appV1, _ := v1.NewAppController(vw, /* controller options */)
defer appV1.Close(context.Background())
// Create v2 app
appV2, _ := v2.NewAppController(vw, /* controller options */)
defer appV2.Close(context.Background())
// ...
}
Then you can use each application independently:
err := appV1.SubscribeHello(context.Background(), func(ctx context.Context, msg v1.HelloMessage) {
// Stuff for version 1
})
err := appV2.SubscribeHello(context.Background(), func(ctx context.Context, msg v2.HelloMessage) {
// Stuff for version 2
})
That way, you can support multiple different versions with the same broker.
The versioning feature will add an application-version
header to each
message in order to have the correct version of the application on each of
them.
If messages can have no application-version
, you can use the option WithDefaultVersion
to add a default version to non-tagged messages.
vw := versioning.NewWrapper(broker, versioning.WithDefaultVersion("1.1.4"))
Also, if you don't want to use this header as a recipient to the application version,
you can specify your own header with the option WithVersionHeaderKey
.
vw := versioning.NewWrapper(broker, versioning.WithVersionHeaderKey("my-version-key"))
If you want to use the version of the AsyncAPI document used, you can access the constant
AsyncAPIVersion
that is generated with the types. It is generated as followed:
const AsyncAPIVersion = "{{ .Info.Version }}"
These extension properties apply to "Schema Objects" in AsyncAPI spec.
-
x-go-type
: Overrides the default Go type with the specified Go type name.For example,
schemas: Object: properties: flag: type: integer x-go-type: uint8
will be generated as
type Object struct { Flag uint8 `json:"flag"` }
-
x-go-type-import
: Specifies the import package forx-go-type
. This has two propertiesname
andpath
.path
is the package import path, e.g.github.com/google/uuid
.name
is the package import name, which is optional. For example,schemas: Object: properties: flag: type: integer x-go-type: mypackage.Flag x-go-type-import: path: abc.xyz/repo/mypackage
will be generated as
import ( "abc.xyz/repo/mypackage" ) // ... type Object struct { Flag mypackage.Flag `json:"flag"` }
while
schemas: Object: properties: flag: type: integer x-go-type: alias.Flag x-go-type-import: path: abc.xyz/repo/mypackage name: alias
will be generated as
import ( alias "abc.xyz/repo/mypackage" ) // ... type Object struct { Flag alias.Flag `json:"flag"` }
You can use an error handler that will be executed when processing for messages
failed. To add a custom ErrorHandler to your controller use the WithErrorHandler
function in the initialization of the App or User controller:
// Create a new app controller with ErrorHandler
ctrl, _ := NewAppController(/* Broker of your choice */, WithErrorHandler(myErrorHandler), ...)
Here the function signature that should be satisfied:
func(ctx context.Context, topic string, msg *AcknowledgeableBrokerMessage, err error)
Note: The default ErrorHandler is a Noop ErrorHandler doing nothing. By using a ErrorHandler you can add custom behavior for example to move messages to retry or dead letter topics/queues. Acks and Naks will be executed after the ErrorHandler, you can use the AcknowledgeableBrokerMessage in the handler to Ack/Nak the message manually.
// Create a new app controller with Logging ErrorHandler
ctrl, _ := NewAppController(/* Broker of your choice */, WithErrorHandler(errorhandlers.Logging(mylogger)), ...)
func(ctx context.Context, topic string, msg *extensions.AcknowledgeableBrokerMessage, err error) {
// check error or move message to some other queue/topic
handleTheErrorSomehow()
// Ack or Nak the message
msg.Ack()
msg.Nak()
}
If you find any bug or lacking a feature, please raise an issue on the Github repository!
Also please do not hesitate to propose any improvment or bug fix on PR. Any contribution is warmly welcomed!
And if you find this project useful, please support it through the Support feature on Github.