Slide 1

Slide 1 text

Spring Boot Starter City Как??? Зачем?! магический лагерь для похудания

Slide 2

Slide 2 text

@tolkv @lavcraft @gorelikoff @gorelikov

Slide 3

Slide 3 text

Цели ● Развеять миф о магии в Spring Boot

Slide 4

Slide 4 text

No content

Slide 5

Slide 5 text

Цели ● Развеять миф о магии в Spring Boot ● Понять принципы работы экосистемы стартеров

Slide 6

Slide 6 text

Цели ● Развеять миф о магии в Spring Boot ● Понять принципы работы экосистемы стартеров ● Понять прикладной смысл Spring Boot Starter

Slide 7

Slide 7 text

Spring уже не магия

Slide 8

Slide 8 text

Spring Boot все еще магия

Slide 9

Slide 9 text

Что такое Spring Boot? Эта jar-ник c Tomcat внутри Java interview 2014

Slide 10

Slide 10 text

Java interview 2017 Что такое Spring Boot? Эта хрень помогает проще собрать микросервис

Slide 11

Slide 11 text

@Getter @Setter @Aspect @ToString @EnableWs @Endpoint @EnableWebMvc @EnableCaching @Configuration @RestController @XmlRootElement @EnableWebSocket @RedisHash("cat") @EnableScheduling @EnableWebSecurity @NoArgsConstructor @ContextConfiguration @SpringBootApplication @Accessors(chain = true) @EnableAspectJAutoProxy @EnableAutoConfiguration @EnableRedisRepositories @EnableWebSocketMessageBroker // generate getters // generate setters // we are an aspect // generate toString() // SOAP is so enterprisy, we definitely need it // Seriously, just read above // we want MVC // and we want to cache stuff // this class can configure itself // we want some REST // this component is marshallable // we want web socket, it's so new-generation // this class is an entity saved in redis // we want scheduled tasks // and some built-in security // generate no args constructor // we want context configuration for unit testing // this is a Sprint Boot application // getters/setters are chained (ala jQuery) // we want AspectJ auto proxy // and auto configuration // since it is an entity we want to enable spring data repositories for redis // we want a broker for web socket messages

Slide 12

Slide 12 text

Но новичкам-то нравится

Slide 13

Slide 13 text

Пока не приходит Spring Boot инквизиция

Slide 14

Slide 14 text

Spring Boot слишком самостоятелен

Slide 15

Slide 15 text

Откуда 436 spring beans?

Slide 16

Slide 16 text

Откуда 436 spring beans?

Slide 17

Slide 17 text

Давайте разберёмся в “магии”

Slide 18

Slide 18 text

Смотрим код Spring Boot’a

Slide 19

Slide 19 text

@SpringBootApplication

Slide 20

Slide 20 text

