Categorygithub.com/gambol99/go-marathon
modulepackage
0.7.1
Repository: https://github.com/gambol99/go-marathon.git
Documentation: pkg.go.dev

# README

Build Status GoDoc

Go-Marathon

Go-marathon is a API library for working with Marathon. It currently supports

  • Application and group deployment
  • Helper filters for pulling the status, configuration and tasks
  • Multiple Endpoint support for HA deployments
  • Marathon Event Subscriptions and Event Streams

Note: the library is still under active development; users should expect frequent (possibly breaking) API changes for the time being.

It requires Go version 1.5 or higher.

Code Examples

There is also an examples directory in the source which shows hints and snippets of code of how to use it — which is probably the best place to start.

You can use examples/docker-compose.yml in order to start a test cluster.

Creating a client

import (
	marathon "github.com/gambol99/go-marathon"
)

marathonURL := "http://10.241.1.71:8080"
config := marathon.NewDefaultConfig()
config.URL = marathonURL
client, err := marathon.NewClient(config)
if err != nil {
	log.Fatalf("Failed to create a client for marathon, error: %s", err)
}

applications, err := client.Applications()
...

Note, you can also specify multiple endpoint for Marathon (i.e. you have setup Marathon in HA mode and having multiple running)

marathonURL := "http://10.241.1.71:8080,10.241.1.72:8080,10.241.1.73:8080"

The first one specified will be used, if that goes offline the member is marked as "unavailable" and a background process will continue to ping the member until it's back online.

Custom HTTP Client

If you wish to override the http client (by default http.DefaultClient) used by the API; use cases bypassing TLS verification, load root CA's or change the timeouts etc, you can pass a custom client in the config.

marathonURL := "http://10.241.1.71:8080"
config := marathon.NewDefaultConfig()
config.URL = marathonURL
config.HTTPClient = &http.Client{
    Timeout: (time.Duration(10) * time.Second),
    Transport: &http.Transport{
        Dial: (&net.Dialer{
            Timeout:   10 * time.Second,
            KeepAlive: 10 * time.Second,
        }).Dial,
        TLSClientConfig: &tls.Config{
            InsecureSkipVerify: true,
        },
    },
}

Listing the applications

applications, err := client.Applications()
if err != nil {
	log.Fatalf("Failed to list applications")
}

log.Printf("Found %d applications running", len(applications.Apps))
for _, application := range applications.Apps {
	log.Printf("Application: %s", application)
	details, err := client.Application(application.ID)
	assert(err)
	if details.Tasks != nil && len(details.Tasks) > 0 {
		for _, task := range details.Tasks {
			log.Printf("task: %s", task)
		}
		// check the health of the application
		health, err := client.ApplicationOK(details.ID)
		log.Printf("Application: %s, healthy: %t", details.ID, health)
	}
}

Creating a new application

log.Printf("Deploying a new application")
application := marathon.NewDockerApplication().
  Name(applicationName).
  CPU(0.1).
  Memory(64).
  Storage(0.0).
  Count(2).
  AddArgs("/usr/sbin/apache2ctl", "-D", "FOREGROUND").
  AddEnv("NAME", "frontend_http").
  AddEnv("SERVICE_80_NAME", "test_http").
  CheckHTTP("/health", 10, 5)

application.
  Container.Docker.Container("quay.io/gambol99/apache-php:latest").
  Bridged().
  Expose(80).
  Expose(443)

if _, err := client.CreateApplication(application); err != nil {
	log.Fatalf("Failed to create application: %s, error: %s", application, err)
} else {
	log.Printf("Created the application: %s", application)
}

Note: Applications may also be defined by means of initializing a marathon.Application struct instance directly. However, go-marathon's DSL as shown above provides a more concise way to achieve the same.

Scaling application

Change the number of application instances to 4

log.Printf("Scale to 4 instances")
if err := client.ScaleApplicationInstances(application.ID, 4); err != nil {
	log.Fatalf("Failed to delete the application: %s, error: %s", application, err)
} else {
	client.WaitOnApplication(application.ID, 30 * time.Second)
	log.Printf("Successfully scaled the application")
}

Subscription & Events

Request to listen to events related to applications — namely status updates, health checks changes and failures. There are two different event transports controlled by EventsTransport setting with the following possible values: EventsTransportSSE and EventsTransportCallback (default value). See Event Stream and Event Subscriptions for details.

