我在Spring Cloud Hystrix周围玩耍,但遇到这个奇怪的错误,即我的Fallback方法没有被调用。我的控制器在下面。

@Controller
public class DashboardController {

    @LoadBalanced
    @Bean
    public RestTemplate restTemplate(RestTemplateBuilder builder){
        return builder.build();
    }

    @Autowired
    private RestTemplate restTemplate;

    @HystrixCommand(fallbackMethod = "getFareBackup")
    @RequestMapping("/dashboard")
    public String getFareDashboard(Model m) {
        try {
            ResponseEntity<List<BusFare>> responseEntity = restTemplate.exchange("http://busfare-service/api/v1/fare/",
                    HttpMethod.GET, null, new ParameterizedTypeReference<List<BusFare>>() {
                    });
            m.addAttribute("fareList", responseEntity.getBody());
        } catch (Exception e) {
            e.printStackTrace();
        }
        return "dashboard";
    }


    public String getFareBackup(Model m){
        System.out.println("Fallback operation called");

        m.addAttribute("fareList", new ArrayList<BusFare>().add(new BusFare(1, BigDecimal.valueOf(0.7), "Regular")));
        return "dashboard";
    }

}


如您所见,我正确设置了fallbackMethod,但是,当我运行服务器并将浏览器指向端点时,出现了一个异常,说我的服务器已关闭,因为我知道当我的服务关闭时,它应该调用fallbackMethod,但就我而言并非如此,我的fallbackMethod基本上没有被调用。


  java.lang.IllegalStateException:没有实例可用于公交服务


我的代码中缺少什么?

最佳答案

好像我喜欢,Hystrix通过errorHandling处理这个fallbackMethod。错误处理导致我的代码混乱,从而导致无法调用我的后备广告。

@HystrixCommand(fallbackMethod = "getFareBackup")
@RequestMapping("/dashboard")
public String getFareDashboard(Model m) {

    ResponseEntity<List<BusFare>> responseEntity = restTemplate.exchange("http://busfare-service/api/v1/fare/",
                HttpMethod.GET, null, new ParameterizedTypeReference<List<BusFare>>() {
                });

    m.addAttribute("fareList", responseEntity.getBody());

    return "dashboard";
}


使用上面的代码,fallbackMethod现在可以正常工作。

10-06 08:54