我正在玩Spring测试框架,但我有一个问题。通常,当在Tomcat上部署应用程序时,我们有
<Resource
name="jdbc/sqliteDS"
auth="Container"
type="javax.sql.DataSource"
maxActive="4"
maxIdle="2"
username="x"
maxWait="5000"
driverClassName="org.sqlite.JDBC"
password="x"
url="jdbc:sqlite:/home/xxx/db.sqlite"/>
</Context>
在Tomcat context.xml中,
<resource-ref>
<description>sqlite DataSource</description>
<res-ref-name>jdbc/sqliteDS</res-ref-name>
<res-type>javax.sql.DataSource</res-type>
<res-auth>Container</res-auth>
</resource-ref>
在web.xml和
中<bean id="dataSource" class="org.springframework.jndi.JndiObjectFactoryBean">
<property name="jndiName" value="java:/comp/env/jdbc/sqliteDS" />
</bean>
在data-context.xml中 获取数据源,但我如何模拟Spring测试框架的JNDI资源,因为现在在初始化期间我遇到错误,找不到数据源,他是对的。
另外,如果没有编写另一个.xml文件就能做到这一点会很棒。
答案 0 :(得分:8)
前一段时间我不得不处理这个问题,我没有找到合适的解决方案,而是一个暗示另一个xml文件的workaroud:
首先,创建一个定义JNDI信息的Spring配置文件(jndi.xml):
<beans
xmlns="http://www.springframework.org/schema/beans"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://www.springframework.org/schema/beans
http://www.springframework.org/schema/beans/spring-beans-3.0.xsd">
<bean id="dataSource" class="org.apache.tomcat.dbcp.dbcp.BasicDataSource" destroy-method="close">
<property name="driverClassName" value="oracle.jdbc.driver.OracleDriver" />
<property name="url" value="jdbc:oracle:thin:@server:port:instance" />
<property name="username" value="user" />
<property name="password" value="pwd" />
</bean>
</beans>
然后是一个绑定JNDI变量的静态类:
public class Initialize {
public static void initializeJndi() throws Exception {
ApplicationContext applicationContext = new ClassPathXmlApplicationContext("jndi.xml");
SimpleNamingContextBuilder builder = new SimpleNamingContextBuilder();
builder.bind("java:comp/env/jdbc/foo", applicationContext.getBean("dataSource"));
builder.activate();
}
}
然后在您的测试类中添加以下内容:
@BeforeClass
public static void initJndi() throws Exception {
Initialize.initializeJndi();
}
因此,当您加载Spring主配置文件时,可以访问JNDI资源。
也许这不是最好的方法,但它确实有效。
顺便说一句,拥有一个特定的配置文件似乎是一个好主意,因为您可能不希望在最终数据库上运行单元测试。这样做更像是集成测试,而不是单元测试。
希望它有所帮助,
Mouwah