Spring BeanFactory作为Swing应用程序中的单例

时间:2011-03-18 16:38:32

标签: java spring swing singleton

我目前正在重构一个大的 Swing 应用程序,以便从 XmlBeanFactory 中获取一些对象。

许多不同的类都可以使用它,我想知道分享这个beanFactory的最佳方式是什么。

  • 我应该创建一个Singleton来共享这个XmlBeanFactory吗?

    类Singleton    {    public static XmlBeanFactory getBeanFactory()      {(...)      }    }

  • 或者我应该为我的对象添加一些setter(丑陋:它增加了一些依赖...)

  • 另一种解决方案?

由于

1 个答案:

答案 0 :(得分:2)

使用静态单例是一种可行的方法。我还没有找到更好的解决方案。它有点令人不满意,因为单例必须在使用之前用布线文件初始化,如果不这样做会导致bean创建异常,还有一件事需要记住。

public final class SpringUtil {

private static ApplicationContext context = null;
private static Set<String> alreadyLoaded = new HashSet<String>();

/**
 * Sets the spring context based off multiple wiring files. The files must exist on the classpath to be found.
 * Consider using "import resource="wiring.xml" in a single wiring file to reference other wiring files instead.
 * Note that this will destroy all previous existing wiring contexts.
 * 
 * @param wiringFiles an array of spring wiring files
 */
public static void setContext(String... wiringFiles) {
    alreadyLoaded.clear();
    alreadyLoaded.addAll(Arrays.asList(wiringFiles));
    context = new ClassPathXmlApplicationContext(wiringFiles);
}

/**
 * Adds more beans to the spring context givin an array of wiring files. The files must exist on the classpath to be
 * found.
 * 
 * @param addFiles an array of spring wiring files
 */
public static void addContext(String... addFiles) {
    if (context == null) {
        setContext(addFiles);
        return;
    }

    Set<String> notAlreadyLoaded = new HashSet<String>();
    for (String target : addFiles) {
        if (!alreadyLoaded.contains(target)) {
            notAlreadyLoaded.add(target);
        }
    }

    if (notAlreadyLoaded.size() > 0) {
        alreadyLoaded.addAll(notAlreadyLoaded);
        context = new ClassPathXmlApplicationContext(notAlreadyLoaded.toArray(new String[] {}), context);
    }
}

/**
 * Gets the current spring context for direct access.
 * 
 * @return the current spring context
 */
public static ApplicationContext getContext() {
    return context;
}

/**
 * Gets a bean from the current spring context.
 * 
 * @param beanName the name of the bean to be returned
 * @return the bean, or throws a RuntimeException if not found.
 */
public static Object getBean(final String beanName) {
    if (context == null) {
        throw new RuntimeException("Context has not been loaded.");
    }
    return getContext().getBean(beanName);
}

/**
 * Sets this singleton back to an uninitialized state, meaning it does not have any spring context and
 * {@link #getContext()} will return null. Note: this is for unit testing only and may be removed at any time.
 */
public static void reset() {
    alreadyLoaded.clear();
    context = null;
}

}

对于springframework的较新版本,您可以使用泛型使getBean()返回比Object更具体的类,这样您就不必在获取它之后强制转换它。

相关问题