Spring Cloud(05)——Feign使用接口方式调用服务

文章目录

Spring Cloud(05)——Feign使用接口方式调用服务

在上篇博客Spring Cloud(04)——Ribbon介绍和使用中,我们知道在Ribbo中,服务调用是通过Ribbon结合RestTemplate,再指定服务名来实现的,这种方式显然不太符合Java中面向接口编程的习惯,因此就出现了Feign。

1、Feign简介

  • Feign是Netflix开发的声明式、模板化的HTTP客户端, Feign可以帮助我们更快捷、优雅地调用HTTP API。

  • Feign 是一个使用起来更加方便的客户端,它让微服务之间的调用变得更简单了,类似controller调用service,用起来就好像调用本地方法一样,完全感觉不到是调用远程方法。

  • Feign 可以与 Eureka 和 Ribbon 组合使用以支持负载均衡。

2、Feign使用步骤

1、在Restful接口中提供服务,restful接口模块为springcloud-api,该模块在Spring Cloud(02)——搭建Rest服务中已经创建。

服务提供接口:

//提供服务的接口
@FeignClient(value = "SPRINGCLOUD-PROVIDER-DEPT")//Feign会自动寻找名为SPRINGCLOUD-PROVIDER-DEPT的服务
@Repository
public interface DeptFeignClient {

    @PostMapping("/dept/add")
    public boolean add(Dept dept);


    @GetMapping("/dept/queryById/{deptNo}")
    public Dept queryById(@PathVariable("deptNo") Long deptNo);


    @GetMapping("/dept/queryAll")
    List<Dept> queryAll();

}

添加feign依赖

<dependency>
    <groupId>org.springframework.cloud</groupId>
    <artifactId>spring-cloud-starter-feign</artifactId>
    <version>1.4.6.RELEASE</version>
</dependency>

2、为了便于区分feign和ribbon调用服务的区别,仿造服务消费者(ribbon调用)模块,创建一个feign模块:springcloud-consumer-feign。在feign模块中添加添加feign依赖。

controller使用feign客户端:

@RestController
public class DeptConsumerController {

    @Autowired
    private DeptFeignClient deptFeignClient;//基于注解@FeignClient实现


    @RequestMapping("/consumer/dept/add")
    public boolean add(Dept dept){
        return deptFeignClient.add(dept);
    }
    @RequestMapping("/consumer/dept/queryById/{deptNo}")
    public Dept queryById(@PathVariable("deptNo")Long deptNo){
        return deptFeignClient.queryById(deptNo);
    }

    @RequestMapping("consumer/dept/queryAll")
    private List<Dept> queryAll(){
        return deptFeignClient.queryAll();
    }
}

3、在主启动类上添加注解:

@SpringBootApplication
@EnableEurekaClient
@EnableFeignClients(basePackages = {"com.cheng.springcloud"})指定了 FeignClient 接口类所在的包名并开启feign客户端
public class Feign_Dept_Consumer_80 {
    public static void main(String[] args) {
        SpringApplication.run(Feign_Dept_Consumer_80.class,args);
    }
}

4、启动程序测试,发现feign使用了默认了负载均衡策略,轮转策略。这是因为Spring Cloud Feign是基于Netflix feign实现,整合了Spring Cloud Ribbon。

3、feign和ribbon的区别

Ribbon和Feign都是用于调用其他服务的,不过方式不同。

**1.**启动类使用的注解不同,Ribbon用的是@RibbonClient,Feign用的是@EnableFeignClients。

**2.**服务的指定位置不同,Ribbon是在@RibbonClient注解上声明,Feign则是在定义抽象方法的接口中使用@FeignClient声明。

**3.**调用方式不同,

  • Ribbon需要自己构建http请求,模拟http请求然后使用RestTemplate发送给其他服务,步骤相当繁琐。

  • Feign则是在Ribbon的基础上进行了一次改进,采用接口的方式,将需要调用的其他服务的方法定义成抽象方法即可,不需要自己构建http请求。不过要注意的是抽象方法的注解、方法签名要和提供服务的方法完全一致。

上一篇:SpringCloud Feign实现原理源分析


下一篇:【吐血整理】2021网易Java高级面试题及答案