spring源碼分析 第一章 spring單例bean註冊表

spring單例bean註冊表類圖java

package org.springframework.core;

/**
 * 定義單例別名的註冊,查詢服務
 * @author Juergen Hoeller
 * @since 2.5.2
 */
public interface AliasRegistry {

   /**
    * 給指定的bean設置別名
    * @param bean名稱
    * @param alias註冊的別名
    * @throws IllegalStateException if the alias is already in use
    * and may not be overridden
    */
   void registerAlias(String name, String alias);

   /**
    * 從註冊表中移除指定的別名
    * @param alias the alias to remove
    * @throws IllegalStateException if no such alias was found
    */
   void removeAlias(String alias);

   /**
    * 判斷給點的名稱是不是別名
    * (as opposed to the name of an actually registered component).
    * @param name the name to check
    * @return whether the given name is an alias
    */
   boolean isAlias(String name);

   /**
    * 返回指定bean名稱的多有別名
    * @param name the name to check for aliases
    * @return the aliases, or an empty array if none
    */
   String[] getAliases(String name);

}
package org.springframework.core;

import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.concurrent.ConcurrentHashMap;

import org.springframework.util.Assert;
import org.springframework.util.StringUtils;
import org.springframework.util.StringValueResolver;

/**
 * 提供單例別名的註冊,查詢服務
 * @author Juergen Hoeller
 * @since 2.5.2
 */
public class SimpleAliasRegistry implements AliasRegistry {

   /** 別名緩存(線程安全的 )別名爲key,name是value */
   private final Map<String, String> aliasMap = new ConcurrentHashMap<String, String>(16);

   @Override
   public void registerAlias(String name, String alias) {
      //註冊別名時:name和別名不能爲空
      Assert.hasText(name, "'name' must not be empty");
      Assert.hasText(alias, "'alias' must not be empty");
      //若是name已經註冊,就移除
      if (alias.equals(name)) {
         this.aliasMap.remove(alias);
      } else {
         //經過別名獲取對應的name
         String registeredName = this.aliasMap.get(alias);
         if (registeredName != null) {
            //name也相同,直接返回
            if (registeredName.equals(name)) {
               return;
            }
            //若是不容許覆蓋,直接拋異常
            if (!allowAliasOverriding()) {
               throw new IllegalStateException("Cannot register alias '" + alias + "' for name '" +
                     name + "': It is already registered for name '" + registeredName + "'.");
            }
         }

         //檢查name:a alias:b 和name:b alias:a 是否存在
         checkForAliasCircle(name, alias);
         //都不存在,緩存別名
         this.aliasMap.put(alias, name);
      }
   }

   /**
    * 是否容許覆蓋 默認容許
    * Default is {@code true}.
    */
   protected boolean allowAliasOverriding() {
      return true;
   }

   /**
    * 確認給定的bean和別名是否註冊,排除循環註冊的狀況
    * @param name the name to check
    * @param alias the alias to look for
    * @since 4.2.1
    */
   public boolean hasAlias(String name, String alias) {
      for (Map.Entry<String, String> entry : this.aliasMap.entrySet()) {
         String registeredName = entry.getValue();
         if (registeredName.equals(name)) {
            String registeredAlias = entry.getKey();
            return (registeredAlias.equals(alias) || hasAlias(registeredAlias, alias));
         }
      }
      return false;
   }

   @Override
   public void removeAlias(String alias) {
      String name = this.aliasMap.remove(alias);
      if (name == null) {
         throw new IllegalStateException("No alias '" + alias + "' registered");
      }
   }

   @Override
   public boolean isAlias(String name) {
      return this.aliasMap.containsKey(name);
   }

   @Override
   public String[] getAliases(String name) {
      List<String> result = new ArrayList<String>();
      synchronized (this.aliasMap) {
         retrieveAliases(name, result);
      }
      return StringUtils.toStringArray(result);
   }

   /**
    * 檢索給定name的全部別名,結果放在result中.
    * @param name the target name to find aliases for
    * @param result the resulting aliases list
    */
   private void retrieveAliases(String name, List<String> result) {
      for (Map.Entry<String, String> entry : this.aliasMap.entrySet()) {
         String registeredName = entry.getValue();
         if (registeredName.equals(name)) {
            String alias = entry.getKey();
            result.add(alias);
            retrieveAliases(alias, result);
         }
      }
   }

   /**
    * 經過StringValueResolver解析別名,並從新註冊(例如:別名中包含佔位符)
    * @param valueResolver the StringValueResolver to apply
    */
   public void resolveAliases(StringValueResolver valueResolver) {
      Assert.notNull(valueResolver, "StringValueResolver must not be null");
      synchronized (this.aliasMap) {
         //copy一份緩存
         Map<String, String> aliasCopy = new HashMap<String, String>(this.aliasMap);
         for (String alias : aliasCopy.keySet()) {
            String registeredName = aliasCopy.get(alias);
            //獲取解析以後的別名
            String resolvedAlias = valueResolver.resolveStringValue(alias);
            //解析以後的name
            String resolvedName = valueResolver.resolveStringValue(registeredName);
            //若是別名和name已經註冊,就移除,解決循環依賴的問題
            if (resolvedAlias == null || resolvedName == null || resolvedAlias.equals(resolvedName)) {
               this.aliasMap.remove(alias);
            }else if (!resolvedAlias.equals(alias)) {//解析別名和原別名不一樣
               String existingName = this.aliasMap.get(resolvedAlias);
               if (existingName != null) {//解析以後的別名和name存在,移除
                  if (existingName.equals(resolvedName)) {
                     this.aliasMap.remove(alias);
                     break;
                  }
                  //別名相同,name不一樣拋異常,註冊失敗
                  throw new IllegalStateException(
                        "Cannot register resolved alias '" + resolvedAlias + "' (original: '" + alias +
                        "') for name '" + resolvedName + "': It is already registered for name '" +
                        registeredName + "'.");
               }
               checkForAliasCircle(resolvedName, resolvedAlias);
               //刪除原來的別名,從新註冊
               this.aliasMap.remove(alias);
               this.aliasMap.put(resolvedAlias, resolvedName);
            }
            else if (!registeredName.equals(resolvedName)) {//若是名稱不相同,直接註冊
               this.aliasMap.put(alias, resolvedName);
            }
         }
      }
   }

   /**
    * 檢查別名和name是否循環註冊
    * @param name the candidate name
    * @param alias the candidate alias
    * @see #registerAlias
    * @see #hasAlias
    */
   protected void checkForAliasCircle(String name, String alias) {
      if (hasAlias(alias, name)) {
         throw new IllegalStateException("Cannot register alias '" + alias +
               "' for name '" + name + "': Circular reference - '" +
               name + "' is a direct or indirect alias for '" + alias + "' already");
      }
   }

   /**
    * 獲取以name爲key的name
    * @param name the user-specified name
    * @return the transformed name
    */
   public String canonicalName(String name) {
      String canonicalName = name;
      // Handle aliasing...
      String resolvedName;
      do {
         resolvedName = this.aliasMap.get(canonicalName);
         if (resolvedName != null) {
            canonicalName = resolvedName;
         }
      }
      while (resolvedName != null);
      return canonicalName;
   }
}
package org.springframework.beans.factory.config;

/**
 * 定義bean的註冊、查詢服務
 *
 * <p>The {@link ConfigurableBeanFactory} interface extends this interface.
 *
 * @author Juergen Hoeller
 * @since 2.0
 * @see ConfigurableBeanFactory
 * @see org.springframework.beans.factory.support.DefaultSingletonBeanRegistry
 * @see org.springframework.beans.factory.support.AbstractBeanFactory
 */
public interface SingletonBeanRegistry {

   /**
    * 註冊單例bean
    * @param beanName the name of the bean
    * @param singletonObject the existing singleton object
    * @see org.springframework.beans.factory.InitializingBean#afterPropertiesSet
    * @see org.springframework.beans.factory.DisposableBean#destroy
    * @see org.springframework.beans.factory.support.BeanDefinitionRegistry#registerBeanDefinition
    */
   void registerSingleton(String beanName, Object singletonObject);

   /**
    * 經過name獲取一個單例bean對象
    * @param beanName the name of the bean to look for
    * @return the registered singleton object, or {@code null} if none found
    * @see ConfigurableListableBeanFactory#getBeanDefinition
    */
   Object getSingleton(String beanName);

   /**
    * 檢查註冊表中是否包含該單例bean
    * @param beanName the name of the bean to look for
    * @return if this bean factory contains a singleton instance with the given name
    * @see #registerSingleton
    * @see org.springframework.beans.factory.ListableBeanFactory#containsBeanDefinition
    * @see org.springframework.beans.factory.BeanFactory#containsBean
    */
   boolean containsSingleton(String beanName);

