Library Moduleswift-service-discovery 1.3.0ServiceDiscovery
ServiceDiscovery
A Service Discovery API for Swift.
index.mdimport ServiceDiscovery
Module information
- Declarations
- 83
- Symbols
- 139
Overview
Service discovery is how services locate one another within a distributed system. This API library is designed to establish a standard that can be implemented by various service discovery backends such as DNS-based, key-value store like Zookeeper, etc. In other words, this library defines the API only, similar to SwiftLog and SwiftMetrics; actual functionalities are provided by backend implementations.
Getting started
If you have a server-side Swift application and would like to locate other services within the same system for making HTTP requests or RPCs, then ServiceDiscovery is the right library for the job. Below you will find all you need to know to get started.
Concepts
Service Identity: Each service must have a unique identity.
Service
denotes the identity type used in a backend implementation.Service Instance: A service may have zero or more instances, each of which has an associated location (typically host-port).
Instance
denotes the service instance type used in a backend implementation.
Selecting a service discovery backend implementation (applications only)
ServiceDiscovery only provides the service discovery API. As an application owner, you need to select a service discovery backend to make querying available.
Selecting a backend is done by adding a dependency on the desired backend implementation and instantiating it at the beginning of the program.
For example, suppose you have chosen the hypothetical DNSBasedServiceDiscovery
as the backend:
// 1) Import the service discovery backend package
import DNSBasedServiceDiscovery
// 2) Create a concrete ServiceDiscovery object
let serviceDiscovery = DNSBasedServiceDiscovery()
As the API has just launched, not many implementations exist yet. If you are interested in implementing one see the “Implementing a service discovery backend” section below explaining how to do so. List of existing ServiceDiscovery API compatible libraries:
tuplestream/swift-k8s-service-discovery - service discovery using the k8s APIs
Obtaining a service’s instances
To fetch the current list of instances (where result
is Result<[Instance], Error>
):
serviceDiscovery.lookup(service) { result in
...
}
To fetch the current list of instances (where result
is Result<[Instance], Error>
) AND subscribe to future changes:
let cancellationToken = serviceDiscovery.subscribe(
to: service,
onNext: { result in
// This closure gets invoked once at the beginning and subsequently each time a change occurs
...
},
onComplete: { reason in
// This closure gets invoked when the subscription completes
...
}
)
...
// Cancel the `subscribe` request
cancellationToken.cancel()
subscribe
returns a CancellationToken
that you can use to cancel the subscription later on. onComplete
is a closure that gets invoked when the subscription ends (e.g., when the service discovery instance shuts down) or gets cancelled through the CancellationToken
. CompletionReason
can be used to distinguish what leads to the completion.
Async APIs
Async APIs are available for Swift 5.5 and above.
To fetch the current list of instances:
let instances: [Instance] = try await serviceDiscovery.lookup(service)
To fetch the current list of instances AND subscribe to future changes:
for try await instances in serviceDiscovery.subscribe(to: service) {
// do something with this snapshot of instances
}
Underlying the async subscribe
API is an AsyncSequence
. To end the subscription, simply break out of the for
-loop.
Combinators
ServiceDiscovery includes combinators for common requirements such as transforming and filtering instances. For example:
// Only include instances running on port 8080
let serviceDiscovery = InMemoryServiceDiscovery(configuration: configuration)
.filterInstance { [8080].contains($0.port) }
Implementing a service discovery backend
Adding the dependency
To add a dependency on the API package, you need to declare it in your Package.swift
:
.package(url: "https://github.com/apple/swift-service-discovery.git", from: "0.1.0"),
and to your library target, add ServiceDiscovery
to your dependencies:
.target(
name: "MyServiceDiscovery",
dependencies: [
.product(name: "ServiceDiscovery", package: "swift-service-discovery"),
]
),
To become a compatible service discovery backend that all ServiceDiscovery consumers can use, you need to implement a type that conforms to the ServiceDiscovery
protocol provided by ServiceDiscovery. It includes two methods, lookup(_:deadline:callback:)
and subscribe(to:onNext:onComplete:)
.
lookup
/// Performs a lookup for the given service's instances. The result will be sent to `callback`.
///
/// `defaultLookupTimeout` will be used to compute `deadline` in case one is not specified.
///
/// - Parameters:
/// - service: The service to lookup
/// - deadline: Lookup is considered to have timed out if it does not complete by this time
/// - callback: The closure to receive lookup result
func lookup(_ service: Service, deadline: DispatchTime?, callback: @escaping (Result<[Instance], Error>) -> Void)
lookup
fetches the current list of instances for the given service
and sends it to callback
. If the service is unknown (e.g., registration is required but it has not been done for the service), then the result should be a LookupError.unknownService
failure.
The backend implementation should impose a deadline on when the operation will complete. deadline
should be respected if given, otherwise one should be computed using defaultLookupTimeout
.
subscribe
/// Subscribes to receive a service's instances whenever they change.
///
/// The service's current list of instances will be sent to `nextResultHandler` when this method is first called. Subsequently,
/// `nextResultHandler` will only be invoked when the `service`'s instances change.
///
/// ### Threading
///
/// `nextResultHandler` and `completionHandler` may be invoked on arbitrary threads, as determined by implementation.
///
/// - Parameters:
/// - service: The service to subscribe to
/// - nextResultHandler: The closure to receive update result
/// - completionHandler: The closure to invoke when the subscription completes (e.g., when the `ServiceDiscovery` instance exits, etc.),
/// including cancellation requested through `CancellationToken`.
///
/// - Returns: A `CancellationToken` instance that can be used to cancel the subscription in the future.
func subscribe(to service: Service, onNext nextResultHandler: @escaping (Result<[Instance], Error>) -> Void, onComplete completionHandler: @escaping (CompletionReason) -> Void) -> CancellationToken
subscribe
“pushes” service instances to the nextResultHandler
. The backend implementation is expected to call nextResultHandler
:
When
subscribe
is first invoked, the caller should receive the current list of instances for the given service. This is essentially thelookup
result.Whenever the given service’s list of instances changes. The backend implementation has full control over how and when its service records get updated, but it must notify
nextResultHandler
when the instances list becomes different from the previous result.
A new CancellationToken
must be created for each subscribe
request. If the cancellation token’s isCancelled
is true
, the subscription has been cancelled and the backend implementation should cease calling the corresponding nextResultHandler
.
The backend implementation must also notify via completionHandler
when the subscription ends for any reason (e.g., the service discovery instance is shutting down or cancellation is requested through CancellationToken
), so that the subscriber can submit another subscribe
request if needed.
Service Discovery API
func lookup(Service, deadline: DispatchTime?, callback: @escaping (Result<[Instance], Error>) -> Void
) Performs a lookup for the given service’s instances. The result will be sent to
callback
.func subscribe(to: Service, onNext: @escaping (Result<[Instance], Error>) -> Void, onComplete: @escaping (CompletionReason) -> Void
) -> CancellationToken Subscribes to receive a service’s instances whenever they change.
func lookup(Service, deadline: DispatchTime?
) async throws -> [Instance] Performs async lookup for the given service’s instances.
func subscribe(to: Service
) -> ServiceSnapshots<Instance> Returns a
ServiceSnapshots
, which is anAsyncSequence
and each of its items is a snapshot listing of service instances.
Combinators
func mapInstance<DerivedInstance>(@escaping (Instance) throws -> DerivedInstance
) -> MapInstanceServiceDiscovery<Self, DerivedInstance> Creates a new
ServiceDiscovery
implementation based on this one, transforming the instances according to the derived function.func mapService<ComputedService>(serviceType: ComputedService.Type, @escaping (ComputedService) throws -> Service
) -> MapServiceServiceDiscovery<Self, ComputedService> Creates a new
ServiceDiscovery
implementation based on this one, transforming the services according to the derived function.func filterInstance(@escaping (Instance) throws -> Bool
) -> FilterInstanceServiceDiscovery<Self> Creates a new
ServiceDiscovery
implementation based on this one, filtering instances with the given predicate.
Uncategorized
Protocols
protocol ServiceDiscovery
Provides service instances lookup.
Types
class AnyServiceDiscovery
Type-erased wrapper for
ServiceDiscovery
instance.class CancellationToken
Enables cancellation of service discovery subscription.
struct CompletionReason
Reason that leads to service discovery subscription completion.
class FilterInstanceServiceDiscovery<BaseDiscovery>
struct HostPort
Represents a service instance with host and port.
class InMemoryServiceDiscovery<Service, Instance>
Provides lookup for service instances that are stored in-memory.
struct LookupError
Errors that might occur during lookup.
class MapInstanceServiceDiscovery<BaseDiscovery, DerivedInstance>
class MapServiceServiceDiscovery<BaseDiscovery, ComputedService>
class ServiceDiscoveryBox<Service, Instance>
Generic wrapper for
ServiceDiscovery
instance.struct ServiceDiscoveryError
General service discovery errors.
struct ServiceSnapshots<Instance>
An async sequence of snapshot listings of service instances.
enum TypeErasedServiceDiscoveryError