Coder Social home page Coder Social logo

lerenn / asyncapi-codegen Goto Github PK

View Code? Open in Web Editor NEW
73.0 1.0 18.0 903 KB

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!

License: Apache License 2.0

Makefile 0.66% Go 99.01% Dockerfile 0.20% Shell 0.13%
asyncapi asyncapi-generator asyncapi-tooling asyncapi-tools go golang nats nats-messaging code-generation generator kafka

asyncapi-codegen's Introduction

AsyncAPI Codegen

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!

AsyncAPI Codegen Preview

⚠️ We do our best to progressively satisfy the entire AsyncAPI specification, but some features may still be missing: please raise an issue on any bug or missing feature.

❤️ Support is greatly appreciated and contributions are welcomed!

Inspired from popular deepmap/oapi-codegen

Contents

Supported functionalities

  • 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

Usage

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

Docker image

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

Concepts

basic schema

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.

With Async API generated code

with codegen schema

  • 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.

Examples

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.

Supported Brokers

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.

Kafka

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, meaning 10MB) 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 is true
  • WithSasl: specify sasl mechanism to connect to the broker. Per default no mechanism will be used.
  • WithTLS: specify tls config to connect to the broker. Per default no tls config will be used.
  • WithConnectionTest: specify if the controller should make a connection test on creation. The default value is true

Authentication and TLS

To use a TLS connection and or authentication for the connection to the kafka broker the following options can be used:

// Plain mechanism
kafkaController, err := kafka.NewController([]string{"<host>:<port>"},
    kafka.WithGroupID(queueGroupID),
    kafka.WithSasl(plain.Mechanism{Username: "<user>", Password: "<password>"}),
)

// Sha256 mechanism
sha256Mechanism, err := scram.Mechanism(scram.SHA256, "<user>", "<password>")
if err != nil {
    // handle error
}

kafkaController, err := kafka.NewController([]string{"<host>:<port>"},
    kafka.WithGroupID(queueGroupID),
    kafka.WithSasl(sha256Mechanism),
)

// Sha512 mechanism
sha512Mechanism, err := scram.Mechanism(scram.SHA512, "<user>", "<password>")
if err != nil {
    // handle error
}

kafkaController, err := kafka.NewController([]string{"<host>:<port>"},
    kafka.WithGroupID(queueGroupID),
    kafka.WithSasl(sha512Mechanism),
)

// TLS
// configure tls.config
myTLSConfig := &tls.Config{}

kafkaController, err := kafka.NewController([]string{"<host>:<port>"},
    kafka.WithGroupID(queueGroupID),
    kafka.WithTLS(myTLSConfig),
)

NATS

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.
  • WithConnectionOpts: specify connection Options for establishing connection with nats see Nats Options for more information. If not specified, no options will be used.

Authentication and TLS

To use a TLS connection and or authentication for the connection to the nats broker the following nats options can be used:

import (
"github.com/lerenn/asyncapi-codegen/pkg/extensions/brokers/nats"

// import natsio go client option
natsio "github.com/nats-io/nats.go"

)

func main(){

    myTLSConfig := &tls.Config{}

    natsController, err := nats.NewController("nats://<host>:<port>",
		nats.WithQueueGroup(queueGroupID),
		nats.WithConnectionOpts(natsio.UserCredentials("<user.jwt>", "<user.nk>"), natsio.Secure(myTLSConfig))
	)

}

NATS JetStream

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.

Limitations

  • the messages will be ack'd from the consumer even though the subscription was not setup (this will be logged)

Custom broker

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.

CLI options

Generation parts (-g, --generate)

The default options for asyncapi-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.

Package name (-p, --package)

The package name is the name of the package that will be used in the generated code. It is important to have the same package name for the user, application, and types in order to compile the code.

Input files (-i, --input)

The input file is the path to the AsyncAPI specification file that will be used to generate the code. It can be either a JSON or a YAML file.

Also, you can specify dependencies by separating them with a comma:

asyncapi-codegen -i ./asyncapi.yaml,./dependency1.yaml,./dependency2.yaml -p <your-package> -o ./asyncapi.gen.go

Output file (-o, --output)

The output file is the path to the file that will be generated by the tool. It will contain the generated code.

Disable formatting (-f, --disable-formatting)

By default, the generated code will be formatted using gofmt. If you want to disable this feature, you can use the -f flag.

JSON keys conversion (-c, --convert-keys)

By default, the generation will use the key specified in the asyncapi codegen. This is also called the none convertion. You can also convert your keys to snake, camel, or kebab.

Example

Given this schema:

Payload:
  type: object
  properties:
    This_is a-Property:
      type: string

Here are the generated JSON sent, given by the different options:

  • No conversion (none): { "This_is a-Property": "value" }
  • Camel case (camel): { "ThisIsAProperty": "value" }
  • Kebab case (kebab): { "this-is-a-property": "value" }
  • Snake case (snake): { "this_is_a_property": "value" }

Advanced topics

Middlewares

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).

Examples

Filtering messages
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.

Modify messages before sending/receiving
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
}
Stopping message processing
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
}

Executing code after receiving/publishing the message

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
}

Context

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.

Logging

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.

Controller logging

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.

Publication/Reception logging

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))

  // ...
}

Custom logging

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 */
)

Versioning

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.

Version tagging

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.

Non-tagged messages

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"))
Change header key for application version

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"))

Knowing generated version

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 }}"

Specification extensions

Schema Object extensions

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 for x-go-type. This has two properties name and path. 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"`
    }

ErrorHandler

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.

Examples

Use the Logging ErrorHandler
// Create a new app controller with Logging ErrorHandler
ctrl, _ := NewAppController(/* Broker of your choice */, WithErrorHandler(errorhandlers.Logging(mylogger)), ...)
Build a custom ErrorHandler and handle Ack/Nak of the message
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()
}

