Report this

What is the reason for this report?

Tomcat DataSource JNDI Example in Java

Published on August 3, 2022
Tomcat DataSource JNDI Example in Java

Welcome to Tomcat DataSource JNDI Example Tutorial. We looked at the JDBC DataSource in the last tutorial and learned how to use that in standalone java application.

Tomcat DataSource JNDI

tomcat datasource, jndi example, tomcat jndi, jndi tutorial Actual benefit of DataSource comes when we use it with a JNDI Context. For example, connection pool in a web application deployed in a servlet container. Most of the popular servlet containers provide built-in support for DataSource through Resource configuration and JNDI context. This helps us in creating and using DataSource connection pool with just few lines of configuration. This tutorial is aimed to provide Tomcat DataSource JNDI configuration example. Apache Tomcat provide three ways to configure DataSource in JNDI context.

  1. Application context.xml - This is the easiest way to configure DataSource, all we need is a context.xml file in META-INF directory. We have to define Resource element in the context file and container will take care of loading and configuring it. The approach is simple but it has some drawbacks;
    • Since the context file is bundled with the WAR file, we need to build and deploy new WAR for every small configuration change. Same issue comes if your application works in distributed environment or your application needs to be deployed in different testing environments such as QA, IT, PROD etc.
    • The datasource is created by container for the application usage only, so it can’t be used globally. We can’t share the datasource across multiple applications.
    • If there is a global datasource (server.xml) defined with same name, the application datasource is ignored.
  2. Server context.xml - If there are multiple applications in the server and you want to share DataSource across them, we can define that in the server context.xml file. This file is located in apache-tomcat/conf directory. The scope of server context.xml file is application, so if you define a DataSource connection pool of 100 connections and there are 20 applications then the datasource will be created for each of the application. This will result in 2000 connections that will obviously consume all the database server resources and hurt application performance.
  3. server.xml and context.xml - We can define DataSource at global level by defining them in the server.xml GlobalNamingResources element. If we use this approach, then we need to define a ResourceLink from context.xml file of server or application specific. This is the preferred way when you are looking to share a common resource pool across multiple applications running on the server. Regarding resource link, whether to define it at server level context xml file or application level depends on your requirement.

Let’s head over to the Tomcat DataSource JNDI example in java web application. For the test data setup, please refer to my last article about JDBC DataSource Example.

Tomcat DataSource JNDI Configuration Example - server.xml

Add below code in the tomcat server.xml file. The code should be added in the GlobalNamingResources element. Also make sure that database driver is present in the tomcat lib directory, so in this case mysql jdbc jar have to be present in the tomcat lib.

<Resource name="jdbc/MyDB" 
      global="jdbc/MyDB" 
      auth="Container" 
      type="javax.sql.DataSource" 
      driverClassName="com.mysql.jdbc.Driver" 
      url="jdbc:mysql://localhost:3306/UserDB" 
      username="pankaj" 
      password="pankaj123" 
      
      maxActive="100" 
      maxIdle="20" 
      minIdle="5" 
      maxWait="10000"/>

Here we are creating JNDI context with name as jdbc/MyDB which is a type of DataSource. We are passing database configurations in url, username, password and driverClassName attribute. Connection pooling properties are defined in maxActive, maxIdle and minIdle attributes.

Add below code in the server context.xml file.

<ResourceLink name="jdbc/MyLocalDB"
                global="jdbc/MyDB"
                auth="Container"
                type="javax.sql.DataSource" />

Notice that resource link name is different than global link, we have to use this name in our java program to get the DataSource.

Tomcat DataSource JNDI Example

Create a dynamic web application with name JDBCDataSourceTomcat and then create a Servlet with below code.

package com.journaldev.jdbc.datasource;

import java.io.IOException;
import java.io.PrintWriter;
import java.sql.Connection;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.sql.Statement;

import javax.naming.Context;
import javax.naming.InitialContext;
import javax.naming.NamingException;
import javax.servlet.ServletException;
import javax.servlet.annotation.WebServlet;
import javax.servlet.http.HttpServlet;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import javax.sql.DataSource;

