Reference Columns by Number
This best practice is related to the previous one. Column names are part of the metadata for a result set. A JDBC driver might not have access to a column’s name when you process the first row. If you are retrieving the data by column name, the retrieval will wait until the name is available to the driver. Because retrieving columns by name could penalize some database engines over others in terms of performance, the ability to retrieve columns by name was not even part of the original JDBC specification.
Most programmers prefer to retrieve results by name instead of by number because names are easier to remember, and the order of the parameters in the SQL can change without impacting code. This objection, however, is based on the faulty practice of including naked literals in code. In other words:
id = rs.getLong(1);
and:
id = rs.getLong("personID");are equally improper. You should instead use:
static private final int PERSON_ID = 1; . . . id = rs.getLong(PERSON_ID);
With this format, it does not matter from a maintenance perspective whether you are using retrieval by name or number.
You can maximize the maintainability and performance of your code by placing the constants for the parameter values with a constant containing the SQL itself, as shown in Example 4-5.