Spring Cloud构建微服务之五 使用Feign做负载均衡

前面介绍了Ribbon来做服务负载均衡,下面介绍Feign做负载均衡。Feign中也使用Ribbon。
Feign是一个声明式的Web Service客户端,它使得编写Web Serivce客户端变得更加简单。只需要使用Feign来创建一个接口并用注解来配置它既可。它具备可插拔的注解支持,包括Feign注解和JAX-RS注解。Feign也支持可插拔的编码器和解码器。Spring Cloud为Feign增加了对Spring MVC注解的支持,还整合了Ribbon和Eureka来提供均衡负载的HTTP客户端实现。

通过一个例子来实验Feign如何方便的声明对person-service服务的定义和调用。

创建一个Spring Boot工程,配置pom.xml,将上述的配置中的ribbon依赖替换成feign的依赖即可,具体如下:


        UTF-8
        UTF-8
        1.8
        Dalston.RELEASE
    

    
        
            org.springframework.cloud
            spring-cloud-starter-eureka
        
        
            org.springframework.cloud
            spring-cloud-starter-feign
        
        
            org.springframework.boot
            spring-boot-starter-web
        

        
            org.springframework.boot
            spring-boot-starter-test
            test
        
    

    
        
            
                org.springframework.cloud
                spring-cloud-dependencies
                ${spring-cloud.version}
                pom
                import
            
        
    

通过@EnableFeignClients注解开启Feign功能,代码如下:

@SpringBootApplication
@EnableDiscoveryClient
@EnableFeignClients
public class EurekaFeignApplication {

    public static void main(String[] args) {
        SpringApplication.run(EurekaFeignApplication.class, args);
    }
}

定义person-service服务的接口:

@FeignClient(value = "person-service")
public interface PersonClient {
    @RequestMapping(method = RequestMethod.GET, value = "/person")
    String person(@RequestParam(value = "firstname") String firstname, @RequestParam(value = "lastname") String lastname);
}

使用@FeignClient("person-service")注解来绑定该接口对应person-service服务
通过Spring MVC的注解来配置person-service服务下的具体实现。

在web层中调用上面定义的PersonClient,代码如下:

@RestController
public class ConsumerController {

    @Autowired
    PersonClient personClient;
    @RequestMapping(value = "/person", method = RequestMethod.GET)
    public String add() {
        return personClient.person("William", "Sun");
    }
}

在application.properties,指定eureka服务注册中心,如:

spring.application.name=feign-consumer
server.port=5555
eureka.client.serviceUrl.defaultZone=http://localhost:1111/eureka/

启动该应用,访问几次:http://localhost:5555/person
再观察日志,可以得到之前使用Ribbon时一样,对服务提供方实现了均衡负载。
通过Feign以接口和注解配置的方式,轻松实现了对person-service服务的绑定,就可以在本地应用中像本地服务一下的调用它,并且做到了客户端均衡负载。
完整示例可参考:eureka-feign

你可能感兴趣的:(Spring Cloud构建微服务之五 使用Feign做负载均衡)