有以下解决方案可用。
返回异常而不是抛出
最直接和肮脏的方法。这看起来有点古怪,因为您必须删除命令,Object
并且有很多类型转换。
Observable<BusinessResponse> observable = new HystrixCommand<Object>() {
@Override
protected Object run() throws Exception {
try {
return doStuff(...);
} catch (BusinessException e) {
return e; // so Hystrix won't treat it as a failure
}
}
})
.observe()
.flatMap(new Func1<Object, Observable<BusinessResponse>>() {
@Override
public Observable<BusinessResponse> call(Object o) {
if (o instanceof BusinessException) {
return Observable.error((BusinessException)o);
} else {
return Observable.just((BusinessResponse)o);
}
}
});
使用 holder 对象来保存结果和异常
这种方法需要引入额外的持有者类(也可以单独用于其他目的)。
class ResultHolder<T, E extends Exception> {
private T result;
private E exception;
public ResultHolder(T result) {
this.result = result;
}
public ResultHolder(E exception) {
if (exception == null) {
throw new IllegalArgumentException("exception can not be null");
}
this.exception = exception;
}
public T get() throws E {
if (exception != null) {
throw exception;
} else {
return result;
}
}
public Observable<T> observe() {
if (exception != null) {
return Observable.error(exception);
} else {
return Observable.just(result);
}
}
@SuppressWarnings("unchecked")
public static <T, E extends Exception> ResultHolder<T, E> wrap(BusinessMethod<T, E> method) {
try {
return new ResultHolder<>(method.call());
} catch (Exception e) {
return new ResultHolder<>((E)e);
}
}
public static <T, E extends Exception> Observable<T> unwrap(ResultHolder<T, E> holder) {
return holder.observe();
}
interface BusinessMethod<T, E extends Exception> {
T call() throws E;
}
}
现在使用它的代码看起来更干净了,唯一的缺点可能是大量的泛型。此外,这种方法在 Java 8 中是最好的,其中 lambdas 和方法引用可用,否则它看起来很笨重。
new HystrixCommand<ResultHolder<BusinessResponse, BusinessException>>() {
@Override
protected ResultHolder<BusinessResponse, BusinessException> run() throws Exception {
return ResultHolder.wrap(() -> doStuff(...));
}
}
.observe()
.flatMap(ResultHolder::unwrap);
使用 HystrixBadRequestException
HystrixBadRequestException
是一种特殊的异常,在断路器和指标方面不会被视为失败。如文档中所示:
与 HystrixCommand 抛出的所有其他异常不同,这不会触发回退,不计入故障指标,因此不会触发断路器。
的实例HystrixBadRequestException
不是由 Hystrix 自己创建的,因此将其用作业务异常的包装器是安全的。但是,原始业务异常仍然需要解包。
new HystrixCommand<BusinessResponse>() {
@Override
protected BusinessResponse run() throws Exception {
try {
return doStuff(...);
} catch (BusinessException e) {
throw new HystrixBadRequestException("Business exception occurred", e);
}
}
}
.observe()
.onErrorResumeNext(e -> {
if (e instanceof HystrixBadRequestException) {
e = e.getCause(); // Unwrap original BusinessException
}
return Observable.error(e);
})