1. Introduction
The Hibernate5 plugin enables lightweight access to datasources using Hibernate. This plugin does NOT provide domain classes nor dynamic finders like GORM does.
2. Usage
The following sections describe how you may use this plugin in a project.
2.1. Configuration
This plugin relies on the griffon-datasource-plugin. Please follow the instructions to configure this plugin first.
You must create a configuration file named Hibernate5
that holds the settings for creating instances of SessionFactory
.
This file follows the same standard configuration mechanism as the application’s Config
file, which means you can define the
configuration using
-
a properties file
-
a Java file
-
a Groovy script
The following example shows the default settings needed to connect the default database taking into account that each environment may connect to a different database.
sessionFactory {
}
environments {
development {
sessionFactory {
}
}
test {
sessionFactory {
}
}
production {
sessionFactory {
}
}
}
You may configure multiple named SessionFactories (the default factory is aptly named default
) as the following snippet
shows
sessionFactories {
internal {
schema = 'create-drop'
provider_class = "org.hibernate.c3p0.internal.C3P0ConnectionProvider"
}
people {
mapClassesPattern = /.*AnotherPerson.*/ //Will map only classes matching this value
}
}
2.1.1. Session Properties
The following table summarizes the properties that can be specified inside a sessionFactory
block
Property | Type | Default | Description |
---|---|---|---|
schema |
String |
create-drop |
Any value accepted by "hibernate.hbm2ddl.auto" |
logSql |
boolean |
false |
Defines value for "hibernate.show_sql" |
formatSql |
boolean |
false |
Defines value for "hibernate.format_sql" |
dialect |
String or Class |
Defines value for "hibernate.dialect" |
|
entityInterceptor |
String or Class |
||
namingStrategy |
String or Class |
||
props |
Properties or Map |
||
mappings |
List |
Additional resource mappings |
|
connect_on_startup |
boolean |
false |
Establishes a connection to the datasource at the beginning of the |
jmx |
boolean |
true |
Expose the connection pool using JMX. |
mapClassesPattern |
String or Pattern |
/.*/ |
Maps only those classes which are matching mapClassesPattern value. |
currentSessionContext |
String |
Current session context. |
|
provider_class |
String |
Provider class for "hibernate" connection. |
2.1.2. Accessing the Datasource
The plugin’s module registers a Hibernate5Handler
helper class that defines the base contract
for accessing a datasource and issue SQL queries to it. This class has the following methods
@Nullable
<R> R withHbm5Session(@Nonnull Hibernate5Callback<R> callback)
throws RuntimeHibernate5Exception;
@Nullable
<R> R withHbm5Session(@Nonnull String sessionFactoryName, @Nonnull Hibernate5Callback<R> callback)
throws RuntimeHibernate5Exception;
void closeHbm5Session();
void closeHbm5Session(@Nonnull String sessionFactoryName);
These method are aware of multiple datasources. If no sessionFactoryName is specified when calling them then the default
datasource will be selected. You can inject an instance of this class anywhere it’s needed using @Inject
. There is one
callback you may use with this method: Hibernate5Callback
.
This callback is defined using a functional interface approach, which means you can apply lambda expressions if running with JDK8+ or closures if running Groovy.
public interface Hibernate5Callback<R> {
R handle(@Nonnull String sessionFactoryName, @Nonnull Session session);
}
2.1.3. Mappings
The plugin can automatically discover mappings that should be added to a SessionFactory
as long as they are annotated with @TypeProviderFor
.
Hibernate provides two ways to define mapping . One through class + xml.
For example:
package griffon.plugins.hibernate5
import griffon.metadata.TypeProviderFor
import groovy.transform.ToString
@ToString
@TypeProviderFor(Hibernate5Mapping)
class Person implements Serializable, Hibernate5Mapping {
int id
String name
String lastname
Map asMap() {
[
id : id,
name : name,
lastname: lastname
]
}
}
And matching XML file that contains query definitions, such as
<!DOCTYPE hibernate-mapping PUBLIC
"-//Hibernate/Hibernate Mapping DTD 3.0//EN"
"http://www.hibernate.org/dtd/hibernate-mapping-3.0.dtd">
<hibernate-mapping package="griffon.plugins.hibernate5">
<class name="Person" table="PEOPLE">
<id name="id" column="PERSON_ID">
<generator class="increment"/>
</id>
<property name="name" not-null="true"/>
<property name="lastname" not-null="true"/>
</class>
</hibernate-mapping>
The other way is through class with annotations. For example:
*/
package griffon.plugins.hibernate5
import griffon.metadata.TypeProviderFor
import groovy.transform.ToString
import javax.persistence.*
/**
* @author Leonid Yanovsky
*/
@ToString
@TypeProviderFor(Hibernate5Mapping)
@Entity
class User implements Hibernate5Mapping {
@Id
@GeneratedValue(strategy = GenerationType.AUTO)
int id
@Column
String name
@Column
String lastname
Map asMap() {
[
id : id,
name : name,
lastname: lastname
]
}
}
2.1.4. Bootstrap
You may execute arbitrary database calls during connection and disconnection from a SessionFactory
. Simply
create a class that implements the Hibernate5Bootstrap
interface and register it within a module, for example
package com.acme;
import griffon.plugins.hibernate5.Hibernate5Bootstrap;
import org.hibernate.Session;
import javax.annotation.Nonnull;
import javax.inject.Named;
@Named("sample")
public class SampleHibernate5Bootstrap implements Hibernate5Bootstrap {
@Override
public void init(@Nonnull String sessionFactoryName, @Nonnull Session session) {
// operations after first connection to datasource
}
@Override
public void destroy(@Nonnull String sessionFactoryName, @Nonnull Session session) {
// operations before disconnecting from the datasource
}
}
package com.acme;
import griffon.plugins.hibernate5.Hibernate5Bootstrap;
import griffon.core.injection.Module;
import org.codehaus.griffon.runtime.core.injection.AbstractModule;
import org.kordamp.jipsy.ServiceProviderFor;
@ServiceProviderFor(Module.class)
public class ApplicationModule extends AbstractModule {
@Override
protected void doConfigure() {
bind(Hibernate5Bootstrap.class)
.to(SampleHibernate5Bootstrap.class)
.asSingleton();
}
}
2.2. Example
The following is a trivial usage of the Hibernate5Handler
inside a Java service
package com.acme;
import griffon.core.artifact.GriffonService;
import griffon.metadata.ArtifactProviderFor;
import org.codehaus.griffon.runtime.core.artifact.AbstractGriffonService;
import griffon.plugins.hibernate5.Hibernate5Handler;
import griffon.plugins.hibernate5.Hibernate5Callback;
import org.hibernate.Session;
import javax.annotation.Nonnull;
import javax.inject.Inject;
@ArtifactProviderFor(GriffonService.class)
public class SampleService extends AbstractGriffonService {
@Inject
private Hibernate5Handler hibernate5Handler;
public String getPersonName(final int id) {
return hibernate5Handler.withHbm4Session(new Hibernate5Callback<String>() {
public String handle(@Nonnull String sessionFactoryName, @Nonnull Session session) {
Person person = (Person) session.createQuery("from Person where id = " + id).uniqueResult();
return person != null ? person.getName() : null;
});
}
}
Here’s the Groovy version of it
package com.acme
import griffon.core.artifact.GriffonService
import griffon.metadata.ArtifactProviderFor
import griffon.plugins.hibernate5.Hibernate5Handler
import org.hibernate.Session
import javax.inject.Inject
@ArtifactProviderFor(GriffonService)
class SampleService {
@Inject
private Hibernate5Handler hibernate5Handler
String getPersonName(int id) {
hibernate5Handler.withHbm4Session { String sessionFactoryName, Session session ->
session.createQuery('from Person where id = ' + id).uniqueResult()?.name
}
}
}
2.3. Events
The following events will be triggered by Hibernate5Handler
- Hibernate5ConnectStart(String sessionFactoryName, Map<String, Object> config)
-
Triggered before connecting to the datasource.
- Hibernate5ConfigurationAvailable(Map<String, Object> options)
-
Triggered after the session’s configuration is ready. The map contains the following keys:
-
configuration; type=org.hibernate.cfg.Configuration
-
dataSourceName; type=java.lang.String
-
sessionConfiguration; type=java.util.Map
-
- Hibernate5ConnectEnd(String sessionFactoryName, Map<String, Object> config, SessionFactory factory)
-
Triggered after connecting to the datasource.
- Hibernate5DisconnectStart(String sessionFactoryName, Map<String, Object> config, SessionFactory factory)
-
Triggered before disconnecting from the datasource.
- Hibernate5DisconnectEnd(String sessionFactoryName, Map<String, Object> config)
-
Triggered after disconnecting from the datasource.
DataSource events may be triggered during connection and disconnection from a SessionFactory .
|
2.4. AST Transformation
You can apply the @Hibernate5Aware
AST transformation on any class. This injects the behavior of Hibernate5Handler
into said class. The previous Groovy service example can be rewritten as follows
package com.acme
import griffon.core.artifact.GriffonService
import griffon.metadata.ArtifactProviderFor
import griffon.transform.Hibernate5Aware
import org.hibernate.Session
@Hibernate5Aware
@ArtifactProviderFor(GriffonService)
class SampleService {
String getPersonName(int id) {
withHbm4Session { String sessionFactoryName, Session session ->
session.createQuery('from Person where id = ' + id).uniqueResult()?.name
}
}
}
2.5. DSL Descriptors
This plugin provides DSL descriptors for Intellij IDEA and Eclipse (provided you have the Groovy Eclipse plugin installed).
These descriptors are found inside the griffon-hibernate5-groovy-compile-2.0.0.jar
, with locations
-
dsdl/griffon_hibernate5.dsld
-
gdsl/griffon_hibernate5.gdsl
3. Build Configuration
3.1. Gradle
You have two options for configuring this plugin: automatic and manual.
3.1.1. Automatic
As long as the project has the org.codehaus.griffon.griffon
plugin applied to it you
may include the following snippet in build.gradle
dependencies {
griffon 'org.codehaus.griffon.plugins:griffon-hibernate5-plugin:2.0.0'
}
The griffon
plugin will take care of the rest given its configuration.
3.2. Maven
First configure the griffon-hibernate5-plugin
BOM in your POM file, by placing the following
snippet before the <build>
element
<dependencyManagement>
<dependencies>
<dependency>
<groupId>org.codehaus.griffon.plugins</groupId>
<artifactId>griffon-hibernate5-plugin</artifactId>
<version>2.0.0</version>
<type>pom</type>
<scope>import</scope>
</dependency>
</dependencies>
</dependencyManagement>
Next configure dependencies as required by your particular setup
<dependency>
<groupId>org.codehaus.griffon.plugins</groupId>
<artifactId>griffon-hibernate5-core</artifactId>
</dependency>
<dependency>
<groupId>org.codehaus.griffon.plugins</groupId>
<artifactId>griffon-hibernate5-groovy-compile</artifactId>
</dependency>
Don’t forget to configure all -compile
dependencies with the maven-surefire-plugin, like so
<plugin>
<groupId>org.apache.maven.plugins</groupId>
<artifactId>maven-surefire-plugin</artifactId>
<configuration>
<classpathDependencyExcludes>
<classpathDependencyExclude>
org.codehaus.griffon:griffon-hibernate5-groovy-compile
</classpathDependencyExclude>
</classpathDependencyExcludes>
</configuration>
</plugin>
4. Modules
The following sections display all bindings per module. Use this information to successfully override a binding on your own modules or to troubleshoot a module binding if the wrong type has been applied by the Griffon runtime.
4.1. Hibernate5
Module name: hibernate5
Depends on: datasource
bind(ResourceBundle.class)
.withClassifier(named("hibernate5"))
.toProvider(new ResourceBundleProvider("Hibernate5"))
.asSingleton();
bind(Configuration.class)
.withClassifier(named("hibernate5"))
.to(DefaultHibernate5Configuration.class)
.asSingleton();
bind(Hibernate5Storage.class)
.to(DefaultHibernate5Storage.class)
.asSingleton();
bind(Hibernate5Factory.class)
.to(DefaultHibernate5Factory.class)
.asSingleton();
bind(Hibernate5Handler.class)
.to(DefaultHibernate5Handler.class)
.asSingleton();
bind(GriffonAddon.class)
.to(Hibernate5Addon.class)
.asSingleton();