JOOQ Facts: SQL functions made easy
Imagine having a tool that can automatically detect JPA and Hibernate performance issues. Wouldn’t that be just awesome?
Well, Hypersistence Optimizer is that tool! And it works with Spring Boot, Spring Framework, Jakarta EE, Java EE, Quarkus, or Play Framework.
So, enjoy spending your time on the things you love rather than fixing performance issues in your production system on a Saturday night!
Introduction
The JDBC API has always been cumbersome and error-prone and I’ve never been too fond of using it. The first major improvement was brought by the Spring JDBC framework which simply revitalized the JDBC usage with its JdbcTemplate or the SqlFunction classes, to name a few. But Spring JDBC doesn’t address the shortcoming of using string function or input parameters names and this opened the door for type-safe SQL wrappers such as jOOQ.
JOOQ is the next major step towards a better JDBC API and ever since I started using it I knew there was no turning back. JOOQ became my number one choice for building dynamic queries and recently it became my standard SQL function wrapper.
SQL Function
To prove it, I will start with a simple SQL function:
CREATE FUNCTION FORMAT_TIMESTAMP (IN_TIME TIMESTAMP) RETURNS CHAR RETURN TO_CHAR(IN_TIME, 'DD-MON-YYYY HH24:MI:SS.FF');
While you should never ever use your database for formatting a Date, since that’s the job of your application logic, for the sake of testing let’s concentrate on the input and output variable types since that’s where JOOQ excels over any other JDBC APIs.
Using Spring SqlFunction
With Spring this is how I’d call it:
@Resource private DataSource localTransactionDataSource; @Override public String formatTimestamp() { SqlFunction<String> sqlFunction = new SqlFunction<String>(localTransactionDataSource, "{ ? = call FORMAT_TIMESTAMP(?) }", new int[]{Types.TIMESTAMP}); return (String) sqlFunction.runGeneric(new Date[]{new Date()}); }
This is way better than standard JDBC API but I don’t like to use String parameter names or casting the return value. Since HSQLDB doesn’t support using OUT parameters for SQL functions I cannot make use of StoredProcedure or SimpleJdbcCall which might have offered a better alternative to the SqlFunction example.
Using jOOQ
Let’s see how you can call it with jOOQ:
@Autowired private DSLContext localTransactionJooqContext; @Override public String formatTimestamp() { FormatTimestamp sqlFunction = new FormatTimestamp(); sqlFunction.setInTime(new Timestamp(System.currentTimeMillis())); sqlFunction.execute(localTransactionJooqContext.configuration()); return sqlFunction.getReturnValue(); }
If you enjoyed this article, I bet you are going to love my Book and Video Courses as well.
In my opinion, this is the most elegant SQL function wrapper I’ve ever used so far and that’s why it became my standard approach for calling SQL functions and procedures.