Event subscriptions can also be individually controlled with the Subscribe and Unsubscribe functions. See Controlling subscriptions for more details.

Event Stream

Only available in Marathon >= 0.9.0. Does not require any special configuration or prerequisites.

// Configure client
config := marathon.NewDefaultConfig()
config.URL = marathonURL
config.EventsTransport = marathon.EventsTransportSSE

client, err := marathon.NewClient(config)
if err != nil {
	log.Fatalf("Failed to create a client for marathon, error: %s", err)
}

// Register for events
events, err = client.AddEventsListener(marathon.EventIDApplications)
if err != nil {
	log.Fatalf("Failed to register for events, %s", err)
}

timer := time.After(60 * time.Second)
done := false

// Receive events from channel for 60 seconds
for {
	if done {
		break
	}
	select {
	case <-timer:
		log.Printf("Exiting the loop")
		done = true
	case event := <-events:
		log.Printf("Received event: %s", event)
	}
}

// Unsubscribe from Marathon events
client.RemoveEventsListener(events)

Event Subscriptions

Requires to start a built-in web server accessible by Marathon to connect and push events to. Consider the following additional settings:

  • EventsInterface — the interface we should be listening on for events. Default "eth0".
  • EventsPort — built-in web server port. Default 10001.
  • CallbackURL — custom callback URL. Default "".
// Configure client
config := marathon.NewDefaultConfig()
config.URL = marathonURL
config.EventsInterface = marathonInterface
config.EventsPort = marathonPort

client, err := marathon.NewClient(config)
if err != nil {
	log.Fatalf("Failed to create a client for marathon, error: %s", err)
}

// Register for events
events, err = client.AddEventsListener(marathon.EventIDApplications)
if err != nil {
	log.Fatalf("Failed to register for events, %s", err)
}

timer := time.After(60 * time.Second)
done := false

// Receive events from channel for 60 seconds
for {
	if done {
		break
	}
	select {
	case <-timer:
		log.Printf("Exiting the loop")
		done = true
	case event := <-events:
		log.Printf("Received event: %s", event)
	}
}

// Unsubscribe from Marathon events
client.RemoveEventsListener(events)

See events.go for a full list of event IDs.

Controlling subscriptions

If you simply want to (de)register event subscribers (i.e. without starting an internal web server) you can use the Subscribe and Unsubscribe methods.

// Configure client
config := marathon.NewDefaultConfig()
config.URL = marathonURL

client, err := marathon.NewClient(config)
if err != nil {
	log.Fatalf("Failed to create a client for marathon, error: %s", err)
}

// Register an event subscriber via a callback URL
callbackURL := "http://10.241.1.71:9494"
if err := client.Subscribe(callbackURL); err != nil {
	log.Fatalf("Unable to register the callbackURL [%s], error: %s", callbackURL, err)
}

// Deregister the same subscriber
if err := client.Unsubscribe(callbackURL); err != nil {
	log.Fatalf("Unable to deregister the callbackURL [%s], error: %s", callbackURL, err)
}

Contributing

See the contribution guidelines.

Development

Marathon Fake

go-marathon employs a fake Marathon implementation for testing purposes. It maintains a YML-encoded list of HTTP response messages which are returned upon a successful match based upon a number of attributes, the so-called message identifier:

  • HTTP URI (without the protocol and the hostname, e.g., /v2/apps)
  • HTTP method (e.g., GET)
  • response content (i.e., the message returned)
  • scope (see below)

Response Content

The response content can be provided in one of two forms:

  • static: A pure response message returned on every match, including repeated queries.
  • index: A list of response messages associated to a particular (indexed) sequence order. A message will be returned iff it matches and its zero-based index equals the current request count.

An example for a trivial static response content is

- uri: /v2/apps
  method: POST
  content: |
		{
		"app": {
		}
		}

which would be returned for every POST request targetting /v2/apps.

An indexed response content would look like:

- uri: /v2/apps
  method: POST
  contentSequence:
		- index: 1
		- content: |
			{
			"app": {
				"id": "foo"
			}
			}
		- index: 3
		- content: |
			{
			"app": {
				"id": "bar"
			}
			}

What this means is that the first POST request to /v2/apps would yield a 404, the second one the foo app, the third one 404 again, the fourth one bar, and every following request thereafter a 404 again. Indexed responses enable more flexible testing required by some use cases.

Trying to define both a static and indexed response content constitutes an error and leads to panic.

Scope

