In this example you will learn how to create and configure a DriverManagerDataSource
object that will be used by the JdbcTemplate
object. There are some information required when creating a DataSource
including the JDBC driver class, the JDBC Url of the target database, the username
and password
for connecting to database server.
package org.kodejava.example.spring.jdbc;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jdbc.datasource.DriverManagerDataSource;
import javax.sql.DataSource;
import java.util.List;
public class DataSourceDemo {
public static final String DRIVER = "com.mysql.jdbc.Driver";
public static final String JDBC_URL = "jdbc:mysql://localhost/mediadb";
public static final String USERNAME = "root";
public static final String PASSWORD = "";
public static void main(String[] args) {
// Creates an instance of DriverManagerDataSource and pass
// it to the JdbcTemplate.
DataSource source = getDataSource();
JdbcTemplate template = new JdbcTemplate(source);
// After creating a template with a data source inject we
// can do a database manipulation such as the CRUD operation.
System.out.println("DataSource = " + template.getDataSource());
List records = template.queryForList("SELECT * FROM records");
for (int i = 0; i < records.size(); i++) {
System.out.println("Records = " + records.get(i));
}
}
/**
* Returns a DataSource object for connection to the database.
*
* @return a DataSource.
*/
private static DataSource getDataSource() {
// Creates a new instance of DriverManagerDataSource and sets
// the required parameters such as the Jdbc Driver class,
// Jdbc URL, database user name and password.
DriverManagerDataSource dataSource = new DriverManagerDataSource();
dataSource.setDriverClassName(DataSourceDemo.DRIVER);
dataSource.setUrl(DataSourceDemo.JDBC_URL);
dataSource.setUsername(DataSourceDemo.USERNAME);
dataSource.setPassword(DataSourceDemo.PASSWORD);
return dataSource;
}
}
Latest posts by Wayan (see all)
- How do I install Calibri font in Ubuntu? - January 24, 2021
- How do I create a generic class in Java? - January 1, 2021
- How do I convert java.util.TimeZone to java.time.ZoneId? - April 25, 2020
Is there a way to rewrite this code to obscure the access details – database location, username and password?
Hi Raman,
One solution is to encrypt the database access details (url, username, password). Extends the
DriverManagerDataSource
class to create a version that decrypt all the encrypted database access details.