如何系列 如何玩转远程调用之OpenFegin+SpringBoot(非Cloud)

文章目录

    • 简介
    • 原生Fegin示例
      • 基础
      • 契约
      • 日志
      • 重试
      • 编码器/解码器
        • 自定义解码器
      • 请求拦截器
      • 响应拦截器
      • 表单文件上传支持
      • 错误解码器
      • 断路器
      • 指标metrics
      • 客户端
    • 配合SpringBoot(阶段一)
    • 配合SpringBoot(阶段二)
      • 1.EnableLakerFeignClients
      • 2.LakerFeignClientsRegistrar
      • 3.LakerFeignClientFactoryBean
      • 4.LakerFeignClient
      • 5.FeginConfig
      • 使用示例
    • 参考

简介

市面上都是 Spring Cloud + openfeign

想搞个Spring(boot) + openfeign

Github: https://github.com/OpenFeign/feign

Feign 10.x 及更高版本基于 Java 8 构建,应该适用于 Java 9、10 和 11。对于需要 JDK 6 兼容性的用户,请使用 Feign 9.x

功能图

架构图

img

依赖

<dependency><groupId>io.github.openfeign</groupId><artifactId>feign-core</artifactId><version>13.0</version>
</dependency>

原生Fegin示例

基础

// 1.定义接口
interface GitHub {@RequestLine("GET /repos/{owner}/{repo}/contributors")List<Contributor> contributors(@Param("owner") String owner, @Param("repo") String repo);@RequestLine("POST /repos/{owner}/{repo}/issues")void createIssue(Issue issue, @Param("owner") String owner, @Param("repo") String repo);}// 测试
public class MyApp {public static void main(String... args) {GitHub github = Feign.builder().logLevel(Logger.Level.FULL).options(new Request.Options(Duration.ofSeconds(2), Duration.ofSeconds(5), true)).encoder(new JacksonEncoder()).decoder(new JacksonDecoder()).target(GitHub.class, "https://api.github.com");List<Contributor> contributors = github.contributors("OpenFeign", "feign");for (Contributor contributor : contributors) {System.out.println(contributor.login + " (" + contributor.contributions + ")");}}
}

原生注解@RequestLine有额外的理解成本,我们一般不会使用

契约

从10.5.0版本开始提供了feign-spring4,来适配spring注解。
使用spring注解需要将contract契约设置为SpringContract。

<dependency><groupId>io.github.openfeign</groupId><artifactId>feign-spring4</artifactId><version>13.0</version>
</dependency>

Feign 仅支持处理 java 接口(不支持抽象类或具体类)

方法注解

  • @RequestMapping
  • @GetMapping
  • @PostMapping
  • @PutMapping
  • @DeleteMapping
  • @PatchMapping

参数注解

  • @PathVariable
  • @RequestParam
