Spring Cloud学习笔记【三】服务消费者Feign

Feign 是一个声明式的 Web Service 客户端,它的目的就是让 Web Service 调用更加简单。它整合了 Ribbon 和 Hystrix,从而让我们不再需要显式地使用这两个组件。Feign 还提供了 HTTP 请求的模板,通过编写简单的接口和插入注解,我们就可以定义好 HTTP 请求的参数、格式、地址等信息。接下来,Feign 会完全代理 HTTP 的请求,我们只需要像调用方法一样调用它就可以完成服务请求。

Feign 具有如下特性:

  • 可插拔的注解支持,包括 Feign 注解和 JAX-RS 注解
  • 支持可插拔的 HTTP 编码器和解码器
  • 支持 Hystrix 和它的 Fallback
  • 支持 Ribbon 的负载均衡
  • 支持 HTTP 请求和响应的压缩

上一篇中已经有服务提供者了,这次我们继续延用不再另写。

创建一个spring start project,添加以下依赖

 <dependencies>
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-web</artifactId>
</dependency>
<dependency>
<groupId>org.springframework.cloud</groupId>
<artifactId>spring-cloud-starter-netflix-eureka-client</artifactId>
</dependency>
<dependency>
<groupId>org.springframework.cloud</groupId>
<artifactId>spring-cloud-starter-openfeign</artifactId>
</dependency>
</dependencies>

配置属性(application.yml)

server:
port: 8083
spring:
application:
name: service-consumer-feign
eureka:
client:
serviceUrl:
defaultZone: http://admin:123456@localhost:8761/eureka/

启动类开启FeignClients

 package com.carry.springcloud;

 import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.cloud.netflix.eureka.EnableEurekaClient;
import org.springframework.cloud.openfeign.EnableFeignClients; @EnableFeignClients
@EnableEurekaClient
@SpringBootApplication
public class ServiceConsumerFeignApplication { public static void main(String[] args) {
SpringApplication.run(ServiceConsumerFeignApplication.class, args);
}
}

创建一个FeignClient接口

 package com.carry.springcloud.api;

 import org.springframework.cloud.openfeign.FeignClient;
import org.springframework.web.bind.annotation.GetMapping; @FeignClient(name = "service-producer")
public interface ConsumerFeignClient { @GetMapping("/getPortInfo")
public String produce();
}

解释:

  • @FeignClient(name="service-producer") 标明feign调用的微服务名称
  • @GetMapping("/getPortInfo") 对应service-producer微服务中的URL

创建一个Controller注入FeignClient并调用服务

 package com.carry.springcloud.controller;

 import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RestController; import com.carry.springcloud.api.ConsumerFeignClient; @RestController
public class ConsumerController { @Autowired
private ConsumerFeignClient feignClient; @GetMapping("/getPoducerInfoByFeign")
public String getPoducerInfoByFeign() {
return feignClient.produce();
} }

测试

Spring Cloud学习笔记【三】服务消费者Feign

上图Eureka中服务提供者以及消费者feign已经注册成功

访问localhost:8083/getPoducerInfoByFeign,出现如下结果

Spring Cloud学习笔记【三】服务消费者Feign

再次访问

Spring Cloud学习笔记【三】服务消费者Feign

结果显示轮询访问8080和8081,访问正常。

上一篇:MVC模式的原理


下一篇:SpringCloud学习系列之二 ----- 服务消费者(Feign)和负载均衡(Ribbon)使用详解