微服务的服务消费,一般是使用 feign 和 rebion 调用服务提供,进行服务的消费,本文将实战使用代码讲解服务的消费。
创建一个 springboot 项目,springboot 是将服务进行拆分的一个最小服务单位。
<dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-web</artifactId> </dependency> <dependency> <groupId>org.springframework.cloud</groupId> <artifactId>spring-cloud-starter-alibaba-nacos-discovery</artifactId> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-test</artifactId> <scope>test</scope> </dependency>
<dependency> <groupId>org.springframework.cloud</groupId> <artifactId>spring-cloud-starter-netflix-ribbon</artifactId> </dependency>
<dependency> <groupId>org.springframework.cloud</groupId> <artifactId>spring-cloud-starter-openfeign</artifactId> </dependency>
feign依赖包含rebion依赖,如果想同时使用 feign 和 rebion 依赖,只需要引用feign 即可。
spring: cloud: nacos: discovery: server-addr: 127.0.0.1:8848
@SpringBootApplication //将服务注册到注册中心 @EnableDiscoveryClient //扫描和注册feign客户端bean定义 @EnableFeignClients public class NacosConsumeApplication { public static void main(String[] args) { SpringApplication.run(NacosConsumeApplication.class, args); } }
其中 @EnableDiscoveryClient 将服务注册到注册中心,@EnableFeignClients 扫描和注册feign客户端bean定义。fegin bean定义是 @FeignClient。
@FeignClient(value = "service-provider") public interface ProductClient { @GetMapping("/hello") String product(@RequestParam("name") String name); }
这里 @FeignClient 就是创建bean 给 @EnableFeignClients 扫描的注册。 @FeignClient 里面的配置 value 对应的是服务提供者的服务名称,@GetMapping里面的value对应服务提供者的 @GetMapping 路径。
这样做的好处是这里直接配置好路径和服务名称,不需要调用方做任何的配置。
@RestController public class FeignController { //这个错误是编译器问题。 因为这个Bean是在程序启动的时候注入的,编译器感知不到,所以报错。 @Autowired private ProductClient productClient; @GetMapping("/feign") public String feign(String name){ return productClient.product(name); } }
@Configuration public class RibbonConfig { @LoadBalanced @Bean public RestTemplate restTemplate(){ return new RestTemplate(); } }
@RestController public class RibbonController { @Autowired private RestTemplate restTemplate; @GetMapping("/ribbon") public String ribbon(String name){ String result = restTemplate.getForObject("http://service-provider/hello?name="+name,String.class); return result; } }