Feign是一个声明式WebService客户端。使用Feign能让编写Web Service客户端更加简单,它的使用方法就是定义一个接口,然后在上面添加注解,同时也支持JAX-RS标准的注解。Feign也支持可插拔式的编码器和解码器。SpringCloud对Feign进行了封装,使其支持了Spring MVC标准注解和HttpMessageConverters。Feign可以与Eureka和Ribbon组合使用以支持负载均衡。
Feign与OpenFeige的区别
OpenFeign的使用
添加pom依赖
<dependency>
<groupId>org.springframework.cloud</groupId>
<artifactId>spring-cloud-starter-openfeign</artifactId>
</dependency>
主启动类
添加@EnableFeignClients注解
@SpringBootApplication
@EnableFeignClients
public class OrderFeignMain80 {
public static void main(String[] args) {
SpringApplication.run(OrderFeignMain80.class);
}
}
定义接口
添加注解@FeignClient(value = "CLOUD-PAYMENT-SERVICE")
package com.bysen.springcloud.service;
import com.bysen.springcloud.po.CommonResult;
import com.bysen.springcloud.po.Payment;
import org.springframework.cloud.openfeign.FeignClient;
import org.springframework.stereotype.Component;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.PathVariable;
@Component
@FeignClient(value = "CLOUD-PAYMENT-SERVICE")
public interface PaymentFeignService {
@GetMapping(value = "/payment/get/{id}")
public CommonResult<Payment> getPaymentById(@PathVariable(value = "id") Long id);
}
在另一个微服务中要有对应方法
超时时间设置
超时演示:在Controller中添加一个方法,使程序等待3秒。
//超时测试
@GetMapping(value = "/payment/feign/timeout")
public String paymentFeignTimeOut(){
try{
TimeUnit.SECONDS.sleep(3);}catch (InterruptedException e){e.printStackTrace();}
return serverPort;
}
此时如果我们直接访问这个它是没有问题的,只是会等待3秒,如果通过另一个微服务去调用它,就会出现
结果:
Feign调用服务的默认时长是1秒钟,也就是如果超过1秒没连接上或者超过1秒没响应,那么会相应的报错。而实际情况是因为业务的不同可能出现超出1秒的情况,这时我们需要调整超时时间。
修改yml文件,添加:
ribbon:
# 请求处理的超时时间
ReadTimeout: 5000
# 请求连接的超时时间 默认的时间为 1 秒
ConnectTimeout: 5000
效果展示
Feign日志:
Feign日志几种类型
- NONE:不记录任何日志(默认)
- BASIC:仅记录请求方法,url,响应状态码和执行时间
- HEADERS:在basic的基础上,记录请求和响应的header
- FULL:记录请求响应的header,body和元数据
首先添加一个配置类
package com.bysen.springcloud.config;
import feign.Logger;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;
@Configuration
public class FeignConfig {
@Bean
Logger.Level feignLoggerLevel(){
return Logger.Level.FULL;
}
}
修改 Feign 的接口, 指定配置类
package com.bysen.springcloud.service;
import com.bysen.springcloud.config.FeignConfig;
import com.bysen.springcloud.po.CommonResult;
import com.bysen.springcloud.po.Payment;
import org.springframework.cloud.openfeign.FeignClient;
import org.springframework.stereotype.Component;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.PathVariable;
@Component
@FeignClient(value = "CLOUD-PAYMENT-SERVICE",configuration = FeignConfig.class)
public interface PaymentFeignService {
@GetMapping(value = "/payment/get/{id}")
public CommonResult<Payment> getPaymentById(@PathVariable(value = "id") Long id);
//测试超时时间
@GetMapping(value = "/payment/feign/timeout")
public String paymentFeignTimeOut();
}
效果: