Spring JDBCのドキュメントから、 JdbcTemplateを使用してblobを挿入する方法を知っています
final File blobIn = new File("spring2004.jpg");
final InputStream blobIs = new FileInputStream(blobIn);
jdbcTemplate.execute(
"INSERT INTO lob_table (id, a_blob) VALUES (?, ?)",
new AbstractLobCreatingPreparedStatementCallback(lobhandler) {
protected void setValues(PreparedStatement ps, LobCreator lobCreator)
throws SQLException {
ps.setLong(1, 1L);
lobCreator.setBlobAsBinaryStream(ps, 2, blobIs, (int)blobIn.length());
}
}
);
blobIs.close();
また、 新しく挿入された行の生成されたキーを取得する方法 :
KeyHolder keyHolder = new GeneratedKeyHolder();
jdbcTemplate.update(
new PreparedStatementCreator() {
public PreparedStatement createPreparedStatement(Connection connection) throws SQLException {
PreparedStatement ps =
connection.prepareStatement(INSERT_SQL, new String[] {"id"});
ps.setString(1, name);
return ps;
}
},
keyHolder);
// keyHolder.getKey() now contains the generated key
2つを組み合わせる方法はありますか?
私は同じ答えを求めてここに来ましたが、受け入れられたものに満足していませんでした。だから私は少し掘り下げて、Oracle 10gとSpring 3.0でテストしたこのソリューションを思いつきました
public Long save(final byte[] blob) {
KeyHolder keyHolder = new GeneratedKeyHolder();
String sql = "insert into blobtest (myblob) values (?)"; //requires auto increment column based on triggers
getSimpleJdbcTemplate().getJdbcOperations().update(new AbstractLobPreparedStatementCreator(lobHandler, sql, "ID") {
@Override
protected void setValues(PreparedStatement ps, LobCreator lobCreator) throws SQLException, DataAccessException {
lobCreator.setBlobAsBytes(ps, 1, blob);
}
}, keyHolder);
Long newId = keyHolder.getKey().longValue();
return newId;
}
これには、SpringのAbstractLobCreatingPreparedStatementCallbackに部分的に基づいた次の抽象クラスも必要です。
public abstract class AbstractLobPreparedStatementCreator implements PreparedStatementCreator {
private final LobHandler lobHandler;
private final String sql;
private final String keyColumn;
public AbstractLobPreparedStatementCreator(LobHandler lobHandler, String sql, String keyColumn) {
this.lobHandler = lobHandler;
this.sql = sql;
this.keyColumn = keyColumn;
}
public PreparedStatement createPreparedStatement(Connection con) throws SQLException {
PreparedStatement ps = con.prepareStatement(sql, new String[] { keyColumn });
LobCreator lobCreator = this.lobHandler.getLobCreator();
setValues(ps, lobCreator);
return ps;
}
protected abstract void setValues(PreparedStatement ps, LobCreator lobCreator) throws SQLException, DataAccessException;
}
また、Oracleで作成するテーブルには、シーケンスとトリガーを使用して、IDの列が自動インクリメントされる必要があります。それ以外の場合は、KeyHolder(auto-gen IDを取得するために使用)をサポートしていないように見える(SQLでsequence.nextvalを実行するために)SpringのNamedParameterJdbcOperationsを使用する必要があるため、トリガーが必要です。詳細については、このブログの投稿(私のブログではありません)を参照してください: http://www.lifeaftercoffee.com/2006/02/17/how-to-create-auto-increment-columns-in-Oracle/
create table blobtest (
id number primary key,
myblob blob);
create sequence blobseq start with 1 increment by 1;
CREATE OR REPLACE TRIGGER blob_trigger
BEFORE INSERT
ON blobtest
REFERENCING NEW AS NEW
FOR EACH ROW
BEGIN
SELECT blobseq.nextval INTO :NEW.ID FROM dual;
end;
/
これらはすべて、私には複雑すぎるように見えました。これは機能し、簡単です。それは使用しています org.springframework.jdbc.core.namedparam.NamedParameterJdbcTemplate
import org.springframework.jdbc.core.namedparam.MapSqlParameterSource;
import org.springframework.jdbc.core.namedparam.NamedParameterJdbcTemplate;
import org.springframework.jdbc.core.support.SqlLobValue;
import org.springframework.jdbc.support.lob.DefaultLobHandler;
public void setBlob(Long id, byte[] bytes) {
try {
jdbcTemplate = new NamedParameterJdbcTemplate(dataSource);
MapSqlParameterSource parameters = new MapSqlParameterSource();
parameters.addValue("id", id);
parameters.addValue("blob_field", new SqlLobValue(new ByteArrayInputStream(bytes), bytes.length, new DefaultLobHandler()), OracleTypes.BLOB);
jdbcTemplate.update("update blob_table set blob_field=:blob_field where id=:id", parameters);
} catch(Exception e) {
e.printStackTrace();
}
}
行を作成するクエリとblobを更新するクエリの2つを実行しただけです。
int id = insertRow();
updateBlob(id, blob);
Springソースコードを見て、必要な部分を抽出して、私はこれを思いつきました:
final KeyHolder generatedKeyHolder = new GeneratedKeyHolder();
getJdbcTemplate().execute(
"INSERT INTO lob_table (blob) VALUES (?)",
new PreparedStatementCallback() {
public Object doInPreparedStatement(PreparedStatement ps) throws SQLException {
LobCreator lobCreator = lobHandler.getLobCreator();
lobCreator.setBlobAsBinaryStream(ps, 2, blobIs, (int)blobIn.length());
int rows = ps.executeUpdate();
List generatedKeys = generatedKeyHolder.getKeyList();
generatedKeys.clear();
ResultSet keys = ps.getGeneratedKeys();
if (keys != null) {
try {
RowMapper rowMapper = new ColumnMapRowMapper();
RowMapperResultSetExtractor rse = new RowMapperResultSetExtractor(rowMapper, 1);
generatedKeys.addAll((List) rse.extractData(keys));
}
finally {
JdbcUtils.closeResultSet(keys);
}
}
if (logger.isDebugEnabled()) {
logger.debug("SQL update affected " + rows + " rows and returned " + generatedKeys.size() + " keys");
}
return new Integer(rows);
}
}
);
ここで何が起こっているのかを完全に理解しているとは言えません。この単純なケースで、生成されたキーを抽出するための複雑な方法が必要かどうかはわかりません。また、コードがこのように煩雑になったときにJdbcTemplateを使用することの利点さえ完全にはわかりません。
とにかく、私は上記のコードをテストし、それは動作します。私の場合、コードが複雑になりすぎると判断しました。
package com.technicalkeeda.dao;
import Java.io.File;
import Java.io.FileInputStream;
import Java.io.FileNotFoundException;
import Java.io.InputStream;
import Java.sql.Types;
import javax.sql.DataSource;
import org.springframework.dao.DataAccessException;
import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jdbc.core.support.SqlLobValue;
import org.springframework.jdbc.support.lob.DefaultLobHandler;
import org.springframework.jdbc.support.lob.LobHandler;
public class ImageDaoImpl implements ImageDao {
private DataSource dataSource;
private JdbcTemplate jdbcTemplate;
public void setDataSource(DataSource dataSource) {
this.dataSource = dataSource;
this.jdbcTemplate = new JdbcTemplate(this.dataSource);
}
@Override
public void insertImage() {
System.out.println("insertImage" + jdbcTemplate);
try {
final File image = new File("C:\\puppy.jpg");
final InputStream imageIs = new FileInputStream(image);
LobHandler lobHandler = new DefaultLobHandler();
jdbcTemplate.update(
"INSERT INTO trn_imgs (img_title, img_data) VALUES (?, ?)",
new Object[] {
"Puppy",
new SqlLobValue(imageIs, (int)image.length(), lobHandler),
},
new int[] {Types.VARCHAR, Types.BLOB});
} catch (DataAccessException e) {
e.printStackTrace();
} catch (FileNotFoundException e) {
e.printStackTrace();
}
}
}
2012年、SimpleJdbcTemplate
は非推奨になりました。これは私がやったことです:
KeyHolder keyHolder = new GeneratedKeyHolder();
List<SqlParameter> declaredParams = new ArrayList<>();
declaredParams.add(new SqlParameter(Types.VARCHAR));
declaredParams.add(new SqlParameter(Types.BLOB));
declaredParams.add(new SqlParameter(Types.VARCHAR));
declaredParams.add(new SqlParameter(Types.INTEGER));
declaredParams.add(new SqlParameter(Types.INTEGER));
PreparedStatementCreatorFactory pscFactory =
new PreparedStatementCreatorFactory(SQL_CREATE_IMAGE, declaredParams);
pscFactory.setReturnGeneratedKeys(true);
getJdbcTemplate().update(
pscFactory.newPreparedStatementCreator(
new Object[] {
image.getName(),
image.getBytes(),
image.getMimeType(),
image.getHeight(),
image.getWidth()
}), keyHolder);
image.setId(keyHolder.getKey().intValue());
SQLは次のようになります。
INSERT INTO image (name, image_bytes, mime_type, height, width) VALUES (?, ?, ?, ?, ?)
基礎となるデータベースがmysqlの場合、主キーを自動生成できます。次に、dbにレコードを挿入するには、次の構文を使用して挿入できます。
INSERT INTO lob_table (a_blob) VALUES (?)
Blobデータを更新するために同じ問題が発生しました-画像をデータベースに更新する必要があります。以下のような解決策を見つけるよりも。詳細は 画像をデータベースに更新
LobHandler lobHandler = new DefaultLobHandler(); statusRes = jdbcTemplate.update( "Update USERS set FILE_CONTENT =?、FILE_NAME =?WHERE lower(USER_ID)=?"、 new Object [] {new SqlLobValue(image、lobHandler)、fileName、userIdLower}、 new int [] {Types.BLOB、Types.VARCHAR、Types.VARCHAR});
ラムダを使用した別のソリューション(これは必須ではありません):
jdbcTemplate.update(dbcon -> {
PreparedStatement ps = dbcon.prepareStatement("INSERT INTO ...");
ps.setString(1, yourfieldValue);
ps.setBinaryStream(2, yourInputStream, yourInputStreamSizeAsInt));
return ps;
});
NB。 KeyGeneratorは含まれていません。
これはMySqlでのみテストされ、関連する部分のみを貼り付けました。テストクラスを実行すると、結果は以下のようになります。
final byte[] bytes = "My Binary Content".getBytes();
final ByteArrayInputStream bais = new ByteArrayInputStream(bytes);
PreparedStatementCreator psc = new PreparedStatementCreator() {
PreparedStatement ps = null;
public PreparedStatement createPreparedStatement(
Connection connection) throws SQLException {
dummy.setStringCode("dummy_jdbc_spring_createPS_withKey_lob");
ps = connection
.prepareStatement(
"INSERT INTO DUMMY (dummy_code, dummy_double, dummy_date, dummy_binary) VALUES (?, ?, ?,?)",
Statement.RETURN_GENERATED_KEYS);
ps.setString(1, dummy.getStringCode());
ps.setDouble(2, dummy.getDoubleNumber());
ps.setDate(3, dummy.getDate());
new DefaultLobHandler().getLobCreator().setBlobAsBinaryStream(
ps, 4, bais, bytes.length);
return ps;
}
};
KeyHolder holder = new GeneratedKeyHolder();
System.out.println("record added via template.update(psc,kh): "
+ template.update(psc, holder)+" added and got key " + holder.getKey());