一、数据源解释
- 数据源就是数据库连接池,就是前面所学的c3p0以及druid
二、数据源手动配置
- 在pom.xml中导入mysql驱动以及durid的坐标
- 创建数据源对象
- 设置连接数据
- 使用数据源连接资源
- 归还连接资源
DruidDataSource dataSource = new DruidDataSource();
dataSource.setDriverClassName("com.mysql.jdbc.Driver");
dataSource.setUrl("jdbc:mysql://localhost:3306/test");
dataSource.setUsername("root");
dataSource.setPassword("970725");
DruidPooledConnection connection = dataSource.getConnection();
connection.close();
三、抽取配置文件
- 在resources目录下新建一个jdbc.properties文件
- 编写内容
jdbc.driver=com.mysql.jdbc.Driver
jdbc.url=jdbc:mysql://localhost:3306/test
jdbc.username=root
jdbc.password=970725
- 读取配置文件
ResourceBundle jdbc = ResourceBundle.getBundle("jdbc");
String drive = jdbc.getString("jdbc.drive");
String url = jdbc.getString("jdbc.url");
String username = jdbc.getString("jdbc.username");
String password = jdbc.getString("jdbc.password");
四、spring配置数据源
- 编写pom.xml导入spring-context坐标
<dependency>
<groupId>org.springframework</groupId>
<artifactId>spring-context</artifactId>
<version>5.3.10</version>
</dependency>
- 在resources目录下创建applicationContext文件
<bean id="dataSource" class="com.alibaba.druid.pool.DruidDataSource">
<property name="driverClassName" value="jdbc:mysql://localhost:3306/test"/>
<property name="url" value="com.mysql.jdbc.Driver"/>
<property name="username" value="root"/>
<property name="password" value="970725"/>
</bean>
- 获取对象
ApplicationContext app = new ClassPathXmlApplicationContext("applicationContext");
DataSource dataSource = (DataSource) app.getBean("dataSource");
Connection connection = dataSource.getConnection();
connection.close();
五、从pom.xml中读取jdbc.properties
- 在pom.xml中引入context,命名空间
- 在pom.xml中加载jdbc.properties文件,其中${}里面的值是jdbc.properties中的key值
<context:property-placeholder location="classpath:jdbc.properties"/>
<bean id="dataSource" class="com.alibaba.druid.pool.DruidDataSource">
<property name="driverClassName" value="${jdbc.driver}"/>
<property name="url" value="${jdbc.url}"/>
<property name="username" value="${jdbc.username}"/>
<property name="password" value="${jdbc.password}"/>
</bean>
- 获取对象
ApplicationContext app = new ClassPathXmlApplicationContext("applicationContext");
DataSource dataSource = (DataSource) app.getBean("dataSource");
Connection connection = dataSource.getConnection();
connection.close();
|