interface GitHub {@GetMapping("/repos/{owner}/{repo}/contributors") //改变List<Contributor> contributors(@PathVariable("owner") String owner, @PathVariable("repo") String repo);@PostMapping("/repos/{owner}/{repo}/issues") //改变void createIssue(Issue issue, @PathVariable("owner") String owner, @PathVariable("repo") String repo);
}
public class MyApp {public static void main(String... args) {GitHub github = Feign.builder().logLevel(Logger.Level.FULL).contract(new SpringContract()) // 这里 SpringContract.options(new Request.Options(Duration.ofSeconds(2), Duration.ofSeconds(5), true)).encoder(new JacksonEncoder()).decoder(new JacksonDecoder()).target(GitHub.class, "https://api.github.com");List<Contributor> contributors = github.contributors("OpenFeign", "feign");for (Contributor contributor : contributors) {System.out.println(contributor.login + " (" + contributor.contributions + ")");}}
}

日志

<dependency><groupId>io.github.openfeign</groupId><artifactId>feign-sl4j</artifactId><version>13.0</version>
</dependency>

SLF4JModule允许将 Feign 的日志记录定向到SLF4J,允许您轻松使用选择的日志记录记录(Logback、Log4J 等)

相当于 SLF4J 与 Feign 一起使用,满足 SLF4J 模块和您选择的 SLF4J 绑定添加到您的类路径中。然后,配置 Feign 使用 Slf4jLogger:

public class Example {public static void main(String[] args) {GitHub github = Feign.builder().logger(new Slf4jLogger()).logLevel(Level.FULL).target(GitHub.class, "https://api.github.com");}
}

重试

默认情况下,Feign会自动重试IOExceptions,无论HTTP方法如何,都将其视为临时的与网络相关的异常,并重试从ErrorDecoder中抛出的任何RetryableException。要自定义此行为,请通过构建器注册自定义的Retryer实例。

以下示例展示了如何在收到401响应时使用ErrorDecoder和Retryer来刷新令牌并进行重试。

public class Example {public static void main(String[] args) {var github = Feign.builder().decoder(new GsonDecoder()).retryer(new MyRetryer(100, 3)).errorDecoder(new MyErrorDecoder()).target(Github.class, "https://api.github.com");var contributors = github.contributors("foo", "bar", "invalid_token");for (var contributor : contributors) {System.out.println(contributor.login + " " + contributor.contributions);}}static class MyErrorDecoder implements ErrorDecoder {private final ErrorDecoder defaultErrorDecoder = new Default();@Overridepublic Exception decode(String methodKey, Response response) {// wrapper 401 to RetryableException in order to retryif (response.status() == 401) {return new RetryableException(response.status(), response.reason(), response.request().httpMethod(), null, response.request());}return defaultErrorDecoder.decode(methodKey, response);}}static class MyRetryer implements Retryer {private final long period;private final int maxAttempts;private int attempt = 1;public MyRetryer(long period, int maxAttempts) {this.period = period;this.maxAttempts = maxAttempts;}@Overridepublic void continueOrPropagate(RetryableException e) {if (++attempt > maxAttempts) {throw e;}if (e.status() == 401) {// remove Authorization first, otherwise Feign will add a new Authorization header// cause github responses a 400 bad requeste.request().requestTemplate().removeHeader("Authorization");e.request().requestTemplate().header("Authorization", "Bearer " + getNewToken());try {Thread.sleep(period);} catch (InterruptedException ex) {throw e;}} else {throw e;}}// Access an external api to obtain new token// In this example, we can simply return a fixed token to demonstrate how Retryer worksprivate String getNewToken() {return "newToken";}@Overridepublic Retryer clone() {return new MyRetryer(period, maxAttempts);}
}

Retryers负责通过从方法continueOrPropagate(RetryableException e)返回true或false来确定是否应该进行重试;如果需要,将为每个Client执行创建一个Retryer实例,以便在每个请求之间维护状态。

如果决定重试不成功,将抛出最后一个RetryException。要抛出导致重试不成功的原始原因,请使用exceptionPropagationPolicy()选项构建您的Feign客户端。

编码器/解码器

