Skip to content
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

Invoke onSuccess and onFailure handlers properly for async methods #181

Closed
wants to merge 5 commits into from
Closed
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
Original file line number Diff line number Diff line change
Expand Up @@ -35,6 +35,17 @@ public interface InvocationEventHandler<C extends InvocationContext> {
*/
boolean isEnabled();

/**
* Returns true if this event handler instance is able to support asynchronous method invocations by being invoked
* on another thread. A handler that relies on {@link ThreadLocal} state, for example, will not be able to support
* async operations.
*
* @return true if the handler supports async operations
*/
default boolean asyncSupport() {
return false;
}

/**
* Invoked before invoking the method on the instance.
*
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -51,6 +51,16 @@ public static InvocationEventHandler<InvocationContext> of(
}
}

@Override
public boolean asyncSupport() {
for (InvocationEventHandler<?> handler : handlers) {
if (!handler.asyncSupport()) {
return false;
}
}
return true;
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Tritium bundles all handlers together using the composite handler, I think this will disable async support if the tracing handler is enabled.

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I not sure CompositeInvocationEventHandler is the right abstraction for InvocationEventProxy any longer given this change.

}

@Override
public InvocationContext preInvocation(Object instance, Method method, Object[] args) {
InvocationContext[] contexts = new InvocationContext[handlers.size()];
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -19,6 +19,10 @@
import static com.google.common.base.Preconditions.checkNotNull;

import com.google.common.reflect.AbstractInvocationHandler;
import com.google.common.util.concurrent.FutureCallback;
import com.google.common.util.concurrent.Futures;
import com.google.common.util.concurrent.ListenableFuture;
import com.google.common.util.concurrent.MoreExecutors;
import com.google.errorprone.annotations.CompileTimeConstant;
import com.palantir.logsafe.SafeArg;
import com.palantir.logsafe.UnsafeArg;
Expand All @@ -32,6 +36,8 @@
import java.lang.reflect.Method;
import java.util.Arrays;
import java.util.List;
import java.util.concurrent.CompletableFuture;
import java.util.concurrent.CompletionStage;
import javax.annotation.Nullable;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
Expand Down Expand Up @@ -82,13 +88,19 @@ public String toString() {
private boolean isEnabled(Object instance, Method method, Object[] args) {
try {
return eventHandler.isEnabled()
&& filter.shouldInstrument(instance, method, args);
&& filter.shouldInstrument(instance, method, args)
&& (eventHandler.asyncSupport() || !isAsync(method));
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I think we want to remove this line. Tracing doesn't support async operations, but the tracing thread state is passed to executors, which will provide valuable information.

} catch (Throwable t) {
logInvocationWarning("isEnabled", instance, method, args, t);
return false;
}
}

private boolean isAsync(Method method) {
Class<?> returnType = method.getReturnType();
return ListenableFuture.class.isAssignableFrom(returnType)
|| CompletionStage.class.isAssignableFrom(returnType);
}

@Override
@Nullable
Expand Down Expand Up @@ -116,14 +128,53 @@ public final Object instrumentInvocation(Object instance, Method method, Object[
InvocationContext context = handlePreInvocation(instance, method, args);
try {
Object result = execute(method, args);
return handleOnSuccess(context, result);
return handleResult(context, result);
} catch (InvocationTargetException e) {
throw handleOnFailure(context, e.getCause());
} catch (Throwable t) {
throw handleOnFailure(context, t);
}
}

@Nullable
private Object handleResult(InvocationContext context, Object result) {
if (result instanceof ListenableFuture) {
return handleFuture(context, (ListenableFuture) result);
} else if (result instanceof CompletionStage) {
return handleFuture(context, (CompletionStage) result);
} else {
return handleOnSuccess(context, result);
}
}

private CompletionStage<?> handleFuture(InvocationContext context, CompletionStage<?> future) {
future.handleAsync((result, throwable) -> {
if (throwable == null) {
return handleOnSuccess(context, result);
} else {
return handleOnFailure(context, throwable);
}
}, MoreExecutors.directExecutor());

return future;
}

private ListenableFuture<?> handleFuture(InvocationContext context, ListenableFuture<?> future) {
Futures.addCallback(future, new FutureCallback<Object>() {
@Override
public void onSuccess(Object result) {
handleOnSuccess(context, result);
}

@Override
public void onFailure(Throwable throwable) {
handleOnFailure(context, throwable);
}
}, MoreExecutors.directExecutor());

return future;
}

@Nullable
final InvocationContext handlePreInvocation(Object instance, Method method, Object[] args) {
try {
Expand Down
Original file line number Diff line number Diff line change
@@ -0,0 +1,156 @@
/*
* (c) Copyright 2019 Palantir Technologies Inc. All rights reserved.
*
* 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.palantir.tritium.proxy;

import static org.assertj.core.api.Assertions.assertThat;
import static org.mockito.ArgumentMatchers.any;
import static org.mockito.ArgumentMatchers.eq;
import static org.mockito.Mockito.never;
import static org.mockito.Mockito.verify;
import static org.mockito.Mockito.verifyNoMoreInteractions;
import static org.mockito.Mockito.when;

import com.google.common.util.concurrent.ListenableFuture;
import com.google.common.util.concurrent.SettableFuture;
import com.palantir.tritium.event.DefaultInvocationContext;
import com.palantir.tritium.event.InvocationContext;
import com.palantir.tritium.event.InvocationEventHandler;
import java.lang.reflect.Method;
import java.util.concurrent.CompletableFuture;
import java.util.concurrent.ExecutionException;
import org.junit.Before;
import org.junit.Test;
import org.junit.runner.RunWith;
import org.mockito.Mock;
import org.mockito.junit.MockitoJUnitRunner;

@RunWith(MockitoJUnitRunner.class)
public final class AsyncInvocationEventProxyTest {
private static final String result = "Result";

@Mock private AsyncIface delegate;
@Mock private SimpleInvocationEventHandler handler;
private AsyncIface proxy;

@Before
public void before() {
proxy = Instrumentation.builder(AsyncIface.class, delegate)
.withHandler(handler)
.build();
when(handler.isEnabled()).thenCallRealMethod();
when(handler.preInvocation(any(), any(), any())).thenCallRealMethod();
when(handler.asyncSupport()).thenReturn(true);
}

@Test
public void testCfSuccess() throws ExecutionException, InterruptedException {
CompletableFuture<String> future = new CompletableFuture<>();
when(delegate.cf()).thenReturn(future);

CompletableFuture<String> ret = proxy.cf();
assertThat(ret.isDone()).isFalse();
verify(handler, never()).onSuccess(any(), any());

future.complete(result);
assertThat(ret.get()).isEqualTo(result);
verify(handler).onSuccess(any(), eq(result));
}

@Test
public void testCfThrows() {
RuntimeException exception = new RuntimeException();
CompletableFuture<String> future = new CompletableFuture<>();
when(delegate.cf()).thenReturn(future);

CompletableFuture<String> ret = proxy.cf();
assertThat(ret.isDone()).isFalse();
verify(handler, never()).onSuccess(any(), any());

future.completeExceptionally(exception);
assertThat(ret.isCompletedExceptionally()).isTrue();
verify(handler).onFailure(any(), eq(exception));
}

@Test
public void testCf_noAsyncSupport() {
when(handler.asyncSupport()).thenReturn(false);

proxy.cf();

verify(handler).isEnabled();
verify(handler).asyncSupport();
verifyNoMoreInteractions(handler);
}

@Test
public void testLfSuccess() {
SettableFuture<String> future = SettableFuture.create();
when(delegate.lf()).thenReturn(future);

ListenableFuture<String> ret = proxy.lf();
assertThat(ret.isDone()).isFalse();
verify(handler, never()).onSuccess(any(), any());

future.set(result);
assertThat(ret.isDone()).isTrue();
verify(handler).onSuccess(any(), eq(result));
}

@Test
public void testLfThrows() {
RuntimeException exception = new RuntimeException();
SettableFuture<String> future = SettableFuture.create();
when(delegate.lf()).thenReturn(future);

ListenableFuture<String> ret = proxy.lf();
assertThat(ret.isDone()).isFalse();
verify(handler, never()).onFailure(any(), any());

future.setException(exception);
assertThat(ret.isDone()).isTrue();
verify(handler).onFailure(any(), eq(exception));
}

@Test
public void testLf_noAsyncSupport() {
when(handler.asyncSupport()).thenReturn(false);

proxy.lf();

verify(handler).isEnabled();
verify(handler).asyncSupport();
verifyNoMoreInteractions(handler);
}

interface AsyncIface {
CompletableFuture<String> cf();

ListenableFuture<String> lf();
}

interface SimpleInvocationEventHandler extends InvocationEventHandler<InvocationContext> {
@Override
default boolean isEnabled() {
return true;
}

@Override
default InvocationContext preInvocation(Object instance, Method method, Object[] args) {
return DefaultInvocationContext.of(instance, method, args);
}
}
}
Original file line number Diff line number Diff line change
Expand Up @@ -100,6 +100,11 @@ static java.util.function.BooleanSupplier getEnabledSupplier(String serviceName)
return InstrumentationProperties.getSystemPropertySupplier(serviceName);
}

@Override
public boolean asyncSupport() {
return true;
}

@Override
public InvocationContext preInvocation(Object instance, Method method, Object[] args) {
return DefaultInvocationContext.of(instance, method, args);
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -66,6 +66,11 @@ private static BooleanSupplier getEnabledSupplier(final String serviceName) {
return InstrumentationProperties.getSystemPropertySupplier(serviceName);
}

@Override
public boolean asyncSupport() {
return true;
}

@Override
public final InvocationContext preInvocation(Object instance, Method method, Object[] args) {
return DefaultInvocationContext.of(instance, method, args);
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -86,6 +86,11 @@ public LoggingInvocationEventHandler(Logger logger, LoggingLevel level,
this.durationPredicate = checkNotNull(durationPredicate, "durationPredicate");
}

@Override
public boolean asyncSupport() {
return true;
}

@Override
public final InvocationContext preInvocation(Object instance, Method method, Object[] args) {
return DefaultInvocationContext.of(instance, method, args);
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -52,4 +52,9 @@ public void onFailure(@Nullable InvocationContext context, @Nonnull Throwable ca
public boolean isEnabled() {
return isEnabled;
}

@Override
public boolean asyncSupport() {
return isEnabled;
}
}
Original file line number Diff line number Diff line change
Expand Up @@ -50,6 +50,12 @@ static InvocationEventHandler<InvocationContext> create(String component) {
return new RemotingCompatibleTracingInvocationEventHandler(component, createTracer());
}

@Override
public boolean asyncSupport() {
// Cannot support async operations until the Tracing library stops relying on ThreadLocal state
return false;
}

@Override
public InvocationContext preInvocation(Object instance, Method method, Object[] args) {
InvocationContext context = DefaultInvocationContext.of(instance, method, args);
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -61,6 +61,12 @@ public static InvocationEventHandler<InvocationContext> create(String component)
return new TracingInvocationEventHandler(component);
}

@Override
public boolean asyncSupport() {
// Cannot support async operations until the Tracing library stops relying on ThreadLocal state
return false;
}

@Override
public InvocationContext preInvocation(Object instance, Method method, Object[] args) {
InvocationContext context = DefaultInvocationContext.of(instance, method, args);
Expand Down