   /**
    * 獲取全部單例bean的名稱
    * @return the list of names as a String array (never {@code null})
    * @see #registerSingleton
    * @see org.springframework.beans.factory.support.BeanDefinitionRegistry#getBeanDefinitionNames
    * @see org.springframework.beans.factory.ListableBeanFactory#getBeanDefinitionNames
    */
   String[] getSingletonNames();

   /**
    * 獲取全部單例bean的數量
    * @return the number of singleton beans
    * @see #registerSingleton
    * @see org.springframework.beans.factory.support.BeanDefinitionRegistry#getBeanDefinitionCount
    * @see org.springframework.beans.factory.ListableBeanFactory#getBeanDefinitionCount
    */
   int getSingletonCount();

   /**
    * 獲取互斥的對象
    * @return the mutex object (never {@code null})
    * @since 4.2
    */
   Object getSingletonMutex();

}
package org.springframework.beans.factory.support;

import java.util.Collections;
import java.util.HashMap;
import java.util.HashSet;
import java.util.Iterator;
import java.util.LinkedHashMap;
import java.util.LinkedHashSet;
import java.util.Map;
import java.util.Set;
import java.util.concurrent.ConcurrentHashMap;

import org.apache.commons.logging.Log;
import org.apache.commons.logging.LogFactory;

import org.springframework.beans.factory.BeanCreationException;
import org.springframework.beans.factory.BeanCreationNotAllowedException;
import org.springframework.beans.factory.BeanCurrentlyInCreationException;
import org.springframework.beans.factory.DisposableBean;
import org.springframework.beans.factory.ObjectFactory;
import org.springframework.beans.factory.config.SingletonBeanRegistry;
import org.springframework.core.SimpleAliasRegistry;
import org.springframework.util.Assert;
import org.springframework.util.StringUtils;

/**
 * 默認單例註冊表實現
 * @author Juergen Hoeller
 * @since 2.0
 * @see #registerSingleton
 * @see #registerDisposableBean
 * @see org.springframework.beans.factory.DisposableBean
 * @see org.springframework.beans.factory.config.ConfigurableBeanFactory
 */
public class DefaultSingletonBeanRegistry extends SimpleAliasRegistry implements SingletonBeanRegistry {

   /**
    * 併發map中不容許空,用空對象代替
    */
   protected static final Object NULL_OBJECT = new Object();


   /** Logger available to subclasses */
   protected final Log logger = LogFactory.getLog(getClass());

   /** 緩存全部的單例對象: bean name --> bean instance */
   private final Map<String, Object> singletonObjects = new ConcurrentHashMap<String, Object>(256);

   /** 緩存全部的objectFactory對象: bean name --> ObjectFactory */
   private final Map<String, ObjectFactory<?>> singletonFactories = new HashMap<String, ObjectFactory<?>>(16);

   /** 獲取全部能夠提早獲取的對象(循環依賴的時候使用): bean name --> bean instance */
   private final Map<String, Object> earlySingletonObjects = new HashMap<String, Object>(16);

   /** 全部已經註冊的bean的name列表,有序的 */
   private final Set<String> registeredSingletons = new LinkedHashSet<String>(256);

   /** 全部正在建立的bean的名稱 */
   private final Set<String> singletonsCurrentlyInCreation =Collections.newSetFromMap(new ConcurrentHashMap<String, Boolean>(16));

   /** 全部被建立檢查排除的bean列表 */
   private final Set<String> inCreationCheckExclusions =Collections.newSetFromMap(new ConcurrentHashMap<String, Boolean>(16));

   /** bean管理過程當中全部的被禁用的異常列表 */
   private Set<Exception> suppressedExceptions;

   /** 標識當前是否處於銷燬單例bean的時候 */
   private boolean singletonsCurrentlyInDestruction = false;

   /** Disposable bean 實例: bean name --> disposable instance */
   private final Map<String, Object> disposableBeans = new LinkedHashMap<String, Object>();

   /** bean和bean所包含的bean之間的關係: bean name --> Set of bean names that the bean contains */
   private final Map<String, Set<String>> containedBeanMap = new ConcurrentHashMap<String, Set<String>>(16);

   /** bean和bean所依賴的bean之間的關係: bean name --> Set of dependent bean names */
   private final Map<String, Set<String>> dependentBeanMap = new ConcurrentHashMap<String, Set<String>>(64);