@WebServlet("/JDBCDataSourceExample")
public class JDBCDataSourceExample extends HttpServlet {
	private static final long serialVersionUID = 1L;
       
	protected void doGet(HttpServletRequest request, HttpServletResponse response) throws ServletException, IOException {
		Context ctx = null;
		Connection con = null;
		Statement stmt = null;
		ResultSet rs = null;
		try{
			ctx = new InitialContext();
			DataSource ds = (DataSource) ctx.lookup("java:/comp/env/jdbc/MyLocalDB");
			
			con = ds.getConnection();
			stmt = con.createStatement();
			
			rs = stmt.executeQuery("select empid, name from Employee");
			
			PrintWriter out = response.getWriter();
            response.setContentType("text/html");
            out.print("<html><body><h2>Employee Details</h2>");
            out.print("<table border=\"1\" cellspacing=10 cellpadding=5>");
            out.print("<th>Employee ID</th>");
            out.print("<th>Employee Name</th>");
            
            while(rs.next())
            {
                out.print("<tr>");
                out.print("<td>" + rs.getInt("empid") + "</td>");
                out.print("<td>" + rs.getString("name") + "</td>");
                out.print("</tr>");
            }
            out.print("</table></body><br/>");
            
            //lets print some DB information
            out.print("<h3>Database Details</h3>");
            out.print("Database Product: "+con.getMetaData().getDatabaseProductName()+"<br/>");
            out.print("Database Driver: "+con.getMetaData().getDriverName());
            out.print("</html>");
            
		}catch(NamingException e){
			e.printStackTrace();
		} catch (SQLException e) {
			e.printStackTrace();
		}finally{
			try {
				rs.close();
				stmt.close();
				con.close();
				ctx.close();
			} catch (SQLException e) {
				System.out.println("Exception in closing DB resources");
			} catch (NamingException e) {
				System.out.println("Exception in closing Context");
			}
			
		}
	}

}

Notice that I am using Servlet 3 Annotation based configuration and it will work in Tomcat 7 or higher versions. If you are using lower version of Tomcat then you need to do some modifications to the servlet code, to remove WebServlet annotation and configure in web.xml file. The part of servlet code that we are interested in;

ctx = new InitialContext();
DataSource ds = (DataSource) ctx.lookup("java:/comp/env/jdbc/MyLocalDB");

This is the way to get the JNDI resources defined to be used by the application. We could have written it in this way too;

ctx = new InitialContext();
Context initCtx  = (Context) ctx.lookup("java:/comp/env");
DataSource ds = (DataSource) initCtx.lookup("jdbc/MyLocalDB");

I am also printing some database information to check which database we are connected. Now when you will run the application, you will see following output. Tomcat DataSource JNDI Example MySQL, JNDI DataSource MySQL Let’s see how easy it is to switch the database server because we are using Tomcat DataSource. All you need is to change the Database properties. So if we have to switch to Oracle database, my Resource configuration will look like below.

<Resource name="jdbc/MyDB" 
      global="jdbc/MyDB" 
      auth="Container" 
      type="javax.sql.DataSource" 
      driverClassName="oracle.jdbc.driver.OracleDriver" 
      url="jdbc:oracle:thin:@localhost:1521:orcl" 
      username="hr" 
      password="oracle" 
      
      maxActive="100" 
      maxIdle="20" 
      minIdle="5" 
      maxWait="10000"/>

And when we restart the server and run the application, it will connect to Oracle database and produce below result. Tomcat DataSource JNDI Example Oracle That’s all for Tomcat DataSource JNDI configuration example tutorial, you can define the resource in similar way in context.xml files too.

Thanks for learning with the DigitalOcean Community. Check out our offerings for compute, storage, networking, and managed databases.

Learn more about our products

About the author

Pankaj Kumar
Pankaj Kumar
Author
See author profile

Java and Python Developer for 20+ years, Open Source Enthusiast, Founder of https://www.askpython.com/, https://www.linuxfordevices.com/, and JournalDev.com (acquired by DigitalOcean). Passionate about writing technical articles and sharing knowledge with others. Love Java, Python, Unix and related technologies. Follow my X @PankajWebDev