By default, all responses are defined globally: Every message can be queried by any request across all tests. This enables reusability and allows to keep the YML definition fairly short. For certain cases, however, it is desirable to define a set of responses that are delivered exclusively for a particular test. Scopes offer a means to do so by representing a concept similar to namespaces. Combined with indexed responses, they allow to return different responses for message identifiers already defined at the global level.

Scopes do not have a particular format -- they are just strings. A scope must be defined in two places: The message specification and the server configuration. They are pure strings without any particular structure. Given the messages specification

- uri: /v2/apps
  method: GET
	# Note: no scope defined.
  content: |
		{
		"app": {
			"id": "foo"
		}
		}
- uri: /v2/apps
  method: GET
	scope: v1.1.1  # This one does have a scope.
  contentSequence:
		- index: 1
		- content: |
			{
			"app": {
				"id": "bar"
			}
			}

and the tests

func TestFoo(t * testing.T) {
	endpoint := newFakeMarathonEndpoint(t, nil)  // No custom configs given.
	defer endpoint.Close()
	app, err := endpoint.Client.Applications()
	// Do something with "foo"
}

func TestFoo(t * testing.T) {
	endpoint := newFakeMarathonEndpoint(t, &configContainer{
		server: &serverConfig{
			scope: "v1.1.1",		// Matches the message spec's scope.
		},
	})
	defer endpoint.Close()
	app, err := endpoint.Client.Applications()
	// Do something with "bar"
}

The "foo" response can be used by all tests using the default fake endpoint (such as TestFoo), while the "bar" response is only visible by tests that explicitly set the scope to 1.1.1 (as TestBar does) and query the endpoint twice.

# Packages

No description provided by the author

# Functions

GetEvent returns allocated empty event object which corresponds to provided event type eventType: the type of Marathon event.
NewAPIError creates a new APIError instance from the given response code and content.
NewApplicationGroup create a new application group name: the name of the group.
NewClient creates a new marathon client config: the configuration to use.
NewDefaultConfig create a default client config.
NewDefaultHealthCheck creates a default application health check.
NewDockerApplication creates a default docker application.
NewDockerContainer creates a default docker container for you.

# Constants

ErrCodeAppLocked specifies a POST 409 Conflict error.
ErrCodeBadRequest specifies a 400 Bad Request error.
ErrCodeDuplicateID specifies a PUT 409 Conflict error.
ErrCodeForbidden specifies a 403 Forbidden error.
ErrCodeInvalidBean specifies a 422 UnprocessableEntity error.
ErrCodeNotFound specifies a 404 Not Found error.
ErrCodeServer specifies a 500+ Server error.
ErrCodeUnauthorized specifies a 401 Unauthorized error.
ErrCodeUnknown specifies an unknown error.
EventIDAddHealthCheck is the event listener ID for the corresponding event.
EventIDAPIRequest is the event listener ID for the corresponding event.
EventIDApplications comprises all listener IDs for application events.
EventIDAppTerminated is the event listener ID for the corresponding event.
EventIDChangedHealthCheck is the event listener ID for the corresponding event.
EventIDDeploymentFailed is the event listener ID for the corresponding event.
EventIDDeploymentInfo is the event listener ID for the corresponding event.
EventIDDeploymentStepFailed is the event listener ID for the corresponding event.
EventIDDeploymentStepSuccess is the event listener ID for the corresponding event.
EventIDDeploymentSuccess is the event listener ID for the corresponding event.
EventIDFailedHealthCheck is the event listener ID for the corresponding event.
EventIDFrameworkMessage is the event listener ID for the corresponding event.
EventIDGroupChangeFailed is the event listener ID for the corresponding event.
EventIDGroupChangeSuccess is the event listener ID for the corresponding event.
EventIDRemoveHealthCheck is the event listener ID for the corresponding event.
EventIDStatusUpdate is the event listener ID for the corresponding event.
EventIDStreamAttached is the event listener ID for the corresponding event.
EventIDStreamDetached is the event listener ID for the corresponding event.
EventIDSubscription is the event listener ID for the corresponding event.
EventIDSubscriptions comprises all listener IDs for subscription events.
EventIDUnsubscribed is the event listener ID for the corresponding event.
EventsTransportCallback activates callback events transport.
EventsTransportSSE activates stream events transport.

# Variables