@SpringBootApplication @Target(ElementType.TYPE) @Retention(RetentionPolicy.RUNTIME) @Documented @Inherited @SpringBootConfiguration @EnableAutoConfiguration @ComponentScan(excludeFilters = { @Filter(type = FilterType.CUSTOM, classes = TypeExcludeFilter.class), @Filter(type = FilterType.CUSTOM, classes = AutoConfigurationExcludeFilter.class) }) public @interface SpringBootApplication { …

Slide 21

Slide 21 text

@SpringBootApplication @EnableAutoConfiguration

Slide 22

Slide 22 text

@EnableAutoConfiguration @Target({ElementType.TYPE}) @Retention(RetentionPolicy.RUNTIME) @Documented @Inherited @AutoConfigurationPackage @Import({EnableAutoConfigurationImportSelector.class}) public @interface EnableAutoConfiguration { String ENABLED_OVERRIDE_PROPERTY = "spring.boot.enableautoconfiguration"; Class>[] exclude() default {}; String[] excludeName() default {}; }

Slide 23

Slide 23 text

@SpringBootApplication @EnableAutoConfiguration ImportSelector

Slide 24

Slide 24 text

AutoConfigurationImportSelector protected List getCandidateConfigurations(...) { List configurations = SpringFactoriesLoader.loadFactoryNames( getSpringFactoriesLoaderFactoryClass(), getBeanClassLoader()); ... return configurations; }

Slide 25

Slide 25 text

@SpringBootApplication @EnableAutoConfiguration ImportSelector SpringFactoriesLoader

Slide 26

Slide 26 text

spring-boot-autoconfigure.jar/spring.factories org.springframework.boot.autoconfigure.EnableAutoConfiguration=\ org.springframework.boot.autoconfigure.cache.CacheAutoConfiguration org.springframework.boot.autoconfigure.EnableAutoConfiguration=\ org.springframework.boot.autoconfigure.aop.AopAutoConfiguration,\ org.springframework.boot.autoconfigure.amqp.RabbitAutoConfiguration,\ org.springframework.boot.autoconfigure.batch.BatchAutoConfiguration,\ org.springframework.boot.autoconfigure.cache.CacheAutoConfiguration.\ … 129 lines

Slide 27

Slide 27 text

@SpringBootApplication @EnableAutoConfiguration ImportSelector SpringFactoriesLoader Starter#1 Starter#2 Starter#3

Slide 28

Slide 28 text

Ваше приложение

Slide 29

Slide 29 text

@ConditionalOnClass @ConditionalOnBean @ConditionalOnExpression @ConditionalOnProperty @ConditionalOnResource Загрузка при условии

Slide 30

Slide 30 text

Как устроен стартер

Slide 31

Slide 31 text

Autoconfigure

Slide 32

Slide 32 text

Условия @Configuration @ConditionalOnBean({Client.class, DiscoveryClient.class}) @EnableConfigurationProperties(value = APIVersionFilterProperties.class) public class DiscoveryAPIVersionFilterAutoConfiguration { @Bean public ApiVersionServerListFilter versionedFilter(DiscoveryClient discoveryClient, APIVersionFilterProperties properties) { return new APIVersionServerListFilter(properties.getServiceVersions(), discoveryClient); } ... }

Slide 33

Slide 33 text

Условия @Configuration @ConditionalOnBean({Client.class, DiscoveryClient.class}) @EnableConfigurationProperties(value = APIVersionFilterProperties.class) public class DiscoveryAPIVersionFilterAutoConfiguration { @Bean public ApiVersionServerListFilter versionedFilter(DiscoveryClient discoveryClient, APIVersionFilterProperties properties) { return new APIVersionServerListFilter(properties.getServiceVersions(), discoveryClient); } ... }

Slide 34

Slide 34 text

Starter

Slide 35

Slide 35 text

spring.factories org.springframework.boot.autoconfigure.EnableAutoConfiguration=\ ru.alfalab.discovery.version.DiscoveryAPIVersionFilterAutoConfiguration

Slide 36

Slide 36 text

Вся магия 1. @EnableAutoConfiguration 2. @ConditionalOn… 3. spring.factories

Slide 37

Slide 37 text

Выводы часть #1 ● все не так сложно ● лишних бинов нет, грузится только то, что надо

Slide 38

Slide 38 text

Мы готовы писать свой стартер! Новичок #1 Новичок #2 Новичок #3 Новичок #4 Странный новичок

Slide 39

Slide 39 text

Стандартного набора хватит всем! Зачем писать свое? Опытный тех. лид

Slide 40

Slide 40 text

Из чего состоит сервис?

Slide 41

Slide 41 text

Из чего состоит сервис? ● API

Slide 42

Slide 42 text

Из чего состоит сервис? ● API ● Clients ○ JSON ○ SOAP

Slide 43

Slide 43 text

Из чего состоит сервис? ● API ● Clients ○ JSON ○ SOAP ● Cloud ○ Discovery ○ Config

Slide 44

Slide 44 text

Из чего состоит сервис? ● API ● Clients ○ JSON ○ SOAP ● Cloud ○ Discovery ○ Config ● Metrics ○ Healthcheck ○ Logs

Slide 45

Slide 45 text

Из чего состоит сервис? ● API ● Clients ○ JSON ○ SOAP ● Cloud ○ Discovery ○ Config ● Metrics ○ Healthcheck ○ Logs ● Data ● Stream

Slide 46

Slide 46 text

Смотрим код сервиса

Slide 47

Slide 47 text

Так это выглядит изнутри...

Slide 48

Slide 48 text

Так это выглядит изнутри...

Slide 49

Slide 49 text

Так это выглядит изнутри...

Slide 50

Slide 50 text

Так это выглядит изнутри...

Slide 51

Slide 51 text

Так это выглядит изнутри...

Slide 52

Slide 52 text

Так это выглядит изнутри...

Slide 53

Slide 53 text

Так это выглядит изнутри...

Slide 54

Slide 54 text

Этим сервисам стоило бы похудеть

Slide 55

Slide 55 text

Я не толстый! у меня кость широкая

Slide 56

Slide 56 text

Так это выглядит изнутри...

Slide 57

Slide 57 text

Что в этих классах

Slide 58

Slide 58 text

Service discovery

Slide 59

Slide 59 text

Межсервисное общение

Slide 60

Slide 60 text

Межсервисное общение

Slide 61

Slide 61 text

Простое общение с @FeignClient("cards-api") public interface P2PCardService { @RequestMapping(value = "/", method = RequestMethod.POST) CardDTO loadDetachedCard(String id); }

Slide 62

Slide 62 text

Межсервисное общение 2.0 1.0 1.0

Slide 63

Slide 63 text

Межсервисное общение

Slide 64

Slide 64 text

Межсервисное общение

Slide 65

Slide 65 text

Отфильтруем друзей public class ServiceAPIVersionServerListFilter extends ZoneAffinityServerListFilter { ... @Override public List getFilteredListOfServers(List listOfServers) { if (listOfServers == null || listOfServers.isEmpty()) return listOfServers; List infos = this.discoveryClient.getInstances(listOfServers.first() .getMetaInfo() .getServiceIdForDiscovery()); final List versionedInstance = infos.stream() .filter(instanceInfo -> !versions.containsKey(instanceInfo.getServiceId().toLowerCase()) || checkVersion(versions.get(instanceInfo.getServiceId().toLowerCase()), instanceInfo.getMetadata().get(VERSION_FIELD))) .collect(Collectors.toList()); return listOfServers.stream() .filter(server -> checkServiceInstance(server, versionedInstance))

Slide 66

Slide 66 text

Отфильтруем друзей public class ServiceAPIVersionServerListFilter extends ZoneAffinityServerListFilter { ... @Override public List getFilteredListOfServers(List listOfServers) { if (listOfServers == null || listOfServers.isEmpty()) return listOfServers; List infos = this.discoveryClient.getInstances(listOfServers.first() .getMetaInfo() .getServiceIdForDiscovery()); final List versionedInstance = infos.stream() .filter(instanceInfo -> !versions.containsKey(instanceInfo.getServiceId().toLowerCase()) || checkVersion(versions.get(instanceInfo.getServiceId().toLowerCase()), instanceInfo.getMetadata().get(VERSION_FIELD))) .collect(Collectors.toList()); return listOfServers.stream() .filter(server -> checkServiceInstance(server, versionedInstance))

Slide 67

Slide 67 text

Отфильтруем друзей public class ServiceAPIVersionServerListFilter extends ZoneAffinityServerListFilter { ... @Override public List getFilteredListOfServers(List listOfServers) { if (listOfServers == null || listOfServers.isEmpty()) return listOfServers; List infos = this.discoveryClient.getInstances(listOfServers.first() .getMetaInfo() .getServiceIdForDiscovery()); final List versionedInstance = infos.stream() .filter(instanceInfo -> !versions.containsKey(instanceInfo.getServiceId().toLowerCase()) || checkVersion(versions.get(instanceInfo.getServiceId().toLowerCase()), instanceInfo.getMetadata().get(VERSION_FIELD))) .collect(Collectors.toList()); return listOfServers.stream() .filter(server -> checkServiceInstance(server, versionedInstance))

Slide 68

Slide 68 text

68 Нахуа?!

Slide 69

Slide 69 text

В нашем сервисе есть что-то инородное

Slide 70

Slide 70 text

Надо переносить в библиотеки

Slide 71

Slide 71 text

Конфигурация фильтра eureka: client: registryFetchIntervalSeconds: 5 serviceUrl: defaultZone: ${EUREKA_SERV:http://127.0.0.1:8763/eureka/} instance: virtualHostName : ${spring.application.name} metadataMap: instanceId: ${spring.application.name}:${random.value} versions: 1.0 spring: discovery: filter: versions: someServiceId: 2.0

Slide 72

Slide 72 text

Конфигурация фильтра eureka: client: registryFetchIntervalSeconds: 5 serviceUrl: defaultZone: ${EUREKA_SERV:http://127.0.0.1:8763/eureka/} instance: virtualHostName : ${spring.application.name} metadataMap: instanceId: ${spring.application.name}:${random.value} versions: 1.0 spring: discovery: filter: versions: someServiceId: 2.0

Slide 73

Slide 73 text

Хочется видеть что-то такое spring: discovery: filter: versions: someOtherService: 2.0 api: versions: 1.0,2.0

Slide 74

Slide 74 text

EnvironmentPostProcessor public class PropertyTranslatorPostProcessor implements EnvironmentPostProcessor { @Override public void postProcessEnvironment(ConfigurableEnvironment env, SpringApplication application) { } translateClientVersionProperty(env); translateZuulRoutes(env); } … }

Slide 75

Slide 75 text

EnvironmentPostProcessor`s Application ContextInitializer`s Application ReadyEvent Тут начинается Spring Ripper Application StartingEvent Application EnvironmentPreparedEvent Application PreparedEvent Context RefreshedEvent EmbeddedServlet Container InitializedEvent

Slide 76

Slide 76 text

EnvironmentPostProcessor`s Application ContextInitializer`s Application ReadyEvent Тут начинается Spring Ripper Application StartingEvent Application EnvironmentPreparedEvent Application PreparedEvent Context RefreshedEvent EmbeddedServlet Container InitializedEvent

Slide 77

Slide 77 text

EnvironmentPostProcessor`s Application ContextInitializer`s Application ReadyEvent Тут начинается Spring Ripper Application StartingEvent Application EnvironmentPreparedEvent Application PreparedEvent Context RefreshedEvent EmbeddedServlet Container InitializedEvent

Slide 78

Slide 78 text

запуск SpringApplicationInitializer Локальные бины приложения созданы ApplicationEnvironment PreparedEvent запуск EnvironmentPostPorcessors Пользовательские бины создаются слишком поздно

Slide 79

Slide 79 text

Межсервисное общение 2.0 1.0 1.0

Slide 80

Slide 80 text

Выводы часть#2 Живешь со Spring - живи по правилам Spring. Доработка и расширение механизмов Spring должны быть в стартерах

Slide 81

Slide 81 text

Все еще много лишнего?

Slide 82

Slide 82 text

Все равно толстый!

Slide 83

Slide 83 text

Первый шаг к похуданию

Slide 84

Slide 84 text

SOAP Services and Apache CXF ServiceDefinition.wsdl ...

Slide 85

Slide 85 text

SOAP Services and Apache CXF ServiceDefinition.wsdl ... Java Stub wsdl2java tool

Slide 86

Slide 86 text

SOAP Services and Apache CXF ServiceDefinition.wsdl Java Stub wsdl2java tool

Slide 87

Slide 87 text

SOAP Services and Apache CXF ServiceDefinition.wsdl Java Stub wsdl2java tool WS Stub in Spring Context Configure bean

Slide 88

Slide 88 text

SOAP Services and Apache CXF ServiceDefinition.wsdl Java Stub wsdl2java tool WS Stub in Spring Context Configure bean

Slide 89

Slide 89 text

SOAP Services and Apache CXF ServiceDefinition.wsdl Java Stub wsdl2java tool WS Stub in Spring Context Configure bean Call Bean Inject ws bean

Slide 90

Slide 90 text

SOAP Services and Apache CXF Apache CXF ServiceDefinition.wsdl Java Stub wsdl2java tool WS Stub in Spring Context Configure bean Call Bean Inject ws bean

Slide 91

Slide 91 text

SOAP Services and Apache CXF Apache CXF ServiceDefinition.wsdl Java Stub wsdl2java tool WS Stub in Spring Context Configure bean Call Bean Inject ws bean

Slide 92

Slide 92 text

CXF Stub в библиотеки

Slide 93

Slide 93 text

CXF Stub в библиотеки dependencies { compile 'ru.alfabank.ws:currency-stub:1.0.0' }

Slide 94

Slide 94 text

CXF Stub в библиотеки ws-stub transfers-api cards-api ...-api dependencies { compile 'ru.alfabank.ws:currency-stub:1.0.0' }

Slide 95

Slide 95 text

... WS – ты кто такой

Slide 96

Slide 96 text

... WS – ты кто такой

Slide 97

Slide 97 text

WS – ты кто такой transactions-api – ws.xml

Slide 98

Slide 98 text

WS – ты кто такой transactions-api – ws.xml targeting-api – ws.xml

Slide 99

Slide 99 text

WS – ты кто такой transactions-api – ws.xml targeting-api – ws.xml transfers-api – ws.xml ...

Slide 100

Slide 100 text

1. Добавить зависимость (WSDL/WS-STUB) 2. Настроить бины в ws.xml 3. Прописать адреса и настройки для добавленных сервисов ${lb.address.base} Как сделать новый RPC вызов

Slide 101

Slide 101 text

Как сделать новый RPC вызов 1. Добавить зависимость (WSDL/WS-STUB) 2. Настроить бины в ws.xml 3. Прописать адреса и настройки для добавленных сервисов ${lb.address.base} И как это делается?

Slide 102

Slide 102 text

Как сделать новый RPC вызов 1. Добавить зависимость (WSDL/WS-STUB) 2. Настроить бины в ws.xml 3. Прописать адреса и настройки для добавленных сервисов ${lb.address.base} И как это делается? Captain Copy-Paste

Slide 103

Slide 103 text

А что нужно разработчикам?

Slide 104

Slide 104 text

Сервис!

Slide 105

Slide 105 text

Run Application ERROR [-,,,] 27393 --- [main] o.s.boot.SpringApplication: Application startup failed Error creating bean with name 'ru.alfabank...WSAccountClickPayment13PortType' defined in Apache CXF starter autoscan package: Add next properties to your application.yml file: spring.cxf: clients: - endpoint: http://SOME_HOST/SOME_PATH_TO_WS className: ru.alfabank.ws.cs.eq.wsaccountclickpayment13.WSAccountClickPayment13PortType

Slide 106

Slide 106 text

ERROR [-,,,] 27393 --- [main] o.s.boot.SpringApplication: Application startup failed Error creating bean with name 'ru.alfabank...WSAccountClickPayment13PortType' defined in Apache CXF starter autoscan package: Add next properties to your application.yml file: spring.cxf: clients: - endpoint: http://SOME_HOST/SOME_PATH_TO_WS className: ru.alfabank.ws.cs.eq.wsaccountclickpayment13.WSAccountClickPayment13PortType Run Application

Slide 107

Slide 107 text

ERROR [-,,,] 27393 --- [main] o.s.boot.SpringApplication: Application startup failed Error creating bean with name 'ru.alfabank...WSAccountClickPayment13PortType' defined in Apache CXF starter autoscan package: Add next properties to your application.yml file: spring.cxf: clients: - endpoint: http://SOME_HOST/SOME_PATH_TO_WS className: ru.alfabank.ws.cs.eq.wsaccountclickpayment13.WSAccountClickPayment13PortType Process finished with exit code 1 Run Application

Slide 108

Slide 108 text

Автоматизируем? Classpath @WebService WSAccountClickPayment13PortType @WebService WSCardsTransactions12PortType @Component MySuperService @Other ...

Slide 109

Slide 109 text

Автоматизируем? Classpath @WebService WSAccountClickPayment13PortType @WebService WSCardsTransactions12PortType @Component MySuperService @Other ... Find WS Classes @WebService WSAccountClickPayment13PortType @WebService WSCardsTransactions12PortType

Slide 110

Slide 110 text

Автоматизируем? Classpath @WebService WSAccountClickPayment13PortType @WebService WSCardsTransactions12PortType @Component MySuperService @Other ... Find WS Classes @WebService WSAccountClickPayment13PortType @WebService WSCardsTransactions12PortType Spring Context BeanDefinition + BeanFactory WSAccountClickPayment13PortType BeanDefinition + BeanFactory WSCardsTransactions12PortType Configure Context

Slide 111

Slide 111 text

Автоматизируем? Spring Context BeanDefinition + BeanFactory WSAccountClickPayment13PortType BeanDefinition + BeanFactory WSCardsTransactions12PortType Inject Spring Context @Component MyService BeanInstance WSCardsTransactions12PortType Configure Properties and Endpoints

Slide 112

Slide 112 text

Автоматизируем? Spring Context BeanDefinition + BeanFactory WSAccountClickPayment13PortType BeanDefinition + BeanFactory WSCardsTransactions12PortType Inject Spring Context @Component MyService BeanInstance WSCardsTransactions12PortType Configure Properties and Endpoints Или падает с ошибкой если не настроен endpoint FAIL-FAST Error creating bean with name 'ru.alfabank...WSSomeServicet13PortType' defined in Apache CXF starter autoscan package: Add next properties to your application.yml file: spring.cxf: clients: - endpoint: http://SOME_HOST/SOME_PATH_TO_WS className: ru.alfabank....WSSomeServicet13PortType

Slide 113

Slide 113 text

EPP нет, можно в обычную библиотеку?

Slide 114

Slide 114 text

@Slf4j @Configuration @EnableConfigurationProperties @ConditionalOnProperty(name = "spring.cxf.client.enabled", matchIfMissing = true) public class CxfClientConfiguration { @Bean public CxfBeanDefinitionPostProcessor cxfBeanDefinitionPP(Environment environment) { return new CxfBeanDefinitionPostProcessor(environment); } @Bean public static BusWiringBeanFactoryPostProcessor jsr250BeanPostProcessor() { return new BusWiringBeanFactoryPostProcessor(); } @Bean public static BusExtensionPostProcessor busExtensionPostProcessor() { return new BusExtensionPostProcessor(); } @Slf4j @Configuration @ConditionalOnClass({SpringBus.class, JaxWsClientFactoryBean.class, ConfigurationPropertiesBindingPostProcessor.class}) @EnableConfigurationProperties({CxfClientsProperties.class, WSConfiguration.class}) public static class CxfClientFactoryAutoConfiguration { @Bean(name = CXF_WS_CLIENT_PROXY_FACTORY_DEFAULT_NAME) @ConditionalOnMissingBean(name = {CXF_WS_CLIENT_PROXY_FACTORY_DEFAULT_NAME}) CxfWsStubBeanFactory proxyWsBeanFactory( CxfClientsProperties cxfClientsProperties, Bus bus, CxfInterceptorConfigurer interceptorConfigurer ) { return new CxfWsStubBeanFactory( cxfClientsProperties, bus, interceptorConfigurer ); } Конфигурация библиотек @Bean @ConditionalOnMissingBean(CxfBusConfigurer.class) public CxfBusConfigurer cxfBusConfigurer(CxfClientsProperties cxfClientsProperties) { return new DefaultCxfBusConfigurer(cxfClientsProperties); } @Bean(destroyMethod = "shutdown") public Bus cxf(CxfBusConfigurer cxfBusConfigurer) { SpringBus bus = new SpringBus(); cxfBusConfigurer.configure(bus); return bus; } @Bean @ConditionalOnMissingBean(CxfInterceptorConfigurer.class) public CxfInterceptorConfigurer cxfInterceptorConfigurer( CxfInterceptorAnnotationProcessor cxfInterceptorAnnotationProcessor, BeanFactory beanFactory ) { return new CxfInterceptorConfigurer( beanFactory, cxfInterceptorAnnotationProcessor.getGlobalInterceptors(), cxfInterceptorAnnotationProcessor.getSpecificInterceptors() ); } @Bean @ConditionalOnMissingBean(CxfInterceptorAnnotationProcessor.class) public static CxfInterceptorAnnotationProcessor cxfInterceptorBFPP() { return new CxfInterceptorAnnotationProcessor(); } static final String CXF_WS_CLIENT_PROXY_FACTORY_DEFAULT_NAME = "CxfWsClientProxyFactory"; } }

Slide 115

Slide 115 text

Конфигурация библиотек @Bean public CxfBeanDefinitionPostProcessor cxfBeanDefinitionPP(Environment env) { return new CxfBeanDefinitionPostProcessor(env); } @Bean public static BusWiringBeanFactoryPostProcessor jsr250BeanPostProcessor() { return new BusWiringBeanFactoryPostProcessor(); } @Bean public static BusExtensionPostProcessor busExtensionPostProcessor() { return new BusExtensionPostProcessor(); }

Slide 116

Slide 116 text

Конфигурация библиотек Или, не дай бог : @ComponentScan( { "ru.alfa.cxf", "ru.alfa.discovery", "ru...", "ru..." ... } )

Slide 117

Slide 117 text

Проблемы 1. Необходимость знания кишков библиотек Капитан сложность Долой инверсию контроля!

Slide 118

Slide 118 text

Проблемы Толстый сервис 1. Необходимость знания кишков библиотек 2. Лишние куски кода в самом сервисе

Slide 119

Slide 119 text

Конфигурация стартеров внутри приложения

Slide 120

Slide 120 text

Вывод часть #3 Сложность конфигурации библиотеки иногда сопоставима со сложностью логики библиотеки

Slide 121

Slide 121 text

Вывод часть #3 Сложность конфигурации библиотеки иногда сопоставима со сложностью логики библиотеки Ее логичнее выносить в стартер

Slide 122

Slide 122 text

Вывод часть #3 Даешь инверсию контроля для компонентов Spring!

Slide 123

Slide 123 text

Умным сервисам - умные библиотеки

Slide 124

Slide 124 text

Похудел и накачался, но тормоз

Slide 125

Slide 125 text

Бонусная секция

Slide 126

Slide 126 text

Что нового в Spring 5? Context Indexer

Slide 127

Slide 127 text

Просто добавь зависимость dependencies { compileOnly 'org.springframework:spring-context-indexer:5.0.1.RELEASE' }

Slide 128

Slide 128 text

Просто добавь зависимость dependencies { compileOnly 'org.springframework:spring-context-indexer:5.0.1.RELEASE' } # META-INF/spring.components o.s.t.f.APIVersionServerFilter=org.springframework.stereotype.Component o.s.t.f.APIVersionFilterHelper=org.springframework.stereotype.Component ...

Slide 129

Slide 129 text

Просто добавь зависимость dependencies { compileOnly 'org.springframework:spring-context-indexer:5.0.1.RELEASE' } # META-INF/spring.components o.s.t.f.APIVersionServerFilter=org.springframework.stereotype.Component o.s.t.f.APIVersionFilterHelper=org.springframework.stereotype.Component ... Классы связанный проаннотированный аннотацией Spring`а

Slide 130

Slide 130 text

Просто добавь зависимость dependencies { compileOnly 'org.springframework:spring-context-indexer:5.0.1.RELEASE' } # META-INF/spring.components o.s.t.f.APIVersionServerFilter=org.springframework.stereotype.Component o.s.t.f.APIVersionFilterHelper=org.springframework.stereotype.Component ... Чем проаннотировано

Slide 131

Slide 131 text

Выводы 1. Не магия, а скрытые возможности 2. Создавать стартеры просто и не грешно 3. Ничего лишнего там не грузится и множество стартеров - не обязательно медленный старт 4. Сложность перетекает постепенно и ее надо выносить из сервиса с бизнес-логикой по максимуму

Slide 132

Slide 132 text

Выводы 1. Не магия, а скрытые возможности 2. Создавать стартеры просто и не грешно 3. Ничего лишнего там не грузится и множество стартеров - не обязательно медленный старт 4. Сложность перетекает постепенно и ее надо выносить из сервиса с бизнес-логикой по максимуму

Slide 133

Slide 133 text

Выводы 1. Не магия, а скрытые возможности 2. Создавать стартеры просто и не грешно 3. Ничего лишнего там не грузится и множество стартеров - не обязательно медленный старт 4. Сложность перетекает постепенно и ее надо выносить из сервиса с бизнес-логикой по максимуму Все стало проще? Да ладно?!

Slide 134

Slide 134 text

Это еще не конец Но он близко!

Slide 135

Slide 135 text

Стартеры тоже бывают разные Starter#1 Starter#2 Starter#3 spring-boot-autoconfigure

Slide 136

Slide 136 text

В чем разница? Starter#1 Starter#2 Starter#3

Slide 137

Slide 137 text

В чем разница? Starter#1 Starter#2 Starter#3 spring-boot-autoconfigure

Slide 138

Slide 138 text

Gradle transactions-api: dependencies { compile 'hazelcast:3.6.9' compile 'redis:1.1.1' compile 'mongodb:3.6.0' compile 'hazelcast-starter:1.0.0' compile 'redis-starter:0.2.0' compile 'mongodb-starter:0.2.0' … } task testReport(type: TestReport) { … } jacocoTestCoverageVerification { … } … ~200 lines

Slide 139

Slide 139 text

Gradle transactions-api: dependencies { compile 'hazelcast:3.6.9' compile 'redis:1.1.1' compile 'mongodb:3.6.0' compile 'hazelcast-starter:1.0.0' compile 'redis-starter:0.2.0' compile 'mongodb-starter:0.2.0' … } transactions-api: dependencies { compile 'hazelcast:3.6.9' compile 'redis:1.1.1' compile 'mongodb:3.6.0' compile 'fat-starter:100.50.0' } task testReport(type: TestReport) { … } jacocoTestCoverageVerification { … } … ~200 lines

Slide 140

Slide 140 text

Толстеем

Slide 141

Slide 141 text

Толстеем, Худеем

Slide 142

Slide 142 text

Толстеем, Худеем, Толстеем

Slide 143

Slide 143 text

Gradle transactions-api: dependencies { compile … compile … } offers-api: dependencies { compile … compile … } ...

Slide 144

Slide 144 text

Gradle transactions-api: dependencies { compile … compile … } offers-api: dependencies { compile … compile … } ... accounts-api: dependencies { compile … compile … } settings-api: dependencies { compile … compile … } ... transfer-api: dependencies { compile … compile … } payment-api: dependencies { compile … compile … } ...

Slide 145

Slide 145 text

Gradle transactions-api: dependencies { compile … compile … } offers-api: dependencies { compile … compile … } ... accounts-api: dependencies { compile … compile … } settings-api: dependencies { compile … compile … } ... transfer-api: dependencies { compile … compile … } payment-api: dependencies { compile … compile … } ... Captain Copy-Paste

Slide 146

Slide 146 text

Сложно обновлять зависимости

Slide 147

Slide 147 text

Сложно обновлять зависимости Все немного разные

Slide 148

Slide 148 text

Управляем зависимостями

Slide 149

Slide 149 text

build.gradle: apply plugin: "version.plugin" apply plugin: "maven.plugin" apply plugin: "check.plugin" apply plugin: "findbugs.plugin" apply plugin: "verify.plugin" apply plugin: "publish.plugin" apply plugin: "awesome.plugin" 149 Декларативный подход

Slide 150

Slide 150 text

● class MyPlugin implements Plugin { void apply(Project project) { project.configure { dependencies { compile … compile … } } } } Сила в композиции 150

Slide 151

Slide 151 text

● class MyPlugin implements Plugin { void apply(Project project) { project.configure { dependencies { compile … compile … } } project.plugins.apply(AddGitTagPlugin) project.plugins.apply(UserInfoPlugin) } } Сила в композиции 151

Slide 152

Slide 152 text

● class MyPlugin implements Plugin { void apply(Project project) { project.configure { dependencies { compile … compile … } } project.plugins.apply(AddGitTagPlugin) project.plugins.apply(UserInfoPlugin) project.tasks.withType(SomeTaskType) { //configure } } } 152 Сила в композиции

Slide 153

Slide 153 text

Сила в композиции apply plugin: "your.plugin.all" //2.1.+ 153

Slide 154

Slide 154 text

Сила в композиции apply plugin: "your.plugin.all" //2.1.+ 154 Автоапдейт минорных версий Путь героев – но это уже другая история

Slide 155

Slide 155 text

Вывод ...последний На больших проектах даже умными зависимостями надо управлять

Slide 156

Slide 156 text

Вопросы?