Domain Driven Architecture
One problem with early versions of opentaps is that the ofbiz framework which we used is not an object-oriented framework. Instead, it is based on a data model which is fundamentally relational, and that data model is accessed via a map-like Java object called GenericValue. Most of the services in the business tier used a GenericDelegator to retrieve GenericValues from the database, performed operations on them, and then stored them back into the database again using the same GenericDelegator.
While this lightweight architecture could do a lot of things, as opentaps grew it became apparent that some of the application could significantly benefit from an object-oriented architecture. A few months ago, we started down this path and thought about how to write more object-oriented code with the ofbiz framework. More recently, after reading about Domain Driven Design and Domain Driven Design Quickly, we realized that what we really needed was not just object-oriented code, but rather a more formal classification of our business logic into domains. This document explains what domain driven architecture is, how we have implemented it, and how it could help you structure your code.
Contents
What is Domain Driven Design?
The basic idea behind a domain is to group together all the "domain expertise," or business knowledge, of an application and separate it from the application and its infrastructure. It is a different way of thinking about how to organize large software applications and complements the popular Model View Controller (MVC) architecture, which we also use in opentaps. With the Model View Controller architecture, the application's user interface (View) is separated from its business logic (Model), and a Controller directs requests from the view layer to the relevant business logic found in the model layer. The advantage of doing this is that the same business logic could then be reused elsewhere, either in another page in the view layer or as part of other business logic in the model layer.
MVC, however, doesn't really say how your model should be structured. Should it be object-oriented, or should it all be written in procedural languages or just SQL? Should they reside in separate components and packages, or could you just have one big file, which has all of your business logic? The domain driven design answers this question by separating the model layer ("M") of MVC into an application tier, a domain tier, and an infrastructure tier. The infrastructure tier is used to retrieve and store data. The domain tier is where the business knowledge or expertise is. The application tier is responsible for coordinating the infrastructure and domain tiers to make a useful application. Typically, it would use the infrastructure tier to obtain the data, consult the domain tier to see what should be done, and then use the infrastructure tier again to achieve the results.
For example, let's say that you wanted to assess late charges on all of your customers' outstanding invoices. MVC would tell you that your application should have a screen which shows you a list of outstanding invoices, and when the user says "Assess Late Charges", the controller would pass the users' input parameters to business logic in the model tier to do the dirty work of assessing those late charges.
With a domain driven design, we would look more deeply at what that dirty work actually involved. The application tier would call upon the infrastructure tier to retrieve all the invoices which may get assessed charges. Then, it would present that list of invoices to the domain tier, which has the business expertise to say "Should this invoice get charged?" and if so "How much should this invoice get charged?" The domain tier would then return the late charges for each invoice to the application tier. The application tier would then call on the infrastructure tier again to store the late charges into the database.
Why Domain Driven Design?
Why do we want to do all this?
You will be able to work with opentaps more easily
The first and most obvious benefit of domain driven design is that it helps us organize our application into natural domains, so you don't have to come in contact with all the 800+ tables in opentaps and the over 1,200 services that support them. For example, a domain driven design would allow us to break an application down into a few large domains, such as Customer, Order, and Invoice, and hide all the details within each of those domains from developers who don't need to work with them. Thus, if you are working on the Order domain, you may need to know a little bit about a Customer, such as his home address, shipping addresses, payment methods, but you don't really need to know all the tables used to track the relationship of customer information and their histories.
A related advantage is that it allows us to separate business tier expertise from infrastructure expertise. Thus, if you are working primarily with implementing business processes, you can write code which basically work with the different domains. You'll be happy to leave the database to somebody whose job is working on the infrastructure tier, and who's probably glad not to have to worry about your business processes.
You will be able to extend opentaps more easily
Imagine that you worked in an industry or a company that had customers, but they did some special things for their customers that most other companies don't. With an object-oriented domain driven design, you will be able to extend the existing Customer domain objects from opentaps with new methods specific to your industry or company, while still using everything from the opentaps Customer.
You will be able to use opentaps in novel ways
A potentially more valuable advantage is that domain driven design gets us closer to a plug-and-play application. Imagine again that your application is broken down into the Customer and Order domains, so that the Order domain interacts with customer information only through the Customer domain. What if you wanted to use the opentaps order entry and order management tool with another CRM application, like SugarCRM or SalesForce.com? With good domain separation, it would be a matter of just implementing the Customer domain objects used by the Order domain to call the new CRM application. Alternatively, if you wanted to use opentaps CRM with a legacy order management system, you could implement the Order domain objects used by the Customer domain in opentaps.
Finally, by separating out the domain tier of business knowledge from the infrastructure tier, it also allows us to deploy opentaps on a different infrastructure tier later as well. For example, instead of using the entity engine, you could use Hibernate or even the Google storage API instead. This frees your application from lock-in to a particular framework.
If these advantages sound familiar, they should be. They are in fact the advantages of encapsulation, polymorphism, and inheritance of object oriented programming. Domain driven design is essentially a practice for realizing those advantages in a large-scale application.
Terminology
Now let's look at some of the terminology used by Domain Driven Design, which will serve as our starting point:
- Domain is a body of business expertise. For example, you might have a domain of all business expertise about customers -- who is responsible for them, what prices they should get, how to contact them, etc.
- Entity is an object which has a distinct identity. For example, a Customer entity has a distinct identity with an ID.
- Value Object is an object which has no distinct identity. For example, the color of a product does not have a distinct identity if you think the "blue" of two blue shirts are the same thing.
- Aggregate is a higher level entity which could be viewed from the outside and in turn links you to other entities and value objects. For example, Customer might be an aggregate, so you can view Customer from Orders, Invoices, etc., but a Customer's addresses and phone numbers should only be retrieved by going through Customer first.
- Infrastructure is where the lower level infrastructure of your application is available. For example, it would provide you with the ability to access databases, remote web services, etc.
- Factory is used to create Entities. For example, a Factory might create an Invoice entity (and its related entities and value objects) from an Order entity.
- Repository is used to retrieve, store, and delete Entities from the database. For example, a Repository might help you store the Invoice (and related entities) your Factory created and then bring them back from the database.
- Service is business logic that involves several domain Entities or Aggregates.
How Domain Driven Design is Implemented
When we started to implement the domain driven design, we faced a common issue for many developers: How could we need true to the spirit of a domain driven design, but at the same time live with our existing framework and code base?
What we did is first implement a set of foundation classes in org.opentaps.foundation.* to support the Entity, Repository, Inrastructure, and Factory concepts under the ofbiz framework. For each of these, we implemented an interface, and then we implemented a specific version for the ofbiz framework. Thus, we have the following interfaces:
* org.opentaps.foundation.entity.EntityInterface * org.opentaps.foundation.repository.RepositoryInterface * org.opentaps.foundation.factory.FactoryInterface * org.opentaps.foundation.infrastructure.Infrastructure
Then, for each of these we implemented a version for the ofbiz framework:
* org.opentaps.foundation.entity.ofbiz.Entity * org.opentaps.foundation.repository.ofbiz.Repository * org.opentaps.foundation.factory.ofbiz.Factory * org.opentaps.foundation.infrastructure.ofbiz.Infrastructure
Each of these is designed to map legacy code from ofbiz and ofbiz-based portions of opentaps into the concepts of the domain driven design:
Entity
The Entity object is designed to create an object equivalent to the ofbiz GenericValue. You can create an Entity from an ofbiz GenericValue by simply passing it to the Entity constructor:
  GenericValue invoiceValue = delegator.findByPrimaryKey("Invoice", UtilMisc.toMap("invoiceId", "10000"));
  Entity invoiceObject = new Entity(invoiceValue);
