Why to use Hikari Connection Pool ?

Hikari Connection Pooling (or Hikari CP) is the new kid on the block, though a late entrant in pooling mechanisms, it is outperforming the ones offered by C3P0Apache Commons DBCPBoneCPTomcatVibur etc.

Below benchmark graph displays connection and statement ops/ms graphs:


source : https://github.com/brettwooldridge/HikariCP

Multiple Blogs are already written about comparison and performance of HikariCP, so this blog tries to explore some of the internal intricacies for e.g Why it is faster in comparison with its peer connection pooling libraries ? Any special code ? etc .

Links to other resources which has improved my understanding of HikariCP are shared at the end.

Under the Hood Features :

  • Optimizations of Proxy and Interceptor: Hikari library has reduce a lot of code, e.g HikariCP’s Statement proxy has only 100 lines of code.
  • FastList instead of ArrayList is implemented to avoid the range check every time, since the get() call is executed also during remove() call, it avoids the complete array scan from start to end. The ArrayList’s remove(Object) method traverses the array from scratch, and the FastList is traversed from the end of the array, so it’s more efficient when the removed element is at the end which is usually the case. Excerpt below from FastList.java
@Override   
public T get(int index)
{
return elementData[index];
// no range check of ArrayList
}
  • Remove Method Implementation:
@Override
public boolean remove(Object element)
{
for (int index = size - 1; index >= 0; index--)
{
if (element == elementData[index])
{
final int numMoved = size - index - 1;
if (numMoved > 0)
{
System.arraycopy(elementData, index + 1, elementData, index, numMoved);
}
elementData[--size] = null;
return true;
}
}
return false;
}
}
  • Custom collection type called as ConcurrentBag is implemented to improve the efficiency of concurrent reading and writing.
  • The ConcurrentBag implementation provides a lock-free design, ThreadLocal caching, Queue-stealing and direct hand-off optimizations resulting in a high degree of concurrency, extremely low latency, and minimized occurrences of false-sharing.
  • Other optimizations relating to method calls, that take minimum CPU time slice are implemented.
  • HikariCP jar size is just 135KB, due to the smaller amount of code, the efficiency of execution is higher. As per the popular saying in software coding practice “Lower the code lower the probability of bugs”, HikariCP has least no of bugs.

Check the source code of lockless and thread safe implementation of ConcurrentBag here.

Further Reading Material:



What am I missing here ? Let me know in comments section and I'll add in!
What’s next? Subscribe Learn INQuiZitively to be the first to read my stories.