前言
上一篇 使用Ribbon ,这一节我们聊聊Feign,它自带负载均衡,让我们调用服务可以像调用本地方法一样,通过几个注解搞定。
我们以上一篇的基础改动
依赖
增加依赖
<!-- feign 申明式调用服务客户端,基于ribbon,自带负载均衡 ,只需要定义接口然后申明接口,用接口调用服务-->
<dependency>
<groupId>org.springframework.cloud</groupId>
<artifactId>spring-cloud-starter-feign</artifactId>
</dependency>
启动类
EnableFeignClients 注解是feign 开启,我们的RestTemplate 其实可以不要了,这里有点舍不得去掉,暂且留着吧。
@EnableDiscoveryClient // 将当期应用加入到服务治理体系中
@SpringBootApplication
@MapperScan("com.example.eurekaconsumer.dao")
@EnableFeignClients // 开启扫描feign 客户端
public class EurekaConsumerApplication {
@Bean
@LoadBalanced //ribbon 的组件
public RestTemplate restTemplate() {
return new RestTemplate();
}
public static void main(String[] args) {
// SpringApplication.run(EurekaConsumerApplication.class, args);
new SpringApplicationBuilder(EurekaConsumerApplication.class).web(true).run(args);
}
}
定义Feign 接口
通过显式的声明接口调用服务,把服务绑定到我们本地的接口,需要的时候,将接口注入就可以调用了。
我们定义如下接口
package com.example.eurekaconsumer.feignCilent;
import org.springframework.cloud.netflix.feign.FeignClient;
import org.springframework.web.bind.annotation.GetMapping;
/**
* 创建一个feign客户端接口定义
*/
@FeignClient("eureka-client") // 指定服务名称
public interface RepoClient {
@GetMapping("/productRepo") // 使用springmvc 的注解就可以了
public String productRepo();
}
控制层改动
注入 RepoClient 实例,然后调用方法就可以了
@Controller
@RequestMapping(value = "/order")
public class OrderController {
@Resource
UserMapper userMapper;
@Resource
OrderMapper orderMapper;
@Resource
ProductMapper productMapper;
@Autowired
RestTemplate restTemplate;
@Autowired
RepoClient repoClient;
@Autowired
ConsumerService consumerService;
@RequestMapping(value = "/deal",method = RequestMethod.POST)
public String dealOrder(Model model, @RequestParam("productId") String productId,
@RequestParam("price") String price,@RequestParam("sum") String sum){
Map<String,String> map = new HashMap<>();
map.put("productId",productId);
map.put("sum",sum);
// 调用库存服务,更新库存信
// 第一个阶段:这个地址很特殊,没有端口和ip,而是要调用服务的名称,因为ribbon 有一个拦截器,会用名称选择服务,并且用真是地址和端口替换掉这个
// Object obj = restTemplate.getForObject("http://eureka-client/productRepo",String.class);
// 第二个阶段:使用feign 调用 ,比上边的更好,更简单
String obj = repoClient.productRepo();
System.out.println("调用 http://eureka-client/productRepo 返回结果:"+obj);
// 调用积分服务,更新积分信息(待添加)
// 处理需求购买一个苹果手机,需要 更新库存信息和 个人积分信息
List<ProductInfo> productInfoList = productMapper.selectAll();
model.addAttribute("productInfoList",productInfoList);
return "index";
}
}
done!!