Contributing and support

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.

asyncapi-codegen's People

Contributors

derfenix avatar leejuyuu avatar lerenn avatar lo00l avatar magraef avatar matoous avatar mymdz avatar obouchet avatar stefanmeschke avatar thesadlig avatar wizzardich avatar

Stargazers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

Watchers

 avatar

asyncapi-codegen's Issues

Support AsyncAPI v3

Hi,

Thanks for this project!

I wanted to give it a try but it doesn't seem to support AsyncAPI v3.

$ asyncapi-codegen -i ./asyncapi-v3.yaml -p asyncapi -o ./asyncapi.gen.go
 --- Anomalies detected in specification ---
version "3.0.0" is not supported

Any plan to support it?

Thanks!

expose channels in generated code as constants

It would be nice to have to be able to perform compile-time/initialization time checks in the application when implementing brokers that expect some known channels for configuration and would error out on an unknown channel, becase currently broker accepts channel as a simple stream

type BrokerController interface {
	// Publish a message to the broker
	Publish(ctx context.Context, channel string, mw BrokerMessage) error

AsyncAPI v3: support default values

For now, when a default value is specified in the specification, it is not used.

The entity having a default value should be optionally settable, with the default value by default.

Add a asyncapi checker before generation

As there is no check, when there is a problem with the AsyncAPI specification, then it is not always detected.
Adding a checking before should resolve this problem.

Bug: ClientSubscriber not generated for some document

System Info

Arch Linux
go version go1.20.6 linux/amd64
asyncapi-codegen version v0.13.1

Steps to reproduce

  1. Get this AsyncAPI spec https://github.com/derberg/shrekapp-asyncapi-designed/blob/36d42d6c08c0feca49b19fc3d02b2b20bf7f96f1/asyncapi.yaml.
  2. Convert it to 2.6.0 with AsyncAPI studio.
  3. Run asyncapi-codegen on it.
  4. ClientSubscriber contains Chat and TravelStatus methods in api.gen.go.
  5. Now, modify the subscribe operation under /travel/status channel to publish.
  6. Then the ClientSubscriber is completely missing from the generated file.

Expected result

I expected to see the ClientSubscriber contain only Chat in the end.

Support queue groups in NATS implementation

For now, every listener on the NATS implementation will receive every message. In case of duplicated services, it would be necessary for just one of them to process a message, thus using the queue groups functionnality.

Update Makefiles

what the Readme says and what the makefiles do is a bit confusing.

Hello world generates 2 apps.

But the root README.md only shows generating one.

Perhaps just alter the hello world Makefile to also do the code gen. The sub Makefile does the docker compose running as it does now.

Generate conversion function for schemas

Sometimes, we have a reference to a schema which is a string or an array of string (or anything else), and it would be great to be able to convert them easily.

Add a NACK mechanism to compatible brokers

For now, when the business logic that receives a message fails, then there is no way to tell the broker.

We should be able to do this following this schema:

flowchart TB

Emitter-->Broker;
Broker-->Reception;
Reception-->BusinessLogic;
BusinessLogic-->Success;
Success--ACK-->Broker;
BusinessLogic-->Failure
Failure--NACK with or without delay-->Broker;

nats slog

This is just. suggestion that you may find useful ?

https://github.com/samber/slog-nats is a golang slog adapter to log into NATS

Been using it as it makes it easy as DEV and OPS time to see what's going on for a local or remote system.

Change loggers to add infos not in context but as arguments.

For now, the loggers uses additional information from context, but doing a custom logger makes it hard to get those info as each one should be unwrapped from the context.

So we should make it explicitly passed by argument in the generated code and remove the context embedding in loggers (not in the generated code though).

Support multi-line descriptions

For now, when generating a spec with a multi-line description, there is an error as the generated description is commented only on the first line.

This following description:

      description: |
        Status event is happening when there is no more expected event.
        An 'advance' message can be sent after this one.

Will generate this code:

// Description: Status event is happening when there is no more expected event.
An 'advance' message can be sent after this one.

And should generated this instead:

// Description: Status event is happening when there is no more expected event.
// An 'advance' message can be sent after this one.

Schema Evolution

Do you have a game plan of how your going to support Schema Evolution ?

We have things in 2 places ..
There is a schema description in the yaml and the data living inside nats that conforms to a version of the types described by the yaml schema.

this is not at all unique to your project but in fact an issue with nats itself in my opinion.

The problem is reduced if protobufs are used instead of json . It async-api wants to use json . So then a work around is if we can store the data inside nats as protobuf and convert it to json on the way in and out …
So then you won’t need to go back and adjust the pending data inside nats.

just an idea..

anyways it’s a cool project @lerenn

Override snake case for JSON struct tags

Hi.

Thanks for a great package! I was wondering if it is possible to specify a different case for the json struct tags in the generated models? I.e. have camelCase instead?

CTL, CLI, GUI

Was playing around and we could gen a lot more here if we wanted.

CTL is a pretty obvious one I think

For a GUI, we could use HTMX, which is nicely designed to work with async using SSE or Web Sockets which NATS naturally supports already.

Here is a simple golang htmx generator.
https://github.com/gowebly/gowebly is a generator that uses htmx and golang.

Json Schema question

I was wondering if async api Standard supports json Schema ?

Cause then we can use that to describe the types but also to do validation.

I am not that familiar with async-api btw.

nats uses json Schema Inside to validations its own types btw. It’s inside the packages called jsm but is not really designed for external access.

You know there is nothing preventing the json Schema or even the async-api being deployed inside nats kv. Then nats Server has the Schema inside itself to do the validations . Just an interesting way to have it all inside nats like a database has the data and schema inside itself.

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.