ErrInvalidResponse is thrown when marathon responds with invalid or error response.
ErrMarathonDown is thrown when all the marathon endpoints are down.
ErrNoApplicationContainer is thrown when a container has been specified yet.
ErrTimeoutError is thrown when the operation has timed out.

# Structs

AllTasksOpts contains a payload for AllTasks method status: Return only those tasks whose status matches this parameter.
APIError represents a generic API error.
Application is the definition for an application in marathon.
Applications is a collection of applications.
ApplicationVersion is the application version response from marathon.
ApplicationVersions is a collection of application versions for a specific app in marathon.
Command is the command health check type.
Config holds the settings and options for the client.
Container is the definition for a container type in marathon.
Delay cotains the application postpone infomation.
DeleteAppOpts contains a payload for DeleteApplication method force: overrides a currently running deployment.
DeleteGroupOpts contains a payload for DeleteGroup method force: overrides a currently running deployment.
Deployment is a marathon deployment definition.
DeploymentID is the identifier for a application deployment.
DeploymentPlan is a collection of steps for application deployment.
DeploymentStep is a step in the application deployment plan.
Discovery provides info about ports expose by IP-per-task functionality.
Docker is the docker definition from a marathon application.
Event is the definition for a event in marathon.
EventAddHealthCheck describes an 'add_health_check_event' event.
EventAPIRequest describes an 'api_post_event' event.
EventAppTerminated describes an 'app_terminated_event' event.
EventDeploymentFailed describes a 'deployment_failed' event.
EventDeploymentInfo describes a 'deployment_info' event.
EventDeploymentStepFailure describes a 'deployment_step_failure' event.
EventDeploymentStepSuccess describes a 'deployment_step_success' event.
EventDeploymentSuccess describes a 'deployment_success' event.
EventFailedHealthCheck describes a 'failed_health_check_event' event.
EventFrameworkMessage describes a 'framework_message_event' event.
EventGroupChangeFailed describes a 'group_change_failed' event.
EventGroupChangeSuccess describes a 'group_change_success' event.
EventHealthCheckChanged describes a 'health_status_changed_event' event.
EventRemoveHealthCheck describes a 'remove_health_check_event' event.
EventsChannelContext holds contextual data for an EventsChannel.
EventStatusUpdate describes a 'status_update_event' event.
EventStreamAttached describes an 'event_stream_attached' event.
EventStreamDetached describes an 'event_stream_detached' event.
EventSubscription describes a 'subscribe_event' event.
EventType is a wrapper for a marathon event.
EventUnsubscription describes an 'unsubscribe_event' event.
ExternalVolume is an external volume definition.
Fetch will download URI before task starts.
GetAppOpts contains a payload for Application method embed: Embeds nested resources that match the supplied path.
GetGroupOpts contains a payload for Group and Groups method embed: Embeds nested resources that match the supplied path.
Group is a marathon application group.
Groups is a collection of marathon application groups.
HealthCheck is the definition for an application health check.
HealthCheckResult is the health check result.
Info is the detailed stats returned from marathon info.
InvalidEndpointError indicates a endpoint error in the marathon urls.
IPAddress represents a task's IP address and protocol.
IPAddressPerTask is used by IP-per-task functionality https://mesosphere.github.io/marathon/docs/ip-per-task.html.
Item is the definition of element in the queue.
KillApplicationTasksOpts contains a payload for KillApplicationTasks method host: kill only those tasks on a specific host (optional) scale: Scale the app down (i.e.
KillTaskOpts contains a payload for task killing methods scale: Scale the app down.
LastTaskFailure provides details on the last error experienced by an application.
Parameters is the parameters to pass to the docker client when creating the container.
Port provides info about ports used by IP-per-task.
PortDefinition is a definition of a port that should be considered part of a resource.
PortMapping is the portmapping structure between container and mesos.
Queue is the definition of marathon queue.
Stats is a collection of aggregate statistics about an application's tasks.
StepActions is a series of deployment steps.
Subscriptions is a collection to urls that marathon is implementing a callback on.
Task is the definition for a marathon task.
Tasks is a collection of marathon tasks.
TaskStats is a container for Stats.
UpdateGroupOpts contains a payload for UpdateGroup method force: overrides a currently running deployment.
UpgradeStrategy is the upgrade strategy applied to an application.
VersionInfo is the application versioning details from marathon.
Volume is the docker volume details associated to the container.

# Interfaces

Marathon is the interface to the marathon API.

# Type aliases

EventsTransport describes which transport should be used to deliver Marathon events.