At this point, you can access all of the methods of the GenericValue, because Entity actually extends GenericValue! In fact, legacy code would actually think that your Entity object is a GenericValue. However, you can also define additional methods in your Entity object, extend your Entity class with subclasses, and get all the benefits of a real Java object. The Entity object is meant to be extended, so more entity specific methods could be added in the subclasses. For example, Entity is extended to Invoice, Order, and Party, the last of which is also further extended to Organization, Supplier, and Customer, which is further extended to Account, Lead, and Contact.
For example, our Invoice domain aggregate is implemented as an extension of Entity:
 public class Invoice extends Entity {
 ....
 public BigDecimal getInvoiceTotal() {
   ...
 }
With this implementation, you can access fields of the Invoice GenericValue or the object methods in the Invoice Entity object:
 String invoiceId = invoice.getString("invoiceId");
 Timestamp invoiceDate = invoice.getTimestamp("invoiceDate");
 BigDecimal invoiceTotal = invoice.getInvoiceTotal();
You can even use the .getRelated(...) and .store() methods of the Invoice GenericValue in your Invoice Entity object to access related entities or persist your Entity objects. Please don't do it -- that is something for the Repository.
What's In a Name? If you're familiar with ofbiz, you'll notice that it has something called GenericEntity versus our Entity object. Why are the names similar? Because they both model the same thing but in different ways. An "entity" is a common concept that refers to an object with a distinct identity. The ofbiz GenericEntity models all entities as generics, with a generic set of methods like .set(), .getString(..), etc. The opentaps Entity object extends that GenericEntity, so you can have both the generic methods and methods specific to your entity, like .getInvoiceTotal(). Thus, the ofbiz GenericEntity says "All entities are generic, and these are the generic methods for them." The opentaps Entity object says "All entities are in some ways generic and in some ways unique. You decide what's generic and what's unique."
Infrastructure
The Infrastructure class is designed to encapsulate the infrastructure of the application. The idea is that the Infrastructure is passed to the Repository and the Factory classes so that they can interact with the database and external Web services. Infrastructure is not meant to be extended. Rather, the InfrastructureInterface is intended to be a placeholder for the infrastructure to be passed to the Repository and the Factory classes. In the case of the ofbiz framework that is primarily the service dispatcher, from which you can obtain the delegator and security objects. The ofbiz Infrastructure also holds a system user login, in case Repositories and Factories need it.
Factory
The Factory class is designed to create Entity objects based on other parameters. For example, you might want to create an Invoice Entity based on customer and invoice terms, or you might want to create an Invoice Entity based on an existing Order, taking its customer and list of items as a starting point. The Factory class is meant to be extended to create Factories for the different domain aggregates such as Invoice, Customer, Order, etc.
For the ofbiz framework, the Factory often references legacy services. Note that this is an interesting issue: in a classic domain driven design, the Factory would create the Entity as pure objects, and then the Repository would be responsible for storing them to the database. Such separation of roles is not present in the ofbiz framework, however, where virtually every service would access the database, create new data, and then store it back into the database. Thus, to reuse these existing services, our Factories sometimes end up storing the objects to the database first by calling an ofbiz service, then retrieve them again and return them as Entity objects.
Repository
The Repository is designed to help retrieve and store Entities and is meant to be extended for the major Entities, so the foundation Repository should be extended to CustomerRepository, InvoiceRepository, and OrderRepository to support Customer, Invoice, and Order Entities.
For the ofbiz framework, the preferred way to retrieve and store data could either use the service dispatcher or the delegator. Therefore, the Repository could be instantiated either with the delegator alone or with the delegator, dispatcher, and user login. The Repository should offer a set of methods for retrieving or persisting its related Entity and then either use the delegator or call the service to do it.
Repositories or Factories?
Since almost all legacy ofbiz services store values into the database, the implementation of business logic as factories or repositories is more of a style choice. Remember that Factories are intended to create new Entity objects, while Repositories are intended to retrieve and store them. Therefore, we would follow the following rules for Factories and Repositories:
- Use Factories for create and Repositories for get and store
- Always return the domain's Entity object from your Factory, so it looks like a real object Factory
- Factories will almost always use the service dispatcher, whereas Repositories will usually use the dispatcher but may sometimes use the delegator
Extending the Foundation to the Domains
From the foundation classes, we will implement the key business logic in each application as domains. Each domain is a combination of an aggregate Entity plus its associated Repository and Factory. For example, we have started with org.opentaps.financials.domain.invoice to implement the Invoice domain and its related InvoiceRepository and InvoiceFactory, each extending the foundation Invoice, Repository, and Factory classes.
The goal is not to implement an object replacement for every GenericValue, but rather to use the Entity/Repository/Factory combination for entities which could really benefit from object-oriented design. Specifically, that means the entity must benefit from encapsulation, polymorphism, and inheritance.
For example, InvoiceAttribute is an entity which should be left as a GenericValue. It is nothing more than a set of arbitrary key value pairs for an invoice, and implementing it as an Entity object would simply add more code without any discernible gain. In contrast, Invoice is an entity which could benefit from object-oriented design: you can encapsulate a lot of business logic and related entities within the Invoice object, and you can extend the base Invoice object to subclasses such as SalesInvoice, CommissionInvoice, etc. which could each have unique methods to that subclass. (For example, SalesInvoice could have methods for getting commission agents on the sales invoice, which would not be relevant to a CommissionInvoice. Conversely, the methods for getting the customer of a SalesInvoice and CommissionInvoice would be different methods.)
Initially, we are going to implement only the top-level entity of each Aggregate as an Entity object and place it in the root of the package. Thus, org.opentaps.financials.domain.invoice contains the Invoice Entity/Repository/Factory classes, while org.opentaps.domain.order will have the Order Entity/Repository/Factory classes. The related entities, such as InvoiceItem or OrderContactMech, will remain as GenericValue for now, but because our Entity object extends the GenericValue, if later we implement them as Entity, the existing code should not be affected. Those related entities will be put into a sub package, such as org.opentaps.common.domain.order.entities
An Example Using Domains
Now let's consider an example. Suppose we want to create an invoice for all the order items which are not physical products and which have been marked as performed (See Fulfilling Orders for Services.) Using the ofbiz framework, we would first define a service:
    <service name="opentaps.invoiceNonPhysicalOrderItems" engine="java"
        location="com.opensourcestrategies.financials.invoice.InvoiceServices" invoke="invoiceNonPhysicalOrderItems">
        <description>Creates an invoice from the non-physical items on the order.  It will invoice from the status in the orderItemStatusId,
        or if it is not supplied, default to ITEM_PERFORMED.  After the invoice is created, it will attempt to change the items' status
        to ITEM_COMPLETE.</description>
        <attribute name="orderId" type="String" mode="IN" optional="false"/>
        <attribute name="orderItemStatusId" type="String" mode="IN" optional="true"/>
        <attribute name="invoiceId" type="String" mode="OUT" optional="false"/>
    </service>
Then, we would create a static Java method for the service:
    public static Map invoiceNonPhysicalOrderItems(DispatchContext dctx, Map context) {
        LocalDispatcher dispatcher = dctx.getDispatcher();
        GenericValue userLogin = (GenericValue) context.get("userLogin");
        Locale locale = (Locale) context.get("locale");
        String orderId = (String) context.get("orderId");
        String orderItemStatusId = (String) context.get("orderItemStatusId");
        try {
            // validate that the order actually exists and get list of non-physical
            GenericValue order = delegator.findByPrimaryKey("OrderHeader", UtilMisc.toMap("orderId", orderId));
            if (UtilValidate.isEmpty(order)) {
                return ServiceUtil.returnError("Order [" + orderId + "] not found");
            }
            // set default item status
            if (UtilValidate.isEmpty(orderItemStatusId)) {
                Debug.logInfo("No status specified when invoicing non-physical items on order [" + orderId + "], using ITEM_PERFORMED", module);
                orderItemStatusId = "ITEM_PERFORMED";
            }
            // get the non-physical items which have been performed
            List<GenericValue> orderItems = order.getRelatedByAnd("OrderItem", UtilMisc.toMap("statusId", orderItemStatusId));
            List<GenericValue> itemsToInvoice = new ArrayList();
            for (GenericValue orderItem:orderItems) {
                if (!UtilOrder.isItemPhysical(orderItem)) {
                    itemsToInvoice.add(orderItem);
                }
            }
            // check if there are items to invoice
            if (UtilValidate.isEmpty(itemsToInvoice)) {
                return UtilMessage.createAndLogServiceError("OpentapsError_PerformedItemsToInvoiceNotFound", locale, module );
            }
            // create a new invoice for the order items
            // because of the way createInvoiceForOrder is written (665 lines of code!) we'd have to do some re-factoring before we can add the items to an existing invoice
            Map tmpResult = dispatcher.runSync("createInvoiceForOrder", UtilMisc.toMap("orderId", orderId, "billItems", itemsToInvoice, "userLogin", userLogin), 7200, false);  // no new transaction
            if (ServiceUtil.isError(tmpResult)) {
                return tmpResult;
            }
            // change the status of the order items to COMPLETED
            for (GenericValue orderItem:itemsToInvoice) {
                tmpResult = dispatcher.runSync("changeOrderItemStatus", UtilMisc.toMap("orderId", orderItem.getString("orderId"), "orderItemSeqId", orderItem.getString("orderItemSeqId"), "statusId", "ITEM_COMPLETED", "userLogin", userLogin));
            
            // return invoiceId of new invoice created
            String invoiceId = (String) tmpResult.get("invoiceId");
            tmpResult = ServiceUtil.returnSuccess();
            tmpResult.put("invoiceId", invoiceId);
            return tmpResult;
        } catch (GeneralException e) {
            return UtilMessage.createAndLogServiceError(e, module);
        }
    }
