Repository Pattern

This pattern belongs to Object-Relational Metadata Mapping Patterns Catalog and this Catalog belongs to Patterns of Enterprise Application Architecture.

Intent

Repository layer is added between the domain and data mapping layers to isolate domain objects from details of the database access code and to minimize scattering and duplication of query code. 
The Repository pattern is especially useful in systems where a number of domain classes are large or heavy querying is utilized.

Real World Examples

Applicability

Use the Repository pattern when
  • the number of domain objects is large
  • you want to avoid duplication of query code
  • you want to keep the database querying code in a single place
  • you have multiple data sources

Explanation

A system with a complex domain model often benefits from a layer, such as the one provided by Data Mapper, that isolates domain objects from details of the database access code. In such systems, it can be worthwhile to build another layer of abstraction over the mapping layer where query construction code is concentrated. This becomes more important when there are a large number of domain classes or heavy querying. In these cases particularly, adding this layer helps minimize duplicate query logic.

A Repository mediates between the domain and data mapping layers, acting like an in-memory domain object collection Client objects construct query specifications declaratively and submit them to Repository for satisfaction.

Sample Code


In this example, I use Spring Data to automatically generate a repository for us from the Person domain object.
Using the PersonRepository we perform CRUD operations on the entity, moreover, the query by org.springframework.data.jpa.domain.Specification is also performed.
To test this pattern, I used H2 in-memory database in this example.
Step 1: Create Person entity class.
@Entity
public class Person {

@Id
@GeneratedValue
private Long id;
private String name;
private String surname;

private int age;

public Person() {
}

/**
* Constructor
*/

public Person(String name, String surname, int age) {
this.name = name;
this.surname = surname;
this.age = age;
}

public Long getId() {
return id;
}

public void setId(Long id) {
this.id = id;
}

public String getName() {
return name;
}

public void setName(String name) {
this.name = name;
}

public String getSurname() {
return surname;
}

public void setSurname(String surname) {
this.surname = surname;
}

public int getAge() {
return age;
}

public void setAge(int age) {
this.age = age;
}

@Override
public String toString() {
return "Person [id=" + id + ", name=" + name + ", surname=" + surname + ", age=" + age + "]";
}

@Override
public int hashCode() {

final int prime = 31;
int result = 1;
result = prime * result + age;
result = prime * result + (id == null ? 0 : id.hashCode());
result = prime * result + (name == null ? 0 : name.hashCode());
result = prime * result + (surname == null ? 0 : surname.hashCode());
return result;
}

@Override
public boolean equals(Object obj) {
if (this == obj) {
return true;
}
if (obj == null) {
return false;
}
if (getClass() != obj.getClass()) {
return false;
}
Person other = (Person) obj;
if (age != other.age) {
return false;
}
if (id == null) {
if (other.id != null) {
return false;
}
} else if (!id.equals(other.id)) {
return false;
}
if (name == null) {
if (other.name != null) {
return false;
}
} else if (!name.equals(other.name)) {
return false;
}
if (surname == null) {
if (other.surname != null) {
return false;
}
} else if (!surname.equals(other.surname)) {
return false;
}
return true;
}

}
Step 2:  This is the example of annotations based configuration for Spring.
@EnableJpaRepositories
public class AppConfig {

private static final Logger LOGGER = LoggerFactory.getLogger(AppConfig.class);

/**
* Creation of H2 db
*
* @return A new Instance of DataSource
*/

@Bean(destroyMethod = "close")
public DataSource dataSource() {
BasicDataSource basicDataSource = new BasicDataSource();
basicDataSource.setDriverClassName("org.h2.Driver");
basicDataSource.setUrl("jdbc:h2:~/databases/person");
basicDataSource.setUsername("sa");
basicDataSource.setPassword("sa");
return (DataSource) basicDataSource;
}

/**
* Factory to create a especific instance of Entity Manager
*/

@Bean
public LocalContainerEntityManagerFactoryBean entityManagerFactory() {
LocalContainerEntityManagerFactoryBean entityManager = new LocalContainerEntityManagerFactoryBean();
entityManager.setDataSource(dataSource());
entityManager.setPackagesToScan("com.iluwatar");
entityManager.setPersistenceProvider(new HibernatePersistenceProvider());
entityManager.setJpaProperties(jpaProperties());

return entityManager;
}

/**
* Properties for Jpa
*/

private static Properties jpaProperties() {
Properties properties = new Properties();
properties.setProperty("hibernate.dialect", "org.hibernate.dialect.H2Dialect");
properties.setProperty("hibernate.hbm2ddl.auto", "create-drop");
return properties;
}

/**
* Get transaction manager
*/

@Bean
public JpaTransactionManager transactionManager() throws SQLException {
JpaTransactionManager transactionManager = new JpaTransactionManager();
transactionManager.setEntityManagerFactory(entityManagerFactory().getObject());
return transactionManager;
}

/**
* Program entry point
*
* @param args
* command line args
*/

public static void main(String[] args) {

AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext(
AppConfig.class);
PersonRepository repository = context.getBean(PersonRepository.class);

Person peter = new Person("Peter", "Sagan", 17);
Person nasta = new Person("Nasta", "Kuzminova", 25);
Person john = new Person("John", "lawrence", 35);
Person terry = new Person("Terry", "Law", 36);

// Add new Person records
repository.save(peter);
repository.save(nasta);
repository.save(john);
repository.save(terry);

// Count Person records
LOGGER.info("Count Person records: {}", repository.count());

// Print all records
List<Person> persons = (List<Person>) repository.findAll();
for (Person person : persons) {
LOGGER.info(person.toString());
}

// Update Person
nasta.setName("Barbora");
nasta.setSurname("Spotakova");
repository.save(nasta);

LOGGER.info("Find by id 2: {}", repository.findOne(2L));

// Remove record from Person
repository.delete(2L);

// count records
LOGGER.info("Count Person records: {}", repository.count());

// find by name
Person p = repository.findOne(new PersonSpecifications.NameEqualSpec("John"));
LOGGER.info("Find by John is {}", p);

// find by age
persons = repository.findAll(new PersonSpecifications.AgeBetweenSpec(20, 40));

LOGGER.info("Find Person with age between 20,40: ");
for (Person person : persons) {
LOGGER.info(person.toString());
}

context.close();

}

}
Step 3: Helper class, includes varying Specification as the abstraction of SQL query criteria.
public class PersonSpecifications {

/**
* Specifications stating the Between (From - To) Age Specification
*/

public static class AgeBetweenSpec implements Specification<Person> {

private int from;

private int to;

public AgeBetweenSpec(int from, int to) {
this.from = from;
this.to = to;
}

@Override
public Predicate toPredicate(Root<Person> root, CriteriaQuery<?> query, CriteriaBuilder cb) {

return cb.between(root.get("age"), from, to);

}

}

/**
* Name specification
*
*/

public static class NameEqualSpec implements Specification<Person> {

public String name;

public NameEqualSpec(String name) {
this.name = name;
}

/**
* Get predicate
*/

public Predicate toPredicate(Root<Person> root, CriteriaQuery<?> query, CriteriaBuilder cb) {

return cb.equal(root.get("name"), this.name);

}
}

}
Step 4: Let's define Person repository using Spring Data JPA.
@Repository
public interface PersonRepository
extends CrudRepository<Person, Long>, JpaSpecificationExecutor<Person>
{

Person findByName(String name);
}
Step 5: Now, let's test this pattern using Client (main method).
public class Client {

private static final Logger LOGGER = LoggerFactory.getLogger(App.class);

/**
* Program entry point
*
* @param args
* command line args
*/

public static void main(String[] args) {

ClassPathXmlApplicationContext context = new ClassPathXmlApplicationContext(
"applicationContext.xml");
PersonRepository repository = context.getBean(PersonRepository.class);

Person peter = new Person("Peter", "Sagan", 17);
Person nasta = new Person("Nasta", "Kuzminova", 25);
Person john = new Person("John", "lawrence", 35);
Person terry = new Person("Terry", "Law", 36);

// Add new Person records
repository.save(peter);
repository.save(nasta);
repository.save(john);
repository.save(terry);

// Count Person records
LOGGER.info("Count Person records: {}", repository.count());

// Print all records
List<Person> persons = (List<Person>) repository.findAll();
for (Person person : persons) {
LOGGER.info(person.toString());
}

// Update Person
nasta.setName("Barbora");
nasta.setSurname("Spotakova");
repository.save(nasta);

LOGGER.info("Find by id 2: {}", repository.findOne(2L));

// Remove record from Person
repository.delete(2L);

// count records
LOGGER.info("Count Person records: {}", repository.count());

// find by name
Person p = repository.findOne(new PersonSpecifications.NameEqualSpec("John"));
LOGGER.info("Find by John is {}", p);

// find by age
persons = repository.findAll(new PersonSpecifications.AgeBetweenSpec(20, 40));

LOGGER.info("Find Person with age between 20,40: ");
for (Person person : persons) {
LOGGER.info(person.toString());
}

repository.deleteAll();

context.close();

}
}

References

Comments

Popular posts from this blog

Design Patterns used in Hibernate Framework

Data Mapper Pattern

Information Expert GRASP Pattern