मैं वसंत में एक अच्छे उदाहरण के साथ आया हूं। फ्रेमवर्क एक समान तरीके से विभिन्न डेटाबेस संचालन से निपटने के लिए विधि के अंदर स्थानीय वर्ग की परिभाषाओं की अवधारणा का उपयोग कर रहा है।
मान लें कि आपके पास एक कोड है:
JdbcTemplate jdbcOperations = new JdbcTemplate(this.myDataSource);
jdbcOperations.execute("call my_stored_procedure()")
jdbcOperations.query(queryToRun, new MyCustomRowMapper(), withInputParams);
jdbcOperations.update(queryToRun, withInputParams);
आइए सबसे पहले क्रियान्वयन के कार्यान्वयन को देखें ():
@Override
public void execute(final String sql) throws DataAccessException {
if (logger.isDebugEnabled()) {
logger.debug("Executing SQL statement [" + sql + "]");
}
/**
* Callback to execute the statement.
(can access method local state like sql input parameter)
*/
class ExecuteStatementCallback implements StatementCallback<Object>, SqlProvider {
@Override
@Nullable
public Object doInStatement(Statement stmt) throws SQLException {
stmt.execute(sql);
return null;
}
@Override
public String getSql() {
return sql;
}
}
//transforms method input into a functional Object
execute(new ExecuteStatementCallback());
}
कृपया अंतिम पंक्ति नोट करें। बाकी तरीकों के लिए भी वसंत इस सटीक "चाल" को करता है:
//uses local class QueryStatementCallback implements StatementCallback<T>, SqlProvider
jdbcOperations.query(...)
//uses local class UpdateStatementCallback implements StatementCallback<Integer>, SqlProvider
jdbcOperations.update(...)
स्थानीय वर्गों के साथ "ट्रिक" फ्रेमवर्क उन सभी परिदृश्यों को एक एकल विधि से निपटने की अनुमति देता है जो स्टेटमेंटकॉल इंटरफ़ेस के माध्यम से उन वर्गों को स्वीकार करते हैं। यह एकल विधि क्रियाओं के बीच एक सेतु का कार्य करती है (निष्पादित, अद्यतन) और उनके आसपास के सामान्य संचालन (जैसे निष्पादन, कनेक्शन प्रबंधन, त्रुटि अनुवाद और dbms कंसोल आउटपुट)
public <T> T execute(StatementCallback<T> action) throws DataAccessException {
Assert.notNull(action, "Callback object must not be null");
Connection con = DataSourceUtils.getConnection(obtainDataSource());
Statement stmt = null;
try {
stmt = con.createStatement();
applyStatementSettings(stmt);
//
T result = action.doInStatement(stmt);
handleWarnings(stmt);
return result;
}
catch (SQLException ex) {
// Release Connection early, to avoid potential connection pool deadlock
// in the case when the exception translator hasn't been initialized yet.
String sql = getSql(action);
JdbcUtils.closeStatement(stmt);
stmt = null;
DataSourceUtils.releaseConnection(con, getDataSource());
con = null;
throw translateException("StatementCallback", sql, ex);
}
finally {
JdbcUtils.closeStatement(stmt);
DataSourceUtils.releaseConnection(con, getDataSource());
}
}