SpringApplication啓動的關鍵步驟java
在SpringApplication中,會加載全部實現了Init方法的類mysql
protected void applyInitializers(ConfigurableApplicationContext context) { for (ApplicationContextInitializer initializer : getInitializers()) { Class<?> requiredType = GenericTypeResolver.resolveTypeArgument( initializer.getClass(), ApplicationContextInitializer.class); Assert.isInstanceOf(requiredType, context, "Unable to call initializer."); initializer.initialize(context); } }
經過上述步驟,Apollo本身實現的ApplicationContextInitializer也就 被加載到容器中了。具體的加載流程以下:ios
1.initialize-> 2.initializeSystemProperty(environment) 讀取項目中Apollo相關的配置文件,在首次讀取的時候都是爲空的,配置文件尚未加載進來;若是讀到了相關配置,就會將配置信息放到容器的環境變量中。 3.
CompositePropertySource composite = new CompositePropertySource(PropertySourcesConstants.APOLLO_BOOTSTRAP_PROPERTY_SOURCE_NAME); //循環遍歷項目配置的namespace, for (String namespace : namespaceList) { //1.調用trySync(),來同步apollo的和本地緩存的配置信息 //2.將這些配置信息轉換爲應用的全局property Config config = ConfigService.getConfig(namespace); composite.addPropertySource(configPropertySourceFactory.getConfigPropertySource(namespace, config)); } environment.getPropertySources().addFirst(composite); }
定義apollo的容器啓動的時候具體的工做事項git
ApolloApplicationContextInitializer implements ApplicationContextInitializer<ConfigurableApplicationContext>
容器啓動的時候調用init方法github
@Override public void initialize(ConfigurableApplicationContext context) { ConfigurableEnvironment environment = context.getEnvironment(); ------ //關鍵步驟 for (String namespace : namespaceList) { //關鍵步驟: Config config = ConfigService.getConfig(namespace); /* 1.調用ConfigService.getService public static Config getConfig(String namespace) { return s_instance.getManager().getConfig(namespace); } 2.DefaultConfigManager.getConfig if (config == null) { ConfigFactory factory = m_factoryManager.getFactory(namespace); config = factory.create(namespace); m_configs.put(namespace, config); } 3.DefaultConfigFactory.create(String namespace) DefaultConfig defaultConfig = new DefaultConfig(namespace, createLocalConfigRepository(namespace)); 4.createLocalConfigRepository-->new LocalFileConfigRepository(namespace, createRemoteConfigRepository(namespace)); 5.調用 LocalFileConfigRepository的構造方法 --> RemoteConfigRepository 6.調用RemoteConfigRepository構造方法 public RemoteConfigRepository(String namespace) { m_namespace = namespace; m_configCache = new AtomicReference<>(); m_configUtil = ApolloInjector.getInstance(ConfigUtil.class); m_httpUtil = ApolloInjector.getInstance(HttpUtil.class); m_serviceLocator = ApolloInjector.getInstance(ConfigServiceLocator.class); remoteConfigLongPollService = ApolloInjector.getInstance(RemoteConfigLongPollService.class); m_longPollServiceDto = new AtomicReference<>(); m_remoteMessages = new AtomicReference<>(); m_loadConfigRateLimiter = RateLimiter.create(m_configUtil.getLoadConfigQPS()); m_configNeedForceRefresh = new AtomicBoolean(true); m_loadConfigFailSchedulePolicy = new ExponentialSchedulePolicy(m_configUtil.getOnErrorRetryInterval(), m_configUtil.getOnErrorRetryInterval() * 8); gson = new Gson(); this.trySync(); this.schedulePeriodicRefresh(); this.scheduleLongPollingRefresh(); } */ composite.addPropertySource(configPropertySourceFactory.getConfigPropertySource(namespace, config)); } environment.getPropertySources().addFirst(composite); }
終上,在容器啓動的時候,會調用RemoteConfigRepository的構造方法,而實現配置中心的同步主要是調用trySync,schedulePeriodicRefresh,scheduleLongPollingRefresh這個三個方法來實現配置的實時同步spring
protected boolean trySync() { try { sync(); return true; } catch (Throwable ex) { Tracer.logEvent("ApolloConfigException", ExceptionUtil.getDetailMessage(ex)); logger .warn("Sync config failed, will retry. Repository {}, reason: {}", this.getClass(), ExceptionUtil .getDetailMessage(ex)); } return false; } //實際調用 @Override protected synchronized void sync() { Transaction transaction = Tracer.newTransaction("Apollo.ConfigService", "syncRemoteConfig"); try { //從緩存中獲取,若是有的話,啓動的時候previos惟恐 ApolloConfig previous = m_configCache.get(); //獲取當前的配置文件 ApolloConfig current = loadApolloConfig(); //比較二者是否有差別, if (previous != current) { logger.debug("Remote Config refreshed!"); //若是緩存的配置信息與當前查數據庫獲取到的信息不一樣,那麼就將從數據庫中獲取到的配置信息放到緩存中。這樣在程序啓動的時候,configCache就完成了初始化 m_configCache.set(current); this.fireRepositoryChange(m_namespace, this.getConfig()); } ---- } //若是二者有差別,就觸發此操做 protected void fireRepositoryChange(String namespace, Properties newProperties) { for (RepositoryChangeListener listener : m_listeners) { try { //若是二者有差別,那麼刷新緩存配置,而且將重寫本地的緩存文件 listener.onRepositoryChange(namespace, newProperties); } catch (Throwable ex) { Tracer.logError(ex); logger.error("Failed to invoke repository change listener {}", listener.getClass(), ex); } } }
開啓多線程,調用 trySync();sql
private void schedulePeriodicRefresh() { logger.debug("Schedule periodic refresh with interval: {} {}", m_configUtil.getRefreshInterval(), m_configUtil.getRefreshIntervalTimeUnit()); m_executorService.scheduleAtFixedRate( new Runnable() { @Override public void run() { Tracer.logEvent("Apollo.ConfigService", String.format("periodicRefresh: %s", m_namespace)); logger.debug("refresh config for namespace: {}", m_namespace); trySync(); Tracer.logEvent("Apollo.Client.Version", Apollo.VERSION); } }, m_configUtil.getRefreshInterval(), m_configUtil.getRefreshInterval(), m_configUtil.getRefreshIntervalTimeUnit()); }
private void scheduleLongPollingRefresh() { remoteConfigLongPollService.submit(m_namespace, this); } public boolean submit(String namespace, RemoteConfigRepository remoteConfigRepository) { boolean added = m_longPollNamespaces.put(namespace, remoteConfigRepository); m_notifications.putIfAbsent(namespace, INIT_NOTIFICATION_ID); if (!m_longPollStarted.get()) { startLongPolling(); } return added; }
整個apollo配置中心的邏輯就是這樣,簡單的說就是無線循環的去獲取配置信息,當獲取到的配置信息與上次獲取到的不一樣那麼就刷新容器緩存的配置項而且更新客戶端緩存的配置信息。數據庫
Apollo配置中心有聲明一個後置處理器,因此在程序啓動的時候,spring容器會自動加載這個PostProcessor。緩存
類圖以下bash
/** * */ public abstract class ApolloProcessor implements BeanPostProcessor, PriorityOrdered { @Override public Object postProcessBeforeInitialization(Object bean, String beanName) throws BeansException { Class clazz = bean.getClass(); for (Field field : findAllField(clazz)) { processField(bean, beanName, field); } for (Method method : findAllMethod(clazz)) { processMethod(bean, beanName, method); } return bean; }
由ApolloProcessor的具體實現能夠看到,在postProcessBeforeInitialization(後置處理器生成以前,會調用子類的processField、processMethod方法)。就是說在ApolloProcessor構造後置處理器以前,會調用ApolloAnnotationProcessor的processMethod
ApolloAnnotationProcessor的具體實現
@Override protected void processMethod(final Object bean, String beanName, final Method method) { //判斷方法上是否加上ApolloConfigChangeListener註解 ApolloConfigChangeListener annotation = AnnotationUtils .findAnnotation(method, ApolloConfigChangeListener.class); if (annotation == null) { return; } Class<?>[] parameterTypes = method.getParameterTypes(); Preconditions.checkArgument(parameterTypes.length == 1, "Invalid number of parameters: %s for method: %s, should be 1", parameterTypes.length, method); Preconditions.checkArgument(ConfigChangeEvent.class.isAssignableFrom(parameterTypes[0]), "Invalid parameter type: %s for method: %s, should be ConfigChangeEvent", parameterTypes[0], method); //將 標有註解ApolloConfigChangeListener的方法設爲公有的 ReflectionUtils.makeAccessible(method); //ApolloConfigChangeListener註解上是否加上指定的namespace,若是沒有的話,默認使用的namespace爲application String[] namespaces = annotation.value(); String[] annotatedInterestedKeys = annotation.interestedKeys(); Set<String> interestedKeys = annotatedInterestedKeys.length > 0 ? Sets.newHashSet(annotatedInterestedKeys) : null; ConfigChangeListener configChangeListener = new ConfigChangeListener() { @Override public void onChange(ConfigChangeEvent changeEvent) { ReflectionUtils.invokeMethod(method, bean, changeEvent); } }; for (String namespace : namespaces) { Config config = ConfigService.getConfig(namespace); if (interestedKeys == null) { config.addChangeListener(configChangeListener); } else { config.addChangeListener(configChangeListener, interestedKeys); } } }
RemoteConfigLongPollService doLongPollingRefresh notify(lastServiceDto, response.getBody()); //通知同步更新 調用sync()比較配置文件是否發生改變,變化就同步更新
在配置文件發生變更的時候,調用順序就跟第一大節說的順序一致。
**在啓動portal的時候須要添加參數來指定某個環境對應的註冊中心是什麼。**以下:
在啓動Portal的時候,當點擊的是dev也籤,調用的註冊中心是dev_meta;
-Dapollo_profile=github,auth -Dspring.datasource.url=jdbc:mysql://yun1:3306/ApolloPortalDB?characterEncoding=utf8 -Dspring.datasource.username=root -Dspring.datasource.password=Blue123! -Ddev_meta=http://localhost:8080 -Dfat_meta=http://yun2:8080 -Dserver.port=8070
****在apollo中,能夠支持多個環境列表的,經過閱讀源碼能夠知道;在portal模塊啓動的時候,Apollo會將PortalDB庫中的ServerConfig表中的數據添加到運行變量中去,其中就有環境列表的信息,這裏須要手動加上去,而且用逗號隔開,添加的值也只能是它規定的那幾個值。代碼以下:
獲取表中的數據並將它們設置到環境變量中
public List<Env> portalSupportedEnvs() { String[] configurations = getArrayProperty("apollo.portal.envs", new String[]{"FAT", "UAT", "PRO"}); List<Env> envs = Lists.newLinkedList(); for (String env : configurations) { envs.add(Env.fromString(env)); } return envs; }
public PortalDBPropertySource() { super("DBConfig", Maps.newConcurrentMap()); } //將PortalDB.ServerConfig中的表數據所有放入到運行變量中 @Override protected void refresh() { Iterable<ServerConfig> dbConfigs = serverConfigRepository.findAll(); for (ServerConfig config: dbConfigs) { String key = config.getKey(); Object value = config.getValue(); if (this.source.isEmpty()) { logger.info("Load config from DB : {} = {}", key, value); } else if (!Objects.equals(this.source.get(key), value)) { logger.info("Load config from DB : {} = {}. Old value = {}", key, value, this.source.get(key)); } this.source.put(key, value); } }
MetaDomainConsts static { Properties prop = new Properties(); prop = ResourceUtils.readConfigFile("apollo-env.properties", prop); Properties env = System.getProperties(); domains.put(Env.LOCAL, env.getProperty("local_meta", prop.getProperty("local.meta", DEFAULT_META_URL))); domains.put(Env.DEV, env.getProperty("dev_meta", prop.getProperty("dev.meta", DEFAULT_META_URL))); domains.put(Env.FAT, env.getProperty("fat_meta", prop.getProperty("fat.meta", DEFAULT_META_URL))); domains.put(Env.UAT, env.getProperty("uat_meta", prop.getProperty("uat.meta", DEFAULT_META_URL))); domains.put(Env.LPT, env.getProperty("lpt_meta", prop.getProperty("lpt.meta", DEFAULT_META_URL))); domains.put(Env.PRO, env.getProperty("pro_meta", prop.getProperty("pro.meta", DEFAULT_META_URL))); }