-
Notifications
You must be signed in to change notification settings - Fork 21
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
JMS Selectors: apply selectors on the write path (initial prototype) #123
Merged
Merged
Changes from all commits
Commits
Show all changes
3 commits
Select commit
Hold shift + click to select a range
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
153 changes: 153 additions & 0 deletions
153
...ar-jms-filters/src/main/java/com/datastax/oss/pulsar/jms/selectors/JMSPublishFilters.java
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,153 @@ | ||
/* | ||
* Copyright DataStax, Inc. | ||
* | ||
* Licensed under the Apache License, Version 2.0 (the "License"); | ||
* you may not use this file except in compliance with the License. | ||
* You may obtain a copy of the License at | ||
* | ||
* http://www.apache.org/licenses/LICENSE-2.0 | ||
* | ||
* Unless required by applicable law or agreed to in writing, software | ||
* distributed under the License is distributed on an "AS IS" BASIS, | ||
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||
* See the License for the specific language governing permissions and | ||
* limitations under the License. | ||
*/ | ||
package com.datastax.oss.pulsar.jms.selectors; | ||
|
||
import io.netty.buffer.ByteBuf; | ||
import java.io.IOException; | ||
import java.util.Collections; | ||
import java.util.Map; | ||
import javax.servlet.ServletException; | ||
import javax.servlet.ServletRequest; | ||
import javax.servlet.ServletResponse; | ||
import lombok.extern.slf4j.Slf4j; | ||
import org.apache.bookkeeper.mledger.Entry; | ||
import org.apache.bookkeeper.mledger.impl.PositionImpl; | ||
import org.apache.pulsar.broker.PulsarService; | ||
import org.apache.pulsar.broker.intercept.BrokerInterceptor; | ||
import org.apache.pulsar.broker.service.Producer; | ||
import org.apache.pulsar.broker.service.ServerCnx; | ||
import org.apache.pulsar.broker.service.Topic; | ||
import org.apache.pulsar.broker.service.persistent.PersistentSubscription; | ||
import org.apache.pulsar.broker.service.plugin.EntryFilter; | ||
import org.apache.pulsar.broker.service.plugin.FilterContext; | ||
import org.apache.pulsar.common.api.proto.BaseCommand; | ||
import org.apache.pulsar.common.api.proto.CommandAck; | ||
import org.apache.pulsar.common.api.proto.MessageMetadata; | ||
import org.apache.pulsar.common.intercept.InterceptException; | ||
import org.apache.pulsar.common.protocol.Commands; | ||
|
||
@Slf4j | ||
public class JMSPublishFilters implements BrokerInterceptor { | ||
private static final String JMS_FILTERED_PROPERTY = "jms-filtered"; | ||
private final JMSFilter filter = new JMSFilter(); | ||
private boolean enabled = false; | ||
|
||
@Override | ||
public void initialize(PulsarService pulsarService) { | ||
enabled = | ||
Boolean.parseBoolean( | ||
pulsarService | ||
.getConfiguration() | ||
.getProperties() | ||
.getProperty("jmsApplyFiltersOnPublish", "true")); | ||
log.info("jmsApplyFiltersOnPublish={}", enabled); | ||
} | ||
|
||
@Override | ||
public void onMessagePublish( | ||
Producer producer, ByteBuf headersAndPayload, Topic.PublishContext publishContext) { | ||
if (!enabled) { | ||
return; | ||
} | ||
if (publishContext.isMarkerMessage() | ||
|| publishContext.isChunked() | ||
|| publishContext.getNumberOfMessages() > 1) { | ||
return; | ||
} | ||
|
||
MessageMetadata messageMetadata = | ||
Commands.peekMessageMetadata(headersAndPayload, "jms-filter-on-publish", -1); | ||
if (messageMetadata.hasNumMessagesInBatch()) { | ||
return; | ||
} | ||
producer | ||
.getTopic() | ||
.getSubscriptions() | ||
.forEach( | ||
(name, subscription) -> { | ||
if (!(subscription instanceof PersistentSubscription)) { | ||
return; | ||
} | ||
Map<String, String> subscriptionProperties = subscription.getSubscriptionProperties(); | ||
if (!subscriptionProperties.containsKey("jms.selector")) { | ||
return; | ||
} | ||
FilterContext filterContext = new FilterContext(); | ||
filterContext.setSubscription(subscription); | ||
filterContext.setMsgMetadata(messageMetadata); | ||
filterContext.setConsumer(null); | ||
Entry entry = null; // we would need the Entry only in case of batch messages | ||
EntryFilter.FilterResult filterResult = filter.filterEntry(entry, filterContext); | ||
if (filterResult == EntryFilter.FilterResult.REJECT) { | ||
String property = "filter-result-" + name + "@" + subscription.getTopicName(); | ||
publishContext.setProperty(property, filterResult); | ||
publishContext.setProperty(JMS_FILTERED_PROPERTY, true); | ||
} | ||
}); | ||
} | ||
|
||
@Override | ||
public void messageProduced( | ||
ServerCnx cnx, | ||
Producer producer, | ||
long startTimeNs, | ||
long ledgerId, | ||
long entryId, | ||
Topic.PublishContext publishContext) { | ||
if (!enabled || publishContext.getProperty(JMS_FILTERED_PROPERTY) == null) { | ||
return; | ||
} | ||
producer | ||
.getTopic() | ||
.getSubscriptions() | ||
.forEach( | ||
(name, subscription) -> { | ||
String property = "filter-result-" + name + "@" + subscription.getTopicName(); | ||
EntryFilter.FilterResult filterResult = | ||
(EntryFilter.FilterResult) publishContext.getProperty(property); | ||
if (filterResult == EntryFilter.FilterResult.REJECT) { | ||
if (log.isDebugEnabled()) { | ||
log.debug("Reject message {}:{} for subscription {}", ledgerId, entryId, name); | ||
} | ||
// ir is possible that calling this method in this thread may affect performance | ||
// let's keep it simple for now, we can optimize it later | ||
subscription.acknowledgeMessage( | ||
Collections.singletonList(new PositionImpl(ledgerId, entryId)), | ||
CommandAck.AckType.Individual, | ||
null); | ||
} | ||
Comment on lines
+125
to
+131
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. I'm pretty sure acknowledging the message should be fast. It might get slowed down by synchronization, but I would expect the pre-filtering to be the thing that is most disruptive. |
||
}); | ||
} | ||
|
||
@Override | ||
public void close() { | ||
filter.close(); | ||
} | ||
|
||
@Override | ||
public void onPulsarCommand(BaseCommand command, ServerCnx cnx) throws InterceptException {} | ||
|
||
@Override | ||
public void onConnectionClosed(ServerCnx cnx) {} | ||
|
||
@Override | ||
public void onWebserviceRequest(ServletRequest request) | ||
throws IOException, ServletException, InterceptException {} | ||
|
||
@Override | ||
public void onWebserviceResponse(ServletRequest request, ServletResponse response) | ||
throws IOException, ServletException {} | ||
} |
3 changes: 3 additions & 0 deletions
3
pulsar-jms-filters/src/main/resources/META-INF/services/broker_interceptor.yml
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,3 @@ | ||
interceptorClass: com.datastax.oss.pulsar.jms.selectors.JMSPublishFilters | ||
name: jms-publish-filters | ||
description: Starlight for JMS - support for server side filters on the publish path |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
128 changes: 128 additions & 0 deletions
128
pulsar-jms/src/test/java/com/datastax/oss/pulsar/jms/JMSPublishFiltersTest.java
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,128 @@ | ||
/* | ||
* Copyright DataStax, Inc. | ||
* | ||
* Licensed under the Apache License, Version 2.0 (the "License"); | ||
* you may not use this file except in compliance with the License. | ||
* You may obtain a copy of the License at | ||
* | ||
* http://www.apache.org/licenses/LICENSE-2.0 | ||
* | ||
* Unless required by applicable law or agreed to in writing, software | ||
* distributed under the License is distributed on an "AS IS" BASIS, | ||
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||
* See the License for the specific language governing permissions and | ||
* limitations under the License. | ||
*/ | ||
package com.datastax.oss.pulsar.jms; | ||
|
||
import static org.junit.jupiter.api.Assertions.assertEquals; | ||
import static org.junit.jupiter.api.Assertions.assertNull; | ||
|
||
import com.datastax.oss.pulsar.jms.utils.PulsarContainerExtension; | ||
import java.util.HashMap; | ||
import java.util.Map; | ||
import java.util.UUID; | ||
import javax.jms.MessageProducer; | ||
import javax.jms.Queue; | ||
import javax.jms.TextMessage; | ||
import lombok.extern.slf4j.Slf4j; | ||
import org.apache.pulsar.client.api.SubscriptionType; | ||
import org.apache.pulsar.common.policies.data.SubscriptionStats; | ||
import org.apache.pulsar.common.policies.data.TopicStats; | ||
import org.junit.jupiter.api.Test; | ||
import org.junit.jupiter.api.TestInstance; | ||
import org.junit.jupiter.api.extension.RegisterExtension; | ||
|
||
@Slf4j | ||
@TestInstance(TestInstance.Lifecycle.PER_CLASS) | ||
public class JMSPublishFiltersTest { | ||
|
||
@RegisterExtension | ||
static PulsarContainerExtension pulsarContainer = | ||
new PulsarContainerExtension() | ||
.withEnv("PULSAR_PREFIX_transactionCoordinatorEnabled", "false") | ||
.withEnv("PULSAR_PREFIX_brokerInterceptorsDirectory", "/pulsar/interceptors") | ||
.withEnv("PULSAR_PREFIX_brokerInterceptors", "jms-publish-filters") | ||
.withEnv("PULSAR_PREFIX_jmsApplyFiltersOnPublish", "true") | ||
.withLogContainerOutput(true); | ||
|
||
private Map<String, Object> buildProperties() { | ||
Map<String, Object> properties = pulsarContainer.buildJMSConnectionProperties(); | ||
properties.put("jms.useServerSideFiltering", true); | ||
properties.put("jms.enableClientSideEmulation", false); | ||
|
||
Map<String, Object> producerConfig = new HashMap<>(); | ||
producerConfig.put("batchingEnabled", false); | ||
properties.put("producerConfig", producerConfig); | ||
return properties; | ||
} | ||
|
||
@Test | ||
public void sendMessageReceiveFromQueue() throws Exception { | ||
Map<String, Object> properties = buildProperties(); | ||
|
||
String topicName = "persistent://public/default/test-" + UUID.randomUUID(); | ||
try (PulsarConnectionFactory factory = new PulsarConnectionFactory(properties); ) { | ||
try (PulsarConnection connection = factory.createConnection()) { | ||
connection.start(); | ||
try (PulsarSession session = connection.createSession(); ) { | ||
Queue destination = session.createQueue(topicName); | ||
|
||
try (PulsarMessageConsumer consumer1 = session.createConsumer(destination); ) { | ||
assertEquals( | ||
SubscriptionType.Shared, ((PulsarMessageConsumer) consumer1).getSubscriptionType()); | ||
|
||
String newSelector = "lastMessage=TRUE"; | ||
Map<String, String> subscriptionProperties = new HashMap<>(); | ||
subscriptionProperties.put("jms.selector", newSelector); | ||
subscriptionProperties.put("jms.filtering", "true"); | ||
|
||
pulsarContainer | ||
.getAdmin() | ||
.topics() | ||
.updateSubscriptionProperties(topicName, "jms-queue", subscriptionProperties); | ||
|
||
try (MessageProducer producer = session.createProducer(destination); ) { | ||
for (int i = 0; i < 10; i++) { | ||
TextMessage textMessage = session.createTextMessage("foo-" + i); | ||
if (i == 9) { | ||
textMessage.setBooleanProperty("lastMessage", true); | ||
} | ||
producer.send(textMessage); | ||
} | ||
} | ||
|
||
TextMessage textMessage = (TextMessage) consumer1.receive(); | ||
assertEquals("foo-9", textMessage.getText()); | ||
|
||
assertEquals(1, consumer1.getReceivedMessages()); | ||
assertEquals(0, consumer1.getSkippedMessages()); | ||
|
||
// no more messages | ||
assertNull(consumer1.receiveNoWait()); | ||
|
||
// ensure that the filter didn't reject any message while dispatching to the consumer | ||
// because the filter has been already applied on the write path | ||
TopicStats stats = pulsarContainer.getAdmin().topics().getStats(topicName); | ||
SubscriptionStats subscriptionStats = stats.getSubscriptions().get("jms-queue"); | ||
assertEquals(subscriptionStats.getFilterProcessedMsgCount(), 1); | ||
assertEquals(subscriptionStats.getFilterRejectedMsgCount(), 0); | ||
assertEquals(subscriptionStats.getFilterAcceptedMsgCount(), 1); | ||
} | ||
|
||
// create a message that doesn't match the filter | ||
// verify that the back log is accurate (0) | ||
|
||
try (MessageProducer producer = session.createProducer(destination); ) { | ||
TextMessage textMessage = session.createTextMessage("backlog"); | ||
producer.send(textMessage); | ||
|
||
TopicStats stats = pulsarContainer.getAdmin().topics().getStats(topicName); | ||
SubscriptionStats subscriptionStats = stats.getSubscriptions().get("jms-queue"); | ||
assertEquals(0, subscriptionStats.getMsgBacklog()); | ||
} | ||
} | ||
} | ||
} | ||
} | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
A follow up optimization can use these fields to skip the post filtering step.