We’ll be leveraging the elide-spring-boot-example project to illustrate how to use subscriptions.
A subscription can be made from any Elide model simply by annotating it with Subscription
:
@Include(name = "group")
@Subscription
@Data
public class ArtifactGroup {
@Id
private String name;
@SubscriptionField
private String commonName;
@SubscriptionField
private String description;
@SubscriptionField
@OneToMany(mappedBy = "group")
private List<ArtifactProduct> products;
}
The subscription annotation takes zero or more operations which correspond to different topics.
@Include
@Subscription(operation = { CREATE, UPDATE, DELETE });
class Book {
...
}
Whenever a model is manipulated (created, deleted, or updated), elide will post a JSON serialized model to a JMS topic for that operation. Only the fields decorated with @SubscriptionField
will be serialized (and hence available to be consumed in the subscription). It is also possible to define custom operations that are triggered by your service business logic.
Elide subscriptions are implemented using websockets. Websockets require a protocol to send and receive messages. Elide supports the graphql-ws protocol. This protocol works both with the Apollo GraphQL client as well as Graphiql. If you run the example project, it comes bundled with Graphiql.
Elide’s subscription API is similar to its API for queries and mutations, but there are some notable differences:
Subscription
is a root field in the GraphQL schema.Query for newly added ‘groups’ returning their name and description:
subscription { group(topic : ADDED) { name description } }
The response will look like:
{
"data": {
"group": {
"name": "new group",
"description": "foo"
}
}
}
If there are errors, they will get reported in an errors field:
{
"data": {
"group": {
"name": "new group",
"commonName": "",
"nope": null
}
},
"errors": [
{
"message": "Exception while fetching data (/group/nope) : ReadPermission Denied",
"locations": [
{
"line": 2,
"column": 53
}
],
"path": [
"group",
"nope"
],
"extensions": {
"classification": "DataFetchingException"
}
}
]
}
All elide subscriptions support RSQL filtering that is identical to filtering for queries and mutations. The following query filters artifact group creation events by the name ‘com.yahoo.elide’:
subscription { group(topic : ADDED, filter: "name='com.yahoo.elide'") { name description } }
Elide honors ReadPermission annotations for all subscription fields in the model. Subscriptions are automatically filtered by any FilterExpressionChecks. Client requests to unauthorized fields will result in errors returned in the subscription response payload.
See the section on Authentication for details on how to build an Elide user principal.
Elide leverages JMS to post and consume subscription messages. The example project runs an embedded (in-memory) broker. You will want to replace this with a dedicated broker in production.
# application.yaml
spring:
activemq:
broker-url: 'vm://embedded?broker.persistent=false,useShutdownHook=false'
in-memory: true
//Override ElideStandaloneSettings
@Override
public ElideStandaloneSubscriptionSettings getSubscriptionProperties() {
return new ElideStandaloneSubscriptionSettings() {
public ConnectionFactory getConnectionFactory() {
//create, configure, and return a JMS connection factory....
}
};
}
Elide subscriptions support the following, global configuration settings:
# application.yaml
elide:
subscription:
enabled: true
path: /subscription
idleTimeoutMs: 30000
maxMessageSize: 10000
maxSubscriptions: 30
connectionTimeoutMs: 5000
//Override ElideStandaloneSettings
@Override
public ElideStandaloneSubscriptionSettings getSubscriptionProperties() {
return new ElideStandaloneSubscriptionSettings() {
@Override
public boolean enabled() {
return true;
}
@Override
public String getPath() {
return "/subscription";
}
@Override
public Integer getConnectionTimeoutMs() {
return 5000;
}
@Override
public Integer getMaxSubscriptions() {
return 30;
}
@Override
public Integer getMaxMessageSize() {
return 10000;
}
@Override
public Long getIdleTimeoutMs() {
return 300000L;
}
};
}
There is no well defined standard for how user credentials are passed via websockets. Instead, Elide allows developers to provide a function that maps a JSR-356 Session to and Elide User object. The session contains the HTTP request headers, path parameter, query parameters, and websocket parameters that can be leveraged to construct a user principal.
//Override the following bean:
@Bean
@Override
public SubscriptionWebSocket.UserFactory getUserFactory() {
return DEFAULT_USER_FACTORY;
}
//Override ElideStandaloneSettings
@Override
public ElideStandaloneSubscriptionSettings getSubscriptionProperties() {
return new ElideStandaloneSubscriptionSettings() {
@Override
public SubscriptionWebSocket.UserFactory getUserFactory() {
return DEFAULT_USER_FACTORY;
}
};
}
It is possible to override some of the default settings for messages published to JMS topics by overriding the following bean:
//Override the following bean:
@Bean
@Override
public SubscriptionScanner subscriptionScanner(Elide elide, ConnectionFactory connectionFactory) {
SubscriptionScanner scanner = SubscriptionScanner.builder()
//Things you may want to override...
.deliveryDelay(Message.DEFAULT_DELIVERY_DELAY)
.messagePriority(Message.DEFAULT_PRIORITY)
.timeToLive(Message.DEFAULT_TIME_TO_LIVE)
.deliveryMode(Message.DEFAULT_DELIVERY_MODE)
//Things you probably don't care about...
.scanner(elide.getScanner())
.dictionary(elide.getElideSettings().getDictionary())
.connectionFactory(connectionFactory)
.mapper(elide.getMapper().getObjectMapper())
.build();
scanner.bindLifecycleHooks();
return scanner;
}
//Override ElideStandaloneSettings
@Override
public ElideStandaloneSubscriptionSettings getSubscriptionProperties() {
return new ElideStandaloneSubscriptionSettings() {
@Override
public SubscriptionScanner subscriptionScanner(Elide elide, ConnectionFactory connectionFactory) {
SubscriptionScanner scanner = SubscriptionScanner.builder()
//Things you may want to override...
.deliveryDelay(Message.DEFAULT_DELIVERY_DELAY)
.messagePriority(Message.DEFAULT_PRIORITY)
.timeToLive(Message.DEFAULT_TIME_TO_LIVE)
.deliveryMode(Message.DEFAULT_DELIVERY_MODE)
//Things you probably don't care about...
.scanner(elide.getScanner())
.dictionary(elide.getElideSettings().getDictionary())
.connectionFactory(connectionFactory)
.mapper(elide.getMapper().getObjectMapper())
.build();
scanner.bindLifecycleHooks();
return scanner;
}
};
}
While Elide makes it easy to subscribe to model manipulations (create, update, and delete), it is also possible to add a subscription topic for another event tied to your business logic. A custom subscription is simply an Elide model annotated with the @Subscription
annotation that explicitly sets the list of operations to empty:
@Include
//This is a custom subscription
@Subscription(operations = {})
@Data
@AllArgsConstructor
@NoArgsConstructor
public class Chat {
@Id
long id;
@SubscriptionField
String message;
}
To publish to your subscription, you can create a lifecycle hook on another model that posts Chat
messages.
@Include
@Data
@LifeCycleHookBinding(
hook = ChatBotCreateHook.class,
operation = LifeCycleHookBinding.Operation.CREATE,
phase = LifeCycleHookBinding.TransactionPhase.POSTCOMMIT
)
public class ChatBot {
@Id
long id;
String name;
}
@Data
public class ChatBotCreateHook implements LifeCycleHook<ChatBot> {
@Inject
ConnectionFactory connectionFactory;
@Override
public void execute(
LifeCycleHookBinding.Operation operation,
LifeCycleHookBinding.TransactionPhase phase,
ChatBot bot,
RequestScope requestScope,
Optional<ChangeSpec> changes) {
NotifyTopicLifeCycleHook<Chat> publisher = new NotifyTopicLifeCycleHook<>(
connectionFactory,
new ObjectMapper(),
JMSContext::createProducer
);
publisher.publish(new Chat(1, "Hello!"), CHAT);
publisher.publish(new Chat(2, "How is your day?"), CHAT);
publisher.publish(new Chat(3, "My name is " + bot.getName()), CHAT);
}
}
Even though the example project runs GraphQL queries, mutations, and subscriptions in the same service, it is highly recommended that subscriptions run as a separate service. Because websockets are long lived and stateful, they impose different resource constraints and performance characteristics from queries and mutations.
Running websockets as a standalone service is as simple as disabling JSON-API and GraphQL HTTP endpoints:
# application.yaml
elide:
json-api:
enabled: false
graphql:
enabled: false
subscription:
enabled: true
//Override ElideStandaloneSettings
@Override
public boolean enableJSONAPI() {
return false;
}
@Override
public boolean enableGraphQL() {
return false;
}
@Override
public ElideStandaloneSubscriptionSettings getSubscriptionProperties() {
return new ElideStandaloneSubscriptionSettings() {
@Override
public boolean enabled() {
return true;
}
};
}