   /** bean和依賴該bean的bean之間的關係: bean name --> Set of bean names for the bean's dependencies */
   private final Map<String, Set<String>> dependenciesForBeanMap = new ConcurrentHashMap<String, Set<String>>(64);


   @Override
   public void registerSingleton(String beanName, Object singletonObject) throws IllegalStateException {
      Assert.notNull(beanName, "'beanName' must not be null");
      synchronized (this.singletonObjects) {
         //若是該bean已經註冊,拋出異常
         Object oldObject = this.singletonObjects.get(beanName);
         if (oldObject != null) {
            throw new IllegalStateException("Could not register object [" + singletonObject +
                  "] under bean name '" + beanName + "': there is already object [" + oldObject + "] bound");
         }
         addSingleton(beanName, singletonObject);
      }
   }

   /**
    * 將bean添加到註冊表中,singletonObjects、registeredSingletons緩存中添加,
    * singletonFactories、earlySingletonObjects 緩存中刪除
    * <p>To be called for eager registration of singletons.
    * @param beanName the name of the bean
    * @param singletonObject the singleton object
    */
   protected void addSingleton(String beanName, Object singletonObject) {
      synchronized (this.singletonObjects) {
         this.singletonObjects.put(beanName, (singletonObject != null ? singletonObject : NULL_OBJECT));
         this.singletonFactories.remove(beanName);
         this.earlySingletonObjects.remove(beanName);
         this.registeredSingletons.add(beanName);
      }
   }

   /**
    * 經過一個工廠對象添加一個往註冊表中添加一個對象
    * @param beanName the name of the bean
    * @param singletonFactory the factory for the singleton object
    */
   protected void addSingletonFactory(String beanName, ObjectFactory<?> singletonFactory) {
      Assert.notNull(singletonFactory, "Singleton factory must not be null");
      synchronized (this.singletonObjects) {
         if (!this.singletonObjects.containsKey(beanName)) {
            this.singletonFactories.put(beanName, singletonFactory);
            this.earlySingletonObjects.remove(beanName);
            this.registeredSingletons.add(beanName);
         }
      }
   }

   @Override
   public Object getSingleton(String beanName) {
      return getSingleton(beanName, true);
   }

   /**
    * 獲取一個單例bean對象,是否容許建立以前獲取一個對象
    * @param beanName the name of the bean to look for
    * @param allowEarlyReference whether early references should be created or not
    * @return the registered singleton object, or {@code null} if none found
    */
   protected Object getSingleton(String beanName, boolean allowEarlyReference) {
      Object singletonObject = this.singletonObjects.get(beanName);
      //若是已經建立的bean對象緩存中沒有,而且當前bean正在建立
      if (singletonObject == null && isSingletonCurrentlyInCreation(beanName)) {
         synchronized (this.singletonObjects) {
            //從能夠提早獲取的單例對象緩存中查找對象
            singletonObject = this.earlySingletonObjects.get(beanName);
            //若是沒有建立,而且容許提早獲取對象
            if (singletonObject == null && allowEarlyReference) {
               //就從工廠bean緩存中獲取bean的工廠類
               ObjectFactory<?> singletonFactory = this.singletonFactories.get(beanName);
               //若是工廠類不爲空,就經過工廠類建立一個單例對象,並將該單例對象放到提早獲取的單例緩存中,
               //並從工廠bean緩存中移除
               if (singletonFactory != null) {
                  singletonObject = singletonFactory.getObject();
                  this.earlySingletonObjects.put(beanName, singletonObject);
                  this.singletonFactories.remove(beanName);
               }
            }
         }
      }
      return (singletonObject != NULL_OBJECT ? singletonObject : null);
   }

   /**
    * 經過一個工廠bean獲取一個bean對象
    * @param beanName the name of the bean
    * @param singletonFactory the ObjectFactory to lazily create the singleton
    * with, if necessary
    * @return the registered singleton object
    */
   public Object getSingleton(String beanName, ObjectFactory<?> singletonFactory) {
      Assert.notNull(beanName, "'beanName' must not be null");
      synchronized (this.singletonObjects) {
         Object singletonObject = this.singletonObjects.get(beanName);
         if (singletonObject == null) {
            if (this.singletonsCurrentlyInDestruction) {
               throw new BeanCreationNotAllowedException(beanName,
                     "Singleton bean creation not allowed while singletons of this factory are in destruction " +
                     "(Do not request a bean from a BeanFactory in a destroy method implementation!)");
            }
            if (logger.isDebugEnabled()) {
               logger.debug("Creating shared instance of singleton bean '" + beanName + "'");
            }
            //bean的前處理器
            beforeSingletonCreation(beanName);
            boolean newSingleton = false;
            boolean recordSuppressedExceptions = (this.suppressedExceptions == null);
            if (recordSuppressedExceptions) {
               this.suppressedExceptions = new LinkedHashSet<Exception>();
            }
            try {
               singletonObject = singletonFactory.getObject();
               newSingleton = true;
            }
            catch (IllegalStateException ex) {
               // Has the singleton object implicitly appeared in the meantime ->
               // if yes, proceed with it since the exception indicates that state.
               singletonObject = this.singletonObjects.get(beanName);
               if (singletonObject == null) {
                  throw ex;
               }
            }
            catch (BeanCreationException ex) {
               if (recordSuppressedExceptions) {
                  for (Exception suppressedException : this.suppressedExceptions) {
                     ex.addRelatedCause(suppressedException);
                  }
               }
               throw ex;
            }
            finally {
               if (recordSuppressedExceptions) {
                  this.suppressedExceptions = null;
               }
               //bean的後處理器
               afterSingletonCreation(beanName);
            }
            if (newSingleton) {
               addSingleton(beanName, singletonObject);
            }
         }
         return (singletonObject != NULL_OBJECT ? singletonObject : null);
      }
   }

   /**
    * 存放bean建立過程的異常
    * @param ex the Exception to register
    */
   protected void onSuppressedException(Exception ex) {
      synchronized (this.singletonObjects) {
         if (this.suppressedExceptions != null) {
            this.suppressedExceptions.add(ex);
         }
      }
   }

   /**
    * 移除一個單例bean
    * @param beanName the name of the bean
    * @see #getSingletonMutex()
    */
   protected void removeSingleton(String beanName) {
      synchronized (this.singletonObjects) {
         this.singletonObjects.remove(beanName);
         this.singletonFactories.remove(beanName);
         this.earlySingletonObjects.remove(beanName);
         this.registeredSingletons.remove(beanName);
      }
   }

   @Override
   public boolean containsSingleton(String beanName) {
      return this.singletonObjects.containsKey(beanName);
   }

   @Override
   public String[] getSingletonNames() {
      synchronized (this.singletonObjects) {
         return StringUtils.toStringArray(this.registeredSingletons);
      }
   }

   @Override
   public int getSingletonCount() {
      synchronized (this.singletonObjects) {
         return this.registeredSingletons.size();
      }
   }


   public void setCurrentlyInCreation(String beanName, boolean inCreation) {
      Assert.notNull(beanName, "Bean name must not be null");
      if (!inCreation) {
         this.inCreationCheckExclusions.add(beanName);
      }
      else {
         this.inCreationCheckExclusions.remove(beanName);
      }
   }

   public boolean isCurrentlyInCreation(String beanName) {
      Assert.notNull(beanName, "Bean name must not be null");
      return (!this.inCreationCheckExclusions.contains(beanName) && isActuallyInCreation(beanName));
   }

   protected boolean isActuallyInCreation(String beanName) {
      return isSingletonCurrentlyInCreation(beanName);
   }

   /**
    * Return whether the specified singleton bean is currently in creation
    * (within the entire factory).
    * @param beanName the name of the bean
    */
   public boolean isSingletonCurrentlyInCreation(String beanName) {
      return this.singletonsCurrentlyInCreation.contains(beanName);
   }

   /**
    * Callback before singleton creation.
    * <p>The default implementation register the singleton as currently in creation.
    * @param beanName the name of the singleton about to be created
    * @see #isSingletonCurrentlyInCreation
    */
   protected void beforeSingletonCreation(String beanName) {
      if (!this.inCreationCheckExclusions.contains(beanName) && !this.singletonsCurrentlyInCreation.add(beanName)) {
         throw new BeanCurrentlyInCreationException(beanName);
      }
   }

   /**
    * Callback after singleton creation.
    * <p>The default implementation marks the singleton as not in creation anymore.
    * @param beanName the name of the singleton that has been created
    * @see #isSingletonCurrentlyInCreation
    */
   protected void afterSingletonCreation(String beanName) {
      if (!this.inCreationCheckExclusions.contains(beanName) && !this.singletonsCurrentlyInCreation.remove(beanName)) {
         throw new IllegalStateException("Singleton '" + beanName + "' isn't currently in creation");
      }
   }


   /**
    * 註冊一個可銷燬的bean
    * @param beanName the name of the bean
    * @param bean the bean instance
    */
   public void registerDisposableBean(String beanName, DisposableBean bean) {
      synchronized (this.disposableBeans) {
         this.disposableBeans.put(beanName, bean);
      }
   }

   /**
    * 註冊一個包含內部bean和外部bean的bean對象
    * @param containedBeanName the name of the contained (inner) bean
    * @param containingBeanName the name of the containing (outer) bean
    * @see #registerDependentBean
    */
   public void registerContainedBean(String containedBeanName, String containingBeanName) {
      // A quick check for an existing entry upfront, avoiding synchronization...
      Set<String> containedBeans = this.containedBeanMap.get(containingBeanName);
      if (containedBeans != null && containedBeans.contains(containedBeanName)) {
         return;
      }

      // No entry yet -> fully synchronized manipulation of the containedBeans Set
      synchronized (this.containedBeanMap) {
         containedBeans = this.containedBeanMap.get(containingBeanName);
         if (containedBeans == null) {
            containedBeans = new LinkedHashSet<String>(8);
            this.containedBeanMap.put(containingBeanName, containedBeans);
         }
         containedBeans.add(containedBeanName);
      }
      registerDependentBean(containedBeanName, containingBeanName);
   }

   /**
    * 註冊一個bean和他依賴的bean
    * @param beanName the name of the bean
    * @param dependentBeanName the name of the dependent bean
    */
   public void registerDependentBean(String beanName, String dependentBeanName) {
      // A quick check for an existing entry upfront, avoiding synchronization...
      String canonicalName = canonicalName(beanName);
      Set<String> dependentBeans = this.dependentBeanMap.get(canonicalName);
      if (dependentBeans != null && dependentBeans.contains(dependentBeanName)) {
         return;
      }

      // No entry yet -> fully synchronized manipulation of the dependentBeans Set
      synchronized (this.dependentBeanMap) {
         dependentBeans = this.dependentBeanMap.get(canonicalName);
         if (dependentBeans == null) {
            dependentBeans = new LinkedHashSet<String>(8);
            this.dependentBeanMap.put(canonicalName, dependentBeans);
         }
         dependentBeans.add(dependentBeanName);
      }
      synchronized (this.dependenciesForBeanMap) {
         Set<String> dependenciesForBean = this.dependenciesForBeanMap.get(dependentBeanName);
         if (dependenciesForBean == null) {
            dependenciesForBean = new LinkedHashSet<String>(8);
            this.dependenciesForBeanMap.put(dependentBeanName, dependenciesForBean);
         }
         dependenciesForBean.add(canonicalName);
      }
   }

   /**
    * 判斷兩個bean是否相互依賴
    * @param beanName the name of the bean to check
    * @param dependentBeanName the name of the dependent bean
    * @since 4.0
    */
   protected boolean isDependent(String beanName, String dependentBeanName) {
      return isDependent(beanName, dependentBeanName, null);
   }

   private boolean isDependent(String beanName, String dependentBeanName, Set<String> alreadySeen) {
      if (alreadySeen != null && alreadySeen.contains(beanName)) {
         return false;
      }
      String canonicalName = canonicalName(beanName);
      Set<String> dependentBeans = this.dependentBeanMap.get(canonicalName);
      if (dependentBeans == null) {
         return false;
      }
      if (dependentBeans.contains(dependentBeanName)) {
         return true;
      }
      for (String transitiveDependency : dependentBeans) {
         if (alreadySeen == null) {
            alreadySeen = new HashSet<String>();
         }
         alreadySeen.add(beanName);
         if (isDependent(transitiveDependency, dependentBeanName, alreadySeen)) {
            return true;
         }
      }
      return false;
   }

   /**
    * 確認當前bean是否有依賴
    * @param beanName the name of the bean to check
    */
   protected boolean hasDependentBean(String beanName) {
      return this.dependentBeanMap.containsKey(beanName);
   }

   /**
    * 獲取這個bean全部依賴的bean
    * @param beanName the name of the bean
    * @return the array of dependent bean names, or an empty array if none
    */
   public String[] getDependentBeans(String beanName) {
      Set<String> dependentBeans = this.dependentBeanMap.get(beanName);
      if (dependentBeans == null) {
         return new String[0];
      }
      return StringUtils.toStringArray(dependentBeans);
   }

   /**
    * 返回全部依賴該bean的bean對象
    * @param beanName the name of the bean
    * @return the array of names of beans which the bean depends on,
    * or an empty array if none
    */
   public String[] getDependenciesForBean(String beanName) {
      Set<String> dependenciesForBean = this.dependenciesForBeanMap.get(beanName);
      if (dependenciesForBean == null) {
         return new String[0];
      }
      return dependenciesForBean.toArray(new String[dependenciesForBean.size()]);
   }

   public void destroySingletons() {
      if (logger.isDebugEnabled()) {
         logger.debug("Destroying singletons in " + this);
      }
      synchronized (this.singletonObjects) {
         this.singletonsCurrentlyInDestruction = true;
      }

      String[] disposableBeanNames;
      synchronized (this.disposableBeans) {
         disposableBeanNames = StringUtils.toStringArray(this.disposableBeans.keySet());
      }
      for (int i = disposableBeanNames.length - 1; i >= 0; i--) {
         destroySingleton(disposableBeanNames[i]);
      }

      this.containedBeanMap.clear();
      this.dependentBeanMap.clear();
      this.dependenciesForBeanMap.clear();

      synchronized (this.singletonObjects) {
         this.singletonObjects.clear();
         this.singletonFactories.clear();
         this.earlySingletonObjects.clear();
         this.registeredSingletons.clear();
         this.singletonsCurrentlyInDestruction = false;
      }
   }

   /**
    * Destroy the given bean. Delegates to {@code destroyBean}
    * if a corresponding disposable bean instance is found.
    * @param beanName the name of the bean
    * @see #destroyBean
    */
   public void destroySingleton(String beanName) {
      // Remove a registered singleton of the given name, if any.
      removeSingleton(beanName);

      // Destroy the corresponding DisposableBean instance.
      DisposableBean disposableBean;
      synchronized (this.disposableBeans) {
         disposableBean = (DisposableBean) this.disposableBeans.remove(beanName);
      }
      destroyBean(beanName, disposableBean);
   }

   /**
    * Destroy the given bean. Must destroy beans that depend on the given
    * bean before the bean itself. Should not throw any exceptions.
    * @param beanName the name of the bean
    * @param bean the bean instance to destroy
    */
   protected void destroyBean(String beanName, DisposableBean bean) {
      // Trigger destruction of dependent beans first...
      Set<String> dependencies = this.dependentBeanMap.remove(beanName);
      if (dependencies != null) {
         if (logger.isDebugEnabled()) {
            logger.debug("Retrieved dependent beans for bean '" + beanName + "': " + dependencies);
         }
         for (String dependentBeanName : dependencies) {
            destroySingleton(dependentBeanName);
         }
      }

      // Actually destroy the bean now...
      if (bean != null) {
         try {
            bean.destroy();
         }
         catch (Throwable ex) {
            logger.error("Destroy method on bean with name '" + beanName + "' threw an exception", ex);
         }
      }

      // Trigger destruction of contained beans...
      Set<String> containedBeans = this.containedBeanMap.remove(beanName);
      if (containedBeans != null) {
         for (String containedBeanName : containedBeans) {
            destroySingleton(containedBeanName);
         }
      }

      // Remove destroyed bean from other beans' dependencies.
      synchronized (this.dependentBeanMap) {
         for (Iterator<Map.Entry<String, Set<String>>> it = this.dependentBeanMap.entrySet().iterator(); it.hasNext();) {
            Map.Entry<String, Set<String>> entry = it.next();
            Set<String> dependenciesToClean = entry.getValue();
            dependenciesToClean.remove(beanName);
            if (dependenciesToClean.isEmpty()) {
               it.remove();
            }
         }
      }

      // Remove destroyed bean's prepared dependency information.
      this.dependenciesForBeanMap.remove(beanName);
   }

   /**
    * Exposes the singleton mutex to subclasses and external collaborators.
    * <p>Subclasses should synchronize on the given Object if they perform
    * any sort of extended singleton creation phase. In particular, subclasses
    * should <i>not</i> have their own mutexes involved in singleton creation,
    * to avoid the potential for deadlocks in lazy-init situations.
    */
   public final Object getSingletonMutex() {
      return this.singletonObjects;
   }

}
相關文章
相關標籤/搜索