web-dev-qa-db-ja.com

SpringでXMLを介してMySqlデータソースBeanを定義する方法

Beanを定義するドキュメントを確認しました。 Mysqlデータベースにどのクラスファイルを使用すればよいかわかりません。誰でも以下のBeanの定義を記入できますか?

<bean name="dataSource" class="">
    <property name="driverClassName" value="" />
    <property name="url" value="mysql://localhost/GameManager" />
    <property name="username" value="gamemanagertest" />
    <property name="password" value="1" />
</bean>
14

どちらの答えも質問に適しています。ただし、参考までにDriverManagerDataSourceをデータソースとして使用する場合、データソースBeanを呼び出すたびにデータベースへの新しい接続が作成されます本番環境では推奨されず、接続をプールしません。

接続プールが必要な場合は、 Apache Commons DBCP を検討してください。

<bean name="dataSource" class="org.Apache.commons.dbcp.BasicDataSource">
    <property name="driverClassName" value="com.mysql.jdbc.Driver" />
    <property name="url" value="jdbc:mysql://localhost:3306/GameManager" />
    <property name="username" value="gamemanagertest" />
    <property name="password" value="1" />
    <property name="initialSize" value="2" />
    <property name="maxActive" value="5" />
</bean>

initialSize および maxActive は、プール関連のプロパティです。

これを使用するには、パスに 必須jar が含まれていることを確認してください。

6
TechnocratSid
<bean name="dataSource" class="org.springframework.jdbc.datasource.DriverManagerDataSource">
    <property name="driverClassName" value="com.mysql.jdbc.Driver" />
    <property name="url" value="jdbc:mysql://localhost:3306/GameManager" />
    <property name="username" value="gamemanagertest" />
    <property name="password" value="1" />
</bean>

http://docs.spring.io/spring-data/jdbc/docs/1.1.0.M1/reference/html/orcl.datasource.html

41

このクラスを使用org.springframework.jdbc.datasource.DriverManagerDataSource- DriverManagerDataSource 。データベース値を.propertiesファイルに分離し、spring servlet xml構成に構成すると、ベストプラクティスとしてより適切です。以下の例では、プロパティはキーと値のペアとして保存され、対応するvalueを使用してkeyにアクセスします。

applicationContext-dataSource.xml

<beans xmlns="http://www.springframework.org/schema/beans"
   xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
   xmlns:context="http://www.springframework.org/schema/context"
   xsi:schemaLocation="http://www.springframework.org/schema/beans
   http://www.springframework.org/schema/beans/spring-beans-3.0.xsd
   http://www.springframework.org/schema/context
   http://www.springframework.org/schema/context/spring-context-3.0.xsd">

<bean id="dataSource" class="org.springframework.jdbc.datasource.DriverManagerDataSource" destroy-method="close">
    <property name="driverClassName" value="${jdbc.driverClassName}" />
    <property name="url" value="${jdbc.url}" />
    <property name="username" value="${jdbc.username}"/>
    <property name="password" value="${jdbc.password}"/>
    <property name="connectionCachingEnabled" value="true"/>
</bean>

<context:property-placeholder location="classpath:jdbc.properties"/>

jdbc.propetiesファイル:

jdbc.driverClassName=com.mysql.jdbc.Driver
jdbc.url=jdbc:mysql://localhost:3306/sample_db
jdbc.username=root
jdbc.password=sec3ret
7
Lucky