学习完上一章的同学会有疑问,做为消费者要如何调用服务,上一章虽然以实现此功能,显然这不是我们想要的解决方法,接下来,在这里给大家介绍一种通过注解的方式来解决。
Spring Cloud Feign
Spring Cloud Feign是一套基于Netflix Feign实现的声明式服务调用客户端。它使得编写Web服务客户端变得更加简单。我们只需要通过创建接口并用注解来配置它既可完成对Web服务接口的绑定。它具备可插拔的注解支持,包括Feign注解、JAX-RS注解。它也支持可插拔的编码器和解码器。Spring Cloud Feign还扩展了对Spring MVC注解的支持,同时还整合了Ribbon和Eureka来提供均衡负载的HTTP客户端实现。
下面,我们通过一个例子来展现Feign如何方便的声明对eureka-client服务的定义和调用。
下面的例子,我们将利用之前构建的eureka-server作为服务注册中心、eureka-client作为服务提供者作为基础(https://www.jianshu.com/p/4a68c05bcb84)这里介绍了服务注册中心、服务提供者、消费者的构建方式。而基于Spring Cloud Ribbon实现的消费者,我们可以根据eureka-consumer实现的内容进行简单改在就能完成,具体步骤如下。
添加依赖:
<dependencies>
...
<dependency>
<groupId>org.springframework.cloud</groupId>
<artifactId>spring-cloud-starter-feign</artifactId>
</dependency>
</dependencies>
修改应用主类。通过@EnableFeignClients注解开启扫描Spring Cloud Feign客户端的功能:
package chanzj.eurekaconsumerfeign;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.cloud.client.discovery.EnableDiscoveryClient;
import org.springframework.cloud.netflix.feign.EnableFeignClients;
@EnableFeignClients
@EnableDiscoveryClient
@SpringBootApplication
public class EurekaConsumerFeignApplication {
public static void main(String[] args) {
SpringApplication.run(EurekaConsumerFeignApplication.class, args);
}
}
创建一个Feign的客户端接口定义。使用@FeignClient注解来指定这个接口所要调用的服务名称,接口中定义的各个函数使用Spring MVC的注解就可以来绑定服务提供方的REST接口:
package chanzj.eurekaconsumerfeign.service;
import org.springframework.cloud.netflix.feign.FeignClient;
import org.springframework.web.bind.annotation.GetMapping;
@FeignClient("eureka-client")
public interface DcClient {
@GetMapping("/test")
String test();
}
修改Controller。通过定义的feign客户端来调用服务提供方的接口:
package chanzj.eurekaconsumerfeign.web;
import chanzj.eurekaconsumerfeign.service.DcClient;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RestController;
@RestController
public class DcController {
@Autowired
DcClient dcClient;
@GetMapping("/test")
public String test(){
return dcClient.test();
}
}
通过Spring Cloud Feign来实现服务调用的方式更加简单了,通过@FeignClient定义的接口来统一的生命我们需要依赖的微服务接口。而在具体使用的时候就跟调用本地方法一点的进行调用即可。由于Feign是基于Ribbon实现的,所以它自带了客户端负载均衡功能,也可以通过Ribbon的IRule进行策略扩展。
application.properties配置文件:
spring.application.name=eureka-consumer
server.port=2103
eureka.client.serviceUrl.defaultZone=http://localhost:1002/eureka/
启动项目
访问http://localhost:2103/test
成功!
补:当然我们这里还有一个通过访问url的方式,是利用Ribbon(不常用),有兴趣的朋友可以了解一下。
网友评论