这是本人学习的总结,主要学习资料如下
- 马士兵教育
- 1、Netflix Feign简介
- 2、Open Feign的简单样例
- 2.1、dependency
- 2.2、代码样例
1、Netflix Feign简介
Netfilx Feign
是用来帮助发送远程服务的,它让开发者觉得调用远程服务就像是调用本地方法一样,体验非常丝滑。
但是最终Netflix
决定停止Feign
的维护,转而将其变成一个开源项目,由Spring社区维护,并更名为Open Feign
。
Open Feign
和Netflix Feign
功能上内容基本相同,因为前者是继承后者的缘故,OpenFeign
有着更多更完善的功能。所以现在大家都用Open Feign
。
2、Open Feign的简单样例
Feign
是利用对接口的注解,采用代理的技术来实现无痕远程调用。
所以使用Feign
只需要两个步骤。
- 给启动类加上
@EnableFeignClients
注解,这样项目才能使用Feign
相关的注解或者类。 - 定义接口。之后调用可以直接调用这些接口,像调用本地方法一样。
2.1、dependency
<dependency><groupId>org.springframework.cloud</groupId><artifactId>spring-cloud-starter-openfeign</artifactId>
</dependency>
2.2、代码样例
先给启动加上@EnableFeignClients
。
这次的例子中,调用服务的是order-client
,提供服务的是user-client
。这里的order-client
和user-client
两个名字,是在各自的应用中application.properties
中定义的,spring.application.name=user-client
,用来给本应用取名,方便其他服务发现自己。
@EnableDiscoveryClient
@SpringBootApplication
@EnableFeignClients
public class EurekaOrderClientApplication {public static void main(String[] args) {SpringApplication.run(EurekaOrderClientApplication.class);}
}
之后是定义接口,整个过程就像是定义一个Controller
一样
@FeignClient(name="user-client")
public interface UserFeignClient {@GetMapping("/getUserInfo/{userId}")public String getUser(@PathVariable("userId") String userId);
}
user-client
那边提供的服务接口是这样的
@RestController
public class UserController {@GetMapping("/getUserInfo/{userId}")public String getUser(@PathVariable("userId") String userId) {System.out.println(userId);return "userInfo: {userId: "+ userId +"}";}
}
最后这是调用服务的代码。
@RestController
public class OrderController {@Autowiredprivate UserServiceAPI userServiceAPI;@RequestMapping("createOrder")public String createOrder(String userId) {String userInfo = userServiceAPI.getUserInfo(userId);return "create order successfully, userInfo: " + userInfo;}
}public String getUserInfo(String userId) {return userFeignClient.getUser(7);
}