Рассмотрим следующий метод, который считывает данные из некоторой структуры данных (InteractionNetwork
) и записывает их в таблицу в базе данных SQLite, используя SQLite-JDBC dirver :
private void loadAnnotations(InteractionNetwork network) throws SQLException {
PreparedStatement insertAnnotationsQuery =
connection.prepareStatement(
"INSERT INTO Annotations(GOId, ProteinId, OnthologyId) VALUES(?, ?, ?)");
PreparedStatement getProteinIdQuery =
connection.prepareStatement(
"SELECT Id FROM Proteins WHERE PrimaryUniProtKBAccessionNumber = ?");
connection.setAutoCommit(false);
for(common.Protein protein : network.get_protein_vector()) {
/* Get ProteinId for the current protein from another table and
insert the value into the prepared statement. */
getProteinIdQuery.setString(1, protein.get_primary_id());
ResultSet result = getProteinIdQuery.executeQuery();
result.next();
insertAnnotationsQuery.setLong(2, result.getLong(1));
/* Extract all the other data and add all the tuples to the batch. */
}
insertAnnotationsQuery.executeBatch();
connection.commit();
connection.setAutoCommit(true);
}
Этот код работает нормально, программа запускается примерно за 30 секунд и занимает в среднем 80 м пространства кучи. Поскольку код выглядит некрасиво, я хочу его реорганизовать. Первое, что я сделал, это переместил объявление getProteinIdQuery
в цикл:
private void loadAnnotations(InteractionNetwork network) throws SQLException {
PreparedStatement insertAnnotationsQuery =
connection.prepareStatement(
"INSERT INTO Annotations(GOId, ProteinId, OnthologyId) VALUES(?, ?, ?)");
connection.setAutoCommit(false);
for(common.Protein protein : network.get_protein_vector()) {
/* Get ProteinId for the current protein from another table and
insert the value into the prepared statement. */
PreparedStatement getProteinIdQuery = // <--- moved declaration of statement here
connection.prepareStatement(
"SELECT Id FROM Proteins WHERE PrimaryUniProtKBAccessionNumber = ?");
getProteinIdQuery.setString(1, protein.get_primary_id());
ResultSet result = getProteinIdQuery.executeQuery();
result.next();
insertAnnotationsQuery.setLong(2, result.getLong(1));
/* Extract all the other data and add all the tuples to the batch. */
}
insertAnnotationsQuery.executeBatch();
connection.commit();
connection.setAutoCommit(true);
}
Что происходит, когда я запускаю код сейчас, так это то, что он занимает около 130 м пространства кучи и требует вечности для запуска. Кто-нибудь может объяснить это странное поведение?