Hystrix 是 Netflix 开发的一个用于处理分布式系统中延迟和故障的库。它通过添加延迟容忍性和容错性来防止整个分布式系统出现雪崩效应。

要在 Java 中使用 Hystrix,您需要遵循以下步骤:

  1. 添加 Hystrix 依赖
    pom.xml 文件中,添加 Hystrix 依赖:
<dependency>
    <groupId>com.netflix.hystrix</groupId>
    <artifactId>hystrix-core</artifactId>
    <version>1.5.18</version>
</dependency>
  1. 创建 Hystrix Command
    对于您想要保护的每个远程资源或服务调用,您都应该创建一个 Hystrix Command。这通常是通过扩展 HystrixCommand 类或 HystrixObservableCommand 类来实现的。
    例如,如果您有一个简单的服务调用来获取用户数据,您可以创建一个如下的 Hystrix Command:
import com.netflix.hystrix.HystrixCommand;
import com.netflix.hystrix.HystrixCommandGroupKey;

public class GetUserCommand extends HystrixCommand<User> {
    private final int userId;

    public GetUserCommand(int userId) {
        super(HystrixCommandGroupKey.Factory.asKey("UserGroup"));
        this.userId = userId;
    }

    @Override
    protected User run() throws Exception {
        // 这里是您的实际逻辑,例如服务调用
        return userService.getUserById(userId);
    }

    @Override
    protected User getFallback() {
        // 在这里提供回退机制,例如返回默认用户或 null
        return null;
    }
}
  1. 使用 Hystrix Command
    使用您的 Hystrix Command 只需简单地创建其实例并调用 execute()queue() 方法。
GetUserCommand command = new GetUserCommand(12345);
User user = command.execute();  // 同步执行
// or
Future<User> userFuture = command.queue();  // 异步执行
  1. 配置
    Hystrix 具有大量的配置选项,使您可以调整断路器的行为、隔离策略、超时等。这些配置通常通过 HystrixCommandProperties 进行。
    例如,为了设置超时,你可以这样:
import com.netflix.hystrix.HystrixCommandProperties;

public GetUserCommand(int userId) {
    super(Setter.withGroupKey(HystrixCommandGroupKey.Factory.asKey("UserGroup"))
                .andCommandPropertiesDefaults(HystrixCommandProperties.Setter()
                    .withExecutionTimeoutInMilliseconds(5000)));  // 5秒的超时
    this.userId = userId;
}
  1. 监控
    Hystrix 提供了一个名为 Hystrix Dashboard 的监控工具,允许你实时监控你的断路器、请求的成功率、延迟等。为了使用它,您需要添加更多的依赖项并配置。

上面的步骤为您提供了使用 Hystrix 的基础知识。确保查看 Hystrix 的官方文档,以深入了解其所有功能和配置选项。