我使用标准的MySQL连接器API使用Jetty 9.2(嵌入式),我对如何设置它非常困惑。目前,我在 web.xml 文件中有这个:
<webapp ...
<resource-ref>
<description>JDBC Data Source</description>
<res-ref-name>jdbc/DataSource</res-ref-name>
<res-type>javax.sql.DataSource</res-type>
<res-auth>Container</res-auth>
</resource-ref>
</webapp>
...这在我的jetty-env.xml中:
<Configure class="org.eclipse.jetty.webapp.WebAppContext">
<New id="DatabaseConnector" class="org.eclipse.jetty.plus.jndi.Resource">
<Arg></Arg>
<Arg>jdbc/DataSource</Arg>
<Arg>
<New class="com.mysql.jdbc.jdbc2.optional.MysqlConnectionPoolDataSource">
<Set name="Url">jdbc:mysql://localhost:3306/DBName</Set>
<Set name="User">user</Set>
<Set name="Password">pass</Set>
</New>
</Arg>
</New>
</Configure>
...此代码初始化:
Context envCtx = (Context) new InitialContext().lookup("java:comp/env");
DataSource datasource = (DataSource) envCtx.lookup("jdbc/DataSource");
当我尝试启动服务器时,收到错误javax.naming.NameNotFoundException; remaining name 'jdbc/DataSource'
。我在代码初始化中尝试了很多不同的字符串变体,比如删除lookup
对象上的InitialContext
调用,但我只是不断地使用不同的{{{}}来获取相同错误的变体{1}}值;
两个xml文件都位于我的name
目录中。我查看了大量以前的问题和教程,博客等,但我无处可去。
答案 0 :(得分:1)
这是嵌入式Jetty特有的问题组合。
首先,配置和启动Web服务器的启动器代码在我实际启动Web服务器之前,即在调用server.start()
之前进行JNDI查找,因此JNDI配置在该阶段未初始化。
但即使进行此更改也不起作用,因为需要从与WebApp关联的线程调用envCtx.lookup("jdbc/DataSource")
。所以我将该代码移动到静态块,在第一次Web服务器请求请求数据库连接时调用该块。
最后,我的启动器代码最终得到了类似的内容:
public static void main(String[] args) {
Server server = new Server();
//Enable parsing of jndi-related parts of web.xml and jetty-env.xml
ClassList classlist = ClassList.setServerDefault(server);
classlist.addAfter(
"org.eclipse.jetty.webapp.FragmentConfiguration",
"org.eclipse.jetty.plus.webapp.EnvConfiguration",
"org.eclipse.jetty.plus.webapp.PlusConfiguration");
...
...
server.start();
这个主线程不能进行JNDI查找,所以把它放在像servlet请求的init
方法那样的地方,或者就像我做的那样,是servlet使用的静态数据库访问器类的同步方法例如
public class DatabaseUtils {
private static DataSource datasource;
private static synchronized Connection getDBConnection() throws SQLException {
if (datasource == null) {
initDataSource();
}
return datasource.getConnection();
}
public static void initDataSource() {
try {
datasource = (DataSource) new InitialContext().lookup("java:comp/env/jdbc/DataSource");
LOG.info("Database connection pool initalized successfully");
} catch (Exception e) {
LOG.error("Error while initialising the database connection pool", e);
}
}