  • GSON
  • Jackson
  • Moshi
  • SOAP
<dependency><groupId>io.github.openfeign</groupId><artifactId>feign-jackson</artifactId><version>13.0</version>
</dependency><dependency><groupId>io.github.openfeign</groupId><artifactId>feign-gson</artifactId><version>13.0</version>
</dependency>
public class Example {public static void main(String[] args) {GitHub github = Feign.builder().encoder(new JacksonEncoder()).decoder(new JacksonDecoder()).target(GitHub.class, "https://api.github.com");}
}
自定义解码器
public class MyJacksonDecoder extends JacksonDecoder {@Overridepublic Object decode(Response response, Type type) throws IOException {if (response.body() == null) {return null;}if (type == String.class) {return StreamUtils.copyToString(response.body().asInputStream(), StandardCharsets.UTF_8);}return super.decode(response, type);}
}

请求拦截器

当您需要更改所有请求时,无论其目标是什么,您都需要配置一个RequestInterceptor. 例如,如果您充当中介,您可能想要传播标X-Forwarded-For头。

static class ForwardedForInterceptor implements RequestInterceptor {@Override public void apply(RequestTemplate template) {template.header("X-Forwarded-For", "origin.host.com");}
}public class Example {public static void main(String[] args) {Bank bank = Feign.builder().decoder(accountDecoder).requestInterceptor(new ForwardedForInterceptor()).target(Bank.class, "https://api.examplebank.com");}
}

响应拦截器

如果您需要将错误视为成功并返回结果而不是发送异常,那么您可以使用ResponseInterceptor

例如,Feign 包含一个简单的RedirectionInterceptor可用于从重定向响应中提取位置标头。

public interface Api {// returns a 302 response@RequestLine("GET /location")String location();
}public class MyApp {public static void main(String[] args) {// Configure the HTTP client to ignore redirectionApi api = Feign.builder().options(new Options(10, TimeUnit.SECONDS, 60, TimeUnit.SECONDS, false)).responseInterceptor(new RedirectionInterceptor()).target(Api.class, "https://redirect.example.com");}
}

表单文件上传支持

<dependency><groupId>io.github.openfeign.form</groupId><artifactId>feign-form</artifactId>
</dependency>

错误解码器

ErrorDecoder如果您需要更多地控制处理意外响应,Feign 实例可以通过构建器注册自定义。

public class Example {public static void main(String[] args) {MyApi myApi = Feign.builder().errorDecoder(new MyErrorDecoder()).target(MyApi.class, "https://api.hostname.com");}
}

所有导致 HTTP 状态不在 2xx 范围内的响应都将触发ErrorDecodersdecode方法,允许您处理响应、将失败包装到自定义异常中或执行任何其他处理。如果您想再次重试请求,请抛出RetryableException. 这将调用注册的 Retryer.

断路器

<dependency><groupId>io.github.openfeign</groupId><artifactId>feign-hystrix</artifactId><version>13.0</version>
</dependency>

HystrixFeign配置Hystrix提供的断路器支持。

要将 Hystrix 与 Feign 一起使用,请将 Hystrix 模块添加到类路径中。然后使用HystrixFeign构建器:

public class Example {public static void main(String[] args) {MyService api = HystrixFeign.builder().target(MyFeignClient.class, "http://remote-service-url", new MyFeignClientFallbackFactory());}
}interface GitHub {@GetMapping("/repos/{owner}/{repo}/contributors")List<Contributor> contributors(@PathVariable("owner") String owner, @PathVariable("repo") String repo);}    public class MyFeignClientFallbackFactory implements FallbackFactory<GitHub> {@Overridepublic GitHub create(Throwable cause) {return new GitHub() {@Overridepublic List<Contributor> contributors(String owner, String repo) {return new ArrayList<>(); // 回退逻辑,可以返回默认值或错误消息}};}
}

对于异步或反应式使用,返回HystrixCommand<YourType>CompletableFuture<YourType>

上面配置callback使用

设置超时等

  1. 熔断器配置:你可以设置熔断器的相关属性,如 circuitBreakerErrorThresholdPercentagecircuitBreakerSleepWindowInMillisecondscircuitBreakerRequestVolumeThreshold 等,以控制熔断器的行为。
  2. 线程池配置:如果你在 Hystrix 命令中使用了线程池隔离,你可以设置线程池的相关属性,如 coreSizemaxQueueSizekeepAliveTimeMinutes 等。
  3. 超时属性:除了设置总的执行超时时间,你还可以设置 executionTimeoutEnabledexecutionIsolationStrategy 等超时相关属性。
  4. 命令名和组名:你可以自定义命令的名称和分组名称,通过 andCommandKeyandCommandGroup 方法来设置。
  5. 并发属性:你可以设置命令执行的并发性相关属性,如 executionIsolationSemaphoreMaxConcurrentRequests
public class MyApp {public static void main(String... args) {GitHub github = HystrixFeign.builder().logLevel(Logger.Level.FULL)// 设置超时等.setterFactory((target, method) -> HystrixCommand.Setter.withGroupKey(HystrixCommandGroupKey.Factory.asKey(target.name())).andCommandKey(HystrixCommandKey.Factory.asKey(method.getName())).andCommandPropertiesDefaults(HystrixCommandProperties.Setter().withExecutionTimeoutInMilliseconds(5000) // 设置执行超时时间.withCircuitBreakerRequestVolumeThreshold(20) // 设置熔断器请求数阈值.withCircuitBreakerSleepWindowInMilliseconds(10000) // 设置熔断器休眠窗口).andThreadPoolPropertiesDefaults(HystrixThreadPoolProperties.Setter().withCoreSize(10) // 设置线程池核心大小.withMaxQueueSize(100) // 设置线程池队列大小)).contract(new SpringContract()).options(new Request.Options(Duration.ofSeconds(2), Duration.ofSeconds(5), true)).encoder(new JacksonEncoder()).decoder(new JacksonDecoder()).target(GitHub.class, "https://api.github.com", new MyFeignClientFallbackFactory());List<Contributor> contributors = github.contributors("OpenFeign", "feign");for (Contributor contributor : contributors) {System.out.println(contributor.login + " (" + contributor.contributions + ")");}}
}

指标metrics

默认情况下,feign不会收集任何指标。

但是,可以向任何假客户端添加指标收集功能。

指标功能提供了一流的指标API,用户可以利用该API来深入了解请求/响应生命周期。

<dependency><groupId>io.github.openfeign</groupId><artifactId>feign-micrometer</artifactId><version>13.0</version>
</dependency>
public class MyApp {public static void main(String[] args) {GitHub github = Feign.builder().addCapability(new MicrometerCapability()).target(GitHub.class, "https://api.github.com");github.contributors("OpenFeign", "feign");// metrics will be available from this point onwards}
}

Hystrix指标监控

hystrix.execution{event=failure,group=https://api.github.com,key=contributors,terminal=false} throughput=0.033333/s
hystrix.execution{event=fallback_missing,group=https://api.github.com,key=contributors,terminal=true} throughput=0.033333/s
hystrix.execution{event=exception_thrown,group=https://api.github.com,key=contributors,terminal=false} throughput=0.033333/s
hystrix.execution.terminal{group=https://api.github.com,key=contributors} throughput=0.033333/s
hystrix.threadpool.tasks.cumulative.count{key=https://api.github.com,type=completed} throughput=0.016667/s
hystrix.threadpool.tasks.cumulative.count{key=https://api.github.com,type=scheduled} throughput=0.016667/s

客户端

  • OkHttpClient: 实现 SPDY 和更好的网络控制
  • RibbonClient: 智能路由和弹性功能
  • Http2Client(java11): 实现HTTP/2的Java11新客户端
<!-- https://mvnrepository.com/artifact/io.github.openfeign/feign-okhttp -->
<dependency><groupId>io.github.openfeign</groupId><artifactId>feign-okhttp</artifactId><version>13.0</version>
</dependency><dependency><groupId>io.github.openfeign</groupId><artifactId>feign-httpclient</artifactId>
</dependency>

OpenFeign默认Http客户端是HttpURLConnection(JDK自带的Http工具),该工具不能配置连接池,生产中使用时性能较差,故我们配置自己的Apache HttpClient连接池。(当然Open Feign也有OkHttp的适配)

public class Example {public static void main(String[] args) {GitHub github = Feign.builder().client(new OkHttpClient()).target(GitHub.class, "https://api.github.com");}
}

配合SpringBoot(阶段一)

就是把上面的Bean变为Spring Bean去托管,示例代码如下

@Configuration
public class FeginConfig {@Beanpublic Feign.Builder feignBuilder() {return Feign.builder().options(new Request.Options(Duration.ofSeconds(2), Duration.ofSeconds(5), true));}@Bean@ConditionalOnMissingBean@ConditionalOnProperty(name = "feign.hystrix.enabled", matchIfMissing = false)public Feign.Builder feignHystrixBuilder() {return HystrixFeign.builder();}@Bean@ConditionalOnProperty(value = "feign.okhttp.enabled", matchIfMissing = false)public Client feignClient() {return new OkHttpClient();}@Bean@ConditionalOnProperty(value = "feign.httpclient.enabled", matchIfMissing = true)public Client feignClient() {return new ApacheHttpClient();}@Beanpublic UserClient UserClient(){feignBuilder.options(new Request.Options(2000, 5000));return feignBuilder.target(UserClient.class, "https://xxxx");}@Beanpublic OrgClient OrgClient(){feignBuilder.options(new Request.Options(30000, 50000));return feignBuilder.target(OrgClient.class, "https://xxxx");}}

配合SpringBoot(阶段二)

  • https://github.com/spring-cloud/spring-cloud-openfeign

参考Spring Cloud Fegin流程如下

  1. 项目加载:在项目的启动阶段,EnableFeignClients 注解扮演了“启动开关”的角色,它使用 Spring 框架的 Import 注解导入了 FeignClientsRegistrar 类,开始了OpenFeign 组件的加载过程。
  2. 扫包FeignClientsRegistrar 负责 FeignClient 接口的加载,它会在指定的包路径下扫描所有的 FeignClients 类,并构造 FeignClientFactoryBean 对象来解析FeignClient 接口。
  3. 解析 FeignClient 注解FeignClientFactoryBean 有两个重要的功能,一个是解析FeignClient 接口中的请求路径和降级函数的配置信息;另一个是触发动态代理的构造过程。其中,动态代理构造是由更下一层的 ReflectiveFeign 完成的。
  4. 构建动态代理对象ReflectiveFeign 包含了 OpenFeign 动态代理的核心逻辑,它主要负责创建出 FeignClient 接口的动态代理对象。ReflectiveFeign 在这个过程中有两个重要任务,一个是解析 FeignClient 接口上各个方法级别的注解,将其中的远程接口URL、接口类型(GET、POST 等)、各个请求参数等封装成元数据,并为每一个方法生成一个对应的 MethodHandler 类作为方法级别的代理;另一个重要任务是将这些MethodHandler 方法代理做进一步封装,通过 Java 标准的动态代理协议,构建一个实现了 InvocationHandler 接口的动态代理对象,并将这个动态代理对象绑定到FeignClient 接口上。这样一来,所有发生在 FeignClient 接口上的调用,最终都会由它背后的动态代理对象来承接。

1.EnableLakerFeignClients

@Retention(RetentionPolicy.RUNTIME)
@Target(ElementType.TYPE)
@Documented
@Import(LakerFeignClientsRegistrar.class)
public @interface EnableLakerFeignClients {/*** Base packages to scan for annotated components.* @return base packages*/String[] basePackages() default {};
}

2.LakerFeignClientsRegistrar

public class LakerFeignClientsRegistrar implements ImportBeanDefinitionRegistrar, ResourceLoaderAware {private ResourceLoader resourceLoader;@Overridepublic void setResourceLoader(ResourceLoader resourceLoader) {this.resourceLoader = resourceLoader;}@Overridepublic void registerBeanDefinitions(AnnotationMetadata metadata, BeanDefinitionRegistry registry) {registerFeignClients(metadata, registry);}public void registerFeignClients(AnnotationMetadata metadata, BeanDefinitionRegistry registry) {Set<BeanDefinition> candidateComponents = new LinkedHashSet<>();Map<String, Object> attrs = metadata.getAnnotationAttributes(EnableLakerFeignClients.class.getName());ClassPathScanningCandidateComponentProvider scanner = getScanner();scanner.setResourceLoader(this.resourceLoader);scanner.addIncludeFilter(new AnnotationTypeFilter(LakerFeignClient.class));Set<String> basePackages = getBasePackages(metadata);for (String basePackage : basePackages) {candidateComponents.addAll(scanner.findCandidateComponents(basePackage));}for (BeanDefinition candidateComponent : candidateComponents) {if (candidateComponent instanceof AnnotatedBeanDefinition beanDefinition) {// verify annotated class is an interfaceAnnotationMetadata annotationMetadata = beanDefinition.getMetadata();Assert.isTrue(annotationMetadata.isInterface(), "@FeignClient can only be specified on an interface");Map<String, Object> attributes = annotationMetadata.getAnnotationAttributes(LakerFeignClient.class.getCanonicalName());String className = annotationMetadata.getClassName();registerFeignClient(className, attributes, registry);}}}private void registerFeignClient(String className, Map<String, Object> attributes,BeanDefinitionRegistry registry) {BeanDefinitionBuilder definition = BeanDefinitionBuilder.genericBeanDefinition(LakerFeignClientFactoryBean.class);definition.addPropertyValue("url", getUrl(attributes));definition.addPropertyValue("type", className);definition.setAutowireMode(AbstractBeanDefinition.AUTOWIRE_BY_TYPE);AbstractBeanDefinition beanDefinition = definition.getBeanDefinition();beanDefinition.setPrimary(false);BeanDefinitionHolder holder = new BeanDefinitionHolder(beanDefinition, className, null);BeanDefinitionReaderUtils.registerBeanDefinition(holder, registry);}private String resolve(String value) {if (StringUtils.hasText(value) && this.resourceLoader instanceof ConfigurableApplicationContext) {return ((ConfigurableApplicationContext) this.resourceLoader).getEnvironment().resolvePlaceholders(value);}return value;}private String getUrl(Map<String, Object> attributes) {String url = resolve((String) attributes.get("url"));if (StringUtils.hasText(url)) {if (!url.contains("://")) {url = "https://" + url;}try {new URL(url);} catch (MalformedURLException e) {throw new IllegalArgumentException(url + " is malformed", e);}}return url;}protected ClassPathScanningCandidateComponentProvider getScanner() {return new ClassPathScanningCandidateComponentProvider(false) {@Overrideprotected boolean isCandidateComponent(AnnotatedBeanDefinition beanDefinition) {boolean isCandidate = false;if (beanDefinition.getMetadata().isIndependent()) {if (!beanDefinition.getMetadata().isAnnotation()) {isCandidate = true;}}return isCandidate;}};}protected Set<String> getBasePackages(AnnotationMetadata importingClassMetadata) {Map<String, Object> attributes = importingClassMetadata.getAnnotationAttributes(EnableLakerFeignClients.class.getCanonicalName());Set<String> basePackages = new HashSet<>();for (String pkg : (String[]) attributes.get("basePackages")) {if (StringUtils.hasText(pkg)) {basePackages.add(pkg);}}return basePackages;}
}

3.LakerFeignClientFactoryBean

@Data
class LakerFeignClientFactoryBean implements FactoryBean<Object>, InitializingBean, ApplicationContextAware {private Class<?> type;private String url;private ApplicationContext applicationContext;@Overridepublic void afterPropertiesSet() throws Exception {Assert.hasText(this.url, "url must be set");}@Overridepublic void setApplicationContext(ApplicationContext context) throws BeansException {this.applicationContext = context;}protected Feign.Builder feign() {Feign.Builder builder = get(Feign.Builder.class).contract(new SpringContract())// required values.encoder(get(Encoder.class)).decoder(get(Decoder.class));// optional valuesClient client = getOptional(Client.class);if (client != null) {builder.client(client);}Logger.Level level = getOptional(Logger.Level.class);if (level != null) {builder.logLevel(level);}Retryer retryer = getOptional(Retryer.class);if (retryer != null) {builder.retryer(retryer);}ErrorDecoder errorDecoder = getOptional(ErrorDecoder.class);if (errorDecoder != null) {builder.errorDecoder(errorDecoder);}Request.Options options = getOptional(Request.Options.class);if (options != null) {builder.options(options);}Map<String, RequestInterceptor> requestInterceptors = getOptionals(RequestInterceptor.class);if (requestInterceptors != null) {builder.requestInterceptors(requestInterceptors.values());}return builder;}protected <T> T get(Class<T> type) {if (BeanFactoryUtils.beanNamesForTypeIncludingAncestors(applicationContext, type).length > 0) {return BeanFactoryUtils.beanOfTypeIncludingAncestors(applicationContext, type);} else {throw new IllegalStateException("No bean found of type " + type);}}protected <T> T getOptional(Class<T> type) {if (BeanFactoryUtils.beanNamesForTypeIncludingAncestors(applicationContext, type).length > 0) {return BeanFactoryUtils.beanOfTypeIncludingAncestors(applicationContext, type);}return null;}protected <T> Map<String, T> getOptionals(Class<T> type) {if (BeanFactoryUtils.beanNamesForTypeIncludingAncestors(applicationContext, type).length > 0) {return BeanFactoryUtils.beansOfTypeIncludingAncestors(applicationContext, type);}return null;}@Overridepublic Object getObject() throws Exception {return feign().target(type, url);}@Overridepublic Class<?> getObjectType() {return this.type;}@Overridepublic boolean isSingleton() {return true;}}

4.LakerFeignClient

@Target(ElementType.TYPE)
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface LakerFeignClient {String url() default "";
}

5.FeginConfig

@Configuration
public class FeginConfig {@Beanpublic Feign.Builder feignBuilder() {return Feign.builder().options(new Request.Options(Duration.ofSeconds(2), Duration.ofSeconds(5), true));}@Bean@ConditionalOnMissingBean@ConditionalOnProperty(name = "feign.hystrix.enabled", matchIfMissing = false)public Feign.Builder feignHystrixBuilder() {return HystrixFeign.builder();}@Bean@ConditionalOnProperty(value = "feign.okhttp.enabled", matchIfMissing = true)public Client feignClient() {return new OkHttpClient();}@Beanpublic Encoder encoder() {return new JacksonEncoder();}@Beanpublic Decoder decoder() {return new JacksonDecoder();}
}

使用示例

// 1.启用 EnableLakerFeignClients
@SpringBootApplication
@EnableLakerFeignClients(basePackages = "com.laker.admin")
public class EasyAdminApplication {public static void main(String[] args) {SpringApplication.run(EasyAdminApplication.class, args);}// 或者
@Configuration
@EnableLakerFeignClients(basePackages = "com.laker.admin")
public class FeginConfig {
}
// 2.定义接口
@LakerFeignClient(url ="https://api.github.com")
public interface GitHub {@GetMapping("/repos/{owner}/{repo}/contributors")List<Contributor> contributors(@PathVariable("owner") String owner, @PathVariable("repo") String repo);@PostMapping("/repos/{owner}/{repo}/issues")void createIssue(Issue issue, @PathVariable("owner") String owner, @PathVariable("repo") String repo);
}
// 3.调用示例
@Autowired
GitHub gitHub;List<Contributor>  contributors = gitHub.contributors("lakernote","easy-admin");

参考

  • https://www.infoq.cn/article/c9rk1mg0erk5mfqps4wz

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.rhkb.cn/news/171216.html

如若内容造成侵权/违法违规/事实不符,请联系长河编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

vscode不显示横滚动条处理

最近发现vscode打开本地文件不显示水平的滚动条&#xff0c;但是打开一个临时文件是有水平滚动条的。 解决方案 可以一个个试 vscode配置 左下角设置–设置–搜索Scrollbar: Horizontal auto 自动visible 一直展示hidden 一直隐藏 拖动底部状态栏 发现是有的&#xff0c;但是…

UML中类之间的六种主要关系

UML中类之间的六种主要关系: 继承&#xff08;泛化&#xff09;&#xff08;Inheritance、Generalization&#xff09;, 实现&#xff08;Realization&#xff09;&#xff0c;关联&#xff08;Association)&#xff0c;聚合&#xff08;Aggregation&#xff09;&#xff0c;组…

【软考】系统集成项目管理工程师(九)项目成本管理【4分】

一、成本概念 1、产品全生命周期成本 产品或系统的整个使用生命周期内&#xff0c;在获得阶段&#xff08;设计、生产、安装和测试等活动&#xff0c;即项目存续期间&#xff09;、运营与维护、生命周期结束时对产品的处置所发生的全部成本 2、成本类型 成本类型描述可变成…

lossBN

still tips for learning classification and regression关于softmax的引入和作用分类问题损失函数 - MSE & Cross-entropy⭐Batch Normalization&#xff08;BN&#xff09;⭐想法&#xff1a;直接改error surface的landscape&#xff0c;把山铲平feature normalization那…

古剑奇谭木语人氪金最强阵容,土豪配置

古剑奇谭木语人是一款3D回合制RPG手游&#xff0c;以其精湛的古风画质、跌宕起伏的剧情和丰富多样的玩法而闻名。游戏中拥有许多强大的角色&#xff0c;每个角色都拥有独特的技能和机制。为了发挥出最大的实力&#xff0c;我们需要将角色搭配成一支强大的阵容。以下是当前版本中…

网络安全保险行业面临的挑战与变革

保险业内大多数资产类别的数据可以追溯到几个世纪以前&#xff1b;然而&#xff0c;网络安全保险业仍处于初级阶段。由于勒索软件攻击、高度复杂的黑客和昂贵的数据泄漏事件不断增加&#xff0c;许多网络安全保险提供商开始感到害怕继续承保更多业务。 保险行业 根据最近的路…

并发编程- 线程池ForkJoinPool工作原理分析(实践)

数据结构加油站&#xff1a; Comparison Sorting Visualization 并发设计模式 单线程归并排序 public class MergeSort {private final int[] arrayToSort; //要排序的数组private final int threshold; //拆分的阈值&#xff0c;低于此阈值就不再进行拆分public MergeSort…

CloudQuery + StarRocks:打造高效、安全的数据库管控新模式

随着技术的迅速发展&#xff0c;各种多元化的数据库产品应运而生&#xff0c;它们不仅类型众多&#xff0c;而且形式各异&#xff0c;国产化数据库千余套&#xff0c;开源数据库百余套 OceanBase 、PolarDB 、StarRocks…还有一些像 Oracle、MySQL 这些传统数据库。这些数据库产…

Vite介绍及实现原理

Vite介绍及实现原理 一、Vite简介1.1、什么是Vite1.2 、Vite的主要特性1.3、 为什么要使用Vite 二、Vite的实现原理2.1、依赖处理2.2、静态资源加载2.3、vue文件缓存2.4、 js/ts处理 三、热更新原理四、vite基本使用4.1、安装4.2、搭建项目 一、Vite简介 1.1、什么是Vite Vite…

uniapp中 background-image 设置背景图片不展示问题

有问题 <view class"file-picker__box jsz" tap"jszxszUpload(jsz)"></view>.jsz {background-image: url(../../static/example_drive.png); }解决1 <view class"file-picker__box jsz" :style"{ background-image: url(…

机器学习实验一:KNN算法,手写数字数据集(使用汉明距离)(2)

KNN-手写数字数据集&#xff1a; 使用sklearn中的KNN算法工具包&#xff08; KNeighborsClassifier)替换实现分类器的构建&#xff0c;注意使用的是汉明距离&#xff1b; 运行结果&#xff1a;&#xff08;大概要运行4分钟左右&#xff09; 代码&#xff1a; import pandas as…

Oracle(6) Control File

一、oracle控制文件介绍 1、ORACLE控制文件概念 Oracle控制文件是Oracle数据库的一个重要元素&#xff0c;用于记录数据库的结构信息和元数据。控制文件包含了数据库的物理结构信息、数据字典信息、表空间和数据文件的信息等。在Oracle数据库启动时&#xff0c;控制文件会被读…

RK3568-pcie接口

pcie接口与sata接口 pcie总线pcie总线pcie控制器sata控制器nvme设备sata设备nvme协议ahci协议m-key接口b-key接口RC模式和EP模式 RC和EP分别对应主模式和从模式,普通的PCI RC主模式可以用于连接PCI-E以太网芯片或PCI-E的硬盘等外设。 RC模式使用外设一般都有LINUX驱动程序,安…

面试题复盘-2023/10/20

目录 笔试题面试题&#xff08;未完待续&#xff09; 笔试题 一.多选题 A:map的key是const,不可更改 B:STL中的快速排序比一般的快速排序速度更快&#xff0c;是因为中值排序法 C:list的插入效率是O(1) D:vector的容量只能增大不能减小 解析&#xff1a; B: STL中的sort函数的…

Leetcode—66.加一【简单】

2023每日刷题&#xff08;十一&#xff09; Leetcode—66.加一 实现代码1 /*** Note: The returned array must be malloced, assume caller calls free().*/ int* plusOne(int* digits, int digitsSize, int* returnSize){int num 0;int i 0;int arr[110] {0};// 进位标识…

如何有效取代FTP来帮助企业快速传输大文件

在互联网的发展历史上&#xff0c;FTP是一种具有里程碑意义的协议&#xff0c;它最早出现在1971年&#xff0c;是实现网络上文件传输的基础。FTP的优点是简单、稳定、兼容性强&#xff0c;可以在不同的操作系统和平台之间进行文件交换。然而&#xff0c;时代在进步&#xff0c;…

Qwt QwtLegend和QwtPlotLegendItem图例类详解

1.概述 QwtLegend类是Qwt绘图库中用于显示图例的类。图例用于标识不同曲线、绘图元素或数据的意义&#xff0c;以便用户能够更好地理解图表中的数据。通过QwtLegend类&#xff0c;可以方便地在图表中添加、删除和设置图例的位置、方向和样式等属性。 QwtPlotLegendItem类是Qwt…

了解WebGL三维技术

文章目录 什么是WebGLWebGLOpenGL 什么是WebGL WebGL WebGL是一项结合了HTML5和JavaScript&#xff0c;用来在网页上绘制和渲染复杂三维图形的技术。WebGL通过JavaScript操作OpenGL接口的标准&#xff0c;把三维空间图像显示在二维的屏幕上。所以它的本质就是JavaScript操作O…

关于路由转发

路由表的作用 路由表的作用&#xff1a;目标网络匹配路由表&#xff0c;从相应网络转发&#xff1b;不匹配路由表&#xff0c;丢弃或转发至默认路由器。 路由转发的原理 根据IP地址找到目标网络&#xff0c;由应路由器解封装查看目标网络是否可达&#xff0c;重新封装进行转…

lunar-1.5.jar

公历农历转换包 https://mvnrepository.com/artifact/com.github.heqiao2010/lunar <!-- https://mvnrepository.com/artifact/com.github.heqiao2010/lunar --> <dependency> <groupId>com.github.heqiao2010</groupId> <artifactId>l…