While we believe that this content benefits our community, we have not yet thoroughly reviewed it. If you have any suggestions for improvements, please let us know by clicking the “report an issue“ button at the bottom of the tutorial.

Still looking for an answer?

Was this helpful?

nice post…and where did u get this path java:/comp/env

- subbareddy

good explanation…

- Arun

Excellent post………………Could you please explain how you get this " java:/comp/env"… Sorry I am kind of beginner in Java language. Thanking in advance. regards, Zulifqar

- Zulifqar

THanks for the post, but I am getting Error: Java.lang.ClassCastException: org.apache.tomcat.dbcp.dbcp.BasicDataSource cannot be cast to sun.jdbc.odbc.ee.DataSource can you please help

- Anshul Jain

Hi sir,i created a datasource in Server.xml and writing resourcelink in context.xml but it is not considering second Database Connection Details sir. in Server.xml under GlobalNamingResources tag i wrote 2 Resource tags for 2 different db connections and in Context.xml i wrote 2 ResourceLink for those 2 different db connections, First Connection is working where as second one is not working sir.

- Venkata Sriram

i do not understand this sir plz explain where it is …“java:/comp/env/jdbc/MyLocalDB”

- lalit

I have put in server context.xml. but i have put following tag in the web.xml DB Connection jdbc/MoranDB javax.sql.DataSource Container ============== i am able to use the Datasource connection. But i want to know the difference between using (server.xml and context.xml) and as i do(context.xml of server and web.xml of application). PS: i am using tomcat-7 and Mysql database. please give you insight. thank you

- irshad

Thanks for the post. I read a lot of blogs, and everywhere I saw only the configuration in Server.xml file. I was trying to following the same thing but it never worked, after looking at your explanation, I added the elements in Context.xml and it worked like a charm. Thanks again, brother.

- pradeep

Thanks a lot for this really clear example.

- Ju

Thank for great tutorials. I have problem with this one. It doesn’t show me table, it just show message “TODO write content”. What can be wrong?

- Oleg

Thank you Pankaj for this useful article, But I wold like to add regarding Eclipse Don’t forget that the Tomcat files will be under the “Server” in the eclipse project hierarchy so modifying them in tomcat alone will not help thank you again

- Ali Saleh

nice post.Very helpful

- Pavan

Nice article. Thank You.

- Punnoose

THANK YOU SO MUCH for this post, I had problems to understand this JNDI stuff, I didn’t know anything about JNDI and know everything is clear! Thanks Pankaj :)

- Jorge de Lemos

Sir,I would like to know about my project . regarding the connection of servlet code to telegram web for bus booking through online

- Jeevitha

This is my first time i’m commenting on the web, because it really works and the article is really great.

- Sam

Great article, very helpful. Thanks!

- Kamil

Hi All, I have following configuration… – main-context.xml --DataSource.xml WEB-INF/database.properties Instead of above definition I have used following definition --database.properties jdbc.jndiName=java:comp/env/jdbc/MYAPPDB --server.xml I have encrypted datasource password using BASE64Encoder Here is my EncryptedDataSource class for decrypting password which extends JndiObjectFactoryBean package my.app.util; import java.io.IOException; import javax.naming.NamingException; import org.apache.commons.configuration.JNDIConfiguration; import org.springframework.jndi.JndiObjectFactoryBean; import sun.misc.BASE64Decoder; import sun.misc.BASE64Encoder; public class EncryptedDataSource extends JndiObjectFactoryBean{ /*@Override public String getPassword() { String password = super.getPassword(); password = decode(password); return password; }*/ private String decode(String decode) { BASE64Decoder decoder = new BASE64Decoder(); try { decode = new String(decoder.decodeBuffer(decode)); } catch (IOException e) { e.printStackTrace(); } return decode; } private String encode(String encode) throws IOException { BASE64Encoder encoder = new BASE64Encoder(); encode = new String(encoder.encodeBuffer(encode.getBytes())); return encode; } public static void main(String[] args) throws IllegalArgumentException, NamingException { EncryptedDataSource ed = new EncryptedDataSource(); try { String password = ed.encode(“password”); System.out.println("password = "+password); } catch (IOException e) { e.printStackTrace(); } } } I want to decrypt while connection pooling. Please help.

- Yatin

Hello, I have an error when I run this example. org.apache.tomcat.dbcp.dbcp.SQLNestedException: Cannot create JDBC driver of class ‘’ for connect URL ‘null’. I can’t find any solution in google :( Pls help me.

- Dmitry

Hi, Great article, very helpful… But I have a doubt, which is a difference beetween: java:comp/env/jdbc/name_ds java:/comp/env/jdbc/name_ds java:jdbc/name_ds java:/jdbc/name_ds where can I setup the way to call the jndi? I have this problem, in my pc an example works with “java:/comp/env/jdbc/name_ds”, the same example in the my friend computer doesn’t work, we changed to “java:/jdbc/name_ds” to work. We don’t know what is the reason… Anybody can help us? Thanks

- Atelo

Fantastic useful stuff.Thanks bro:)

- Sagar

what is happening in the following code. please tell me the flow of the program, please let me know what is the difference between test0001 and test003. is resource leak happening in this code ??? package data; import javax.naming.InitialContext; import javax.naming.NamingException; public class Sample{ public static void test000(){ try { InitialContext ctx = new InitialContext(); // jtest is able to find a resource leak here. } catch (NamingException e) { e.printStackTrace(); } } public void test001(){ try { InitialContext ctx = new InitialContext(); call001(ctx); } catch (NamingException e) { e.printStackTrace(); } } public void call001(InitialContext ctx){ // do nothing. } public void test002(){ try{ InitialContext ctx = new InitialContext(); call002(ctx); }catch(NamingException e){ e.printStackTrace(); } } private boolean isTrue = false; public void call002(InitialContext ctx){ if(this.isTrue){ try{ ctx.close(); }catch(NamingException e){ e.printStackTrace(); } } } } Thanks in advance :)

- Lavanya

Hey Everyone, I need some help. “java:/comp/env” without providing this how to read JNDI configuration in Tomcat Server. My application is working in Jettty server without any issues, but while migrating to Tomcat i am facing JNDI issues. if i am adding JNDI Prefix it is working fine. I have to change entire application. Without any changes in my application how to resolve this issue.

- Santhoshkumar

Hi Pankaj, what is difference between these two configurations why you are using java:/comp/env/jdbc/MyLocalDB why can’t be this java:/comp/env/jdbc/MyDB to get the DataSource

- Sandeep

Hi, what is difference between Resourceand ResourceLink in context.xml and server.xml why you have used java:/comp/env/jdbc/MyLocalDB to get DataSource why not jdbc/MyDB. Please let me know as i am begineer

- Sandeep

Dear Mr. JournalDev, Congrats for your job. I have a web application with a connection pool defined in server.xml of the server ($CATALINA_HOME/server.xml). I can use this connection pool for JPA connections but I cannot open connection from this pool directly using the context and the lookup of the context. I have tried using ResourceLinks on context.xml of the application which pointed to the dataSource globally defined but it does not work. I have created another connection pool in the context.xml application file and it works, but it is not so efficient. The question is: it is possible to use the global Data Source defined on server.xml of the web application server for connecting database trough the Web Application? Thanks in advance, Alberto.

- Alberto

Nice article.

- Fazeela

nice post , each and every thing is define clearly actually i configure in context.xml due to this in my webapp there are 6 folder so it create 6 times connection . i give initialsize 10 so it create 60 connection 10 for each application . but when i conigure in server.xm it work fine and create 10 connection . tanks for this post.

- rahul kumar

while running this getting following error type Status report message /JDBCDataSourceExample/ description The requested resource is not available.

- Debaranjan Ghosh

I don’t see any error or exception in your point " If there is a global datasource (server.xml) defined with same name, the application datasource is ignored. " I tried everything to let this happen… but nothing happens, i need to raise this issue, why it is not ignoring the application context.xml Datasource when there is Global DataSource in server.xml with same name.

- Pran Sukh

Good information. Thank you very much.

- Ramesh

Hi Could you please create the data source for microsoft sql server/ Regard Muhmmad

- Muhammad Zahid

Hi sir, i connected database mysql with tomcat but was getting errors like… 22-Jan-2020 22:36:28.192 WARNING [main] org.apache.catalina.util.SessionIdGeneratorBase.createSecureRandom Creation of SecureRandom instance for session ID generation using [SHA1PRNG] took [197] milliseconds. & 22-Jan-2020 22:36:30.776 INFO [main] org.apache.coyote.AbstractProtocol.start Starting ProtocolHandler [“http-nio-8080”] . Could you please help me.

- chika

Hi Pankaj, Thanks for all of the above. Though… Using JNDI for datasources really hard-wires my application to Tomcat (with context.xml and web.xml). Thus, I cannot unit-test my DB-code outside a running Tomcat, if the connection is to be obtained using JNDI. It is not hard to establish a JDCB-connection from scratch - that is not the issue. The problem is, that I want to configure for the connection properties used by JNDI from outside Tomcat (ie the url, username, password) - preferrably in a Java-properties file. In a context.xml I cannot see a way to do that elegantly, without having to specify url, user, pwd properties with -D at JVM level - then I can revert to the ${…somename…} pattern in both context.xml and web.xml. I have tried to find ways to have Tomcat accept a Java-properties file up-front, but no luck. A WEB-application is not portable, if context.xml has to be modified for each deploy, and it is not JDCB-testable at low level, if it requires a Tomcat to be running. Can you see my point? How to do JNDI JDCB-connects out-side Tomcat? Please tell, if you have any suggestions. Best, Aron

- Aron Olsen

Thanks for this great article. I’ve a problem that I suppose is simple to solve but I can’t find the way. My scenario is: one war (ex.: myapp.war) should serve multiple context (ex.: /app1, /app2, etc…) and each context must have his own database. How can I configure Tomcat for this scenario? Many thanks in advance to anyone can help me

- Ferdinando Cecchini

H, I have followed this tutorial (for Oracle) but keep getting the following errors - java.lang.NullPointerException com.seagate.stst.contactlist.JDBCDataSourceExample.doGet(JDBCDataSourceExample.java:64) javax.servlet.http.HttpServlet.service(HttpServlet.java:621) javax.servlet.http.HttpServlet.service(HttpServlet.java:728) org.apache.tomcat.websocket.server.WsFilter.doFilter(WsFilter.java:52) Can you please help!?

- Dearbhla

Sir I’m getting an exception called javax.naming.NameNotFoundException :Name [jdbc/MyLocalDB] is not bound in this Context. Unable to find [jdbc]… I wrote the database connection code in a seperate file called DBUtil.java. Kindly help me with a solution. Thank You.

- vishnu

very good post…helped alot

- sushma

Do we need SERVER.XML and CONTEXT.XML, or just one file? You don’t say. Can I just update CONTEXT.XML to configure JNDI?

- Jason

Can I configure primary and secondary datasource in the tomcat context.xml? I tried it using comma separated values and it worked. It just connects to the secondary if the primary is not available. But I guess that cannot work during runtime. I have a spring based web application running on tomcat. I need my application to connect to a secondary database if the connection to the primary times out. This should happen at runtime. One way I could think was to define another datasource and then when craeting connection, catch the exceptiona nd connect to secondary . Is there an elegant way of doing it from config instead of code.

- vish

Creative CommonsThis work is licensed under a Creative Commons Attribution-NonCommercial- ShareAlike 4.0 International License.
Join the Tech Talk
Success! Thank you! Please check your email for further details.

Please complete your information!

The developer cloud

Scale up as you grow — whether you're running one virtual machine or ten thousand.

Get started for free

Sign up and get $200 in credit for your first 60 days with DigitalOcean.*

*This promotional offer applies to new accounts only.