在普通Java类中使用Dao对象

原系统使用JDBC进行数据库操作并封装到树型结构类中,数据存储与业务操作耦合在一起,现在要将系统迁移到新系统框架中,使用MyBatis连接数据库,并进行相应的业务操作。

但是改造后,由于需要使用DAO,所以在类中注入了几个DAO成员对象,并加上了@Autowired注解,但是在执行时,抛出空指针异常,几个DAO对象都为NULL,原先代码中使用NEW的方式生成新对象,这时候的对象只是普通的Java对象,类中也没有显式的初始化,所以为空,解决办法是将对象交给Spring管理(@Component),从Java对象变为Bean对象,由Spring来自动给成员进行注入(@Autowired),编写工具类,在使用时从容器中获取Bean对象即可,由于每次都需要使用新的对象,所以给对象加上原型注解(@Scope("prototype")),实现每次获取不同的新对象。

在普通Java类中使用Dao对象_第1张图片

在普通Java类中使用Dao对象_第2张图片

工具类代码:

/**
 * 通过该类即可在普通工具类里获取spring管理的bean
 * @author wolf
 *
 */
public final class SpringTool implements ApplicationContextAware {
    private static ApplicationContext applicationContext = null;

    @Override
    public void setApplicationContext(ApplicationContext applicationContext) throws BeansException {
        if (SpringTool.applicationContext == null) {
            SpringTool.applicationContext = applicationContext;
            System.out.println(
                    "========ApplicationContext配置成功,在普通类可以通过调用ToolSpring.getAppContext()获取applicationContext对象,applicationContext="
                            + applicationContext + "========");
        }
    }

    public static ApplicationContext getApplicationContext() {
        return applicationContext;
    }

    public static Object getBean(String name) {
        return getApplicationContext().getBean(name);
    }
}

 

你可能感兴趣的:(Spring)