PlayMorphia Model
Model is a core concept of PlayMorphia module, this concept is programmed into play.modules.morphia.Model
class. Application developers start creating their own entity classes by extending this Model
class. They use their model classes by invoking methods built into the Model
, this includes all CRUD, query and statistics operations. Some case require Application developers to override certain methods defined in Model
, e.g. when application developer decide to define their own implementation of @Id fields.
Model basics
The PlayMorphia model is created following Play’s JPA model, so it’s equally easy to define your domain model with MongoDB access with PlayMorphia module as you did with Play’s JPA model. Let’s see the PlayMorphia version of User model class in Yabe sample:
package models;
import play.modules.morphia.Model;
import com.google.code.morphia.annotations.Entity;
@Entity
public class User extends Model {
public String email;
public String password;
public String fullname;
public boolean isAdmin; public User(String email, String password, String fullname) {
this.email = email;
this.password = password;
this.fullname = fullname;
}
}As you can see, the only difference between the PlayMorphia version and the JPA version is the changes in annotation and base class:
JPA | PlayMorphia | |
---|---|---|
play.db.jpa.Model | > | play.modules.morphia.Model |
javax.persistence.Entity | > | com.google.code.morphia.annotations.Entity |
Now let’s say how to use the User class. Again we will compare the PlayMorphia version with the JPA version (Search for createAndRetrieveUser
at here)
@Test public void createAndRetrieveUser() {
// Create a new user and save it
new User("[email protected]", "secret", "Bob").save();
// Retrieve the user with bob username
User bob = User.find(“byEmail”, “[email protected]”).first(); // Test
assertNotNull(bob);
assertEquals(“Bob”, bob.fullname);
}People might noticed that there is no difference in the method between the PlayMorphia and the JPA version. Yep! one goal of PlayMorphia module is to help Play people who are already familiar JPA model be able to use MongoDB with minimum effort.
ID field
Start from PlayMorphia 1.2.8, it supports String
type system generated ID field.
All Morphia model class must have an ID field defined. This is done by giving an com.google.code.morphia.annotations.Id
annotation to the ID property of the model. Once you have done with that your ID property in Java class will be mapped to "_id" key of the document in MongoDB.
Sharp eyed might spot that there is no Id
field in the sample code. True, because we will add the ID field automatically using code enhancing technology when the application is starting up. By default an ID field name “_id” will be added with type org.bson.types.ObjectId
. Application developer are allowed to change (not even possible in Play’s JPA model!) the ID field type to java.lang.String
or java.lang.Long
by adding the following line into your conf/application.conf
:
morphia.id.type=String
or
morphia.id.type=Long
Whichever ID type is used, PlayMorphia will always generate ID value automatically. Note if you shall NOT choose Long
as ID type when running in a clustered environment as it will not guarantee the uniqueness in that environment.
When you choose String
as ID type, by default PlayMorphia will use org.bson.types.ObjectId
to generate unique ID. However you can configure the system to use UUID
to generate the ID value by adding the following configuration item in your conf/application.conf
file:
morphia.id.stringIdGenerator=UUID
Note once you have set your app to use one type of ID you should stick to that type. If you change the type you will encounter problem when load existing data from database.
See also How to use customize ID field in the model class
Rule of thumb
In summary, to create an model class with PlayMorphia you should:
- Make that class extend
play.modules.morphia.Model
class - Annotate that class with
@com.google.code.morphia.annotations.Entity
annotation - Define the ID field ONLY IF when you have specific reason, e.g. you are using facebook user id in your user model.
- Add the property fields into the class. You are free to following Play’s public property convention or Java’s private plus manual getter/setter convention.
- Add domain methods to the class.
You are NOT required but free to:
- Add java object contract methods:
toString()
You should NOT unless you have a good reason to:
- Define the ID field if it’s type is ObjectId or Long or you don’t know about it’s type
- Add java object contract methods:
- Add any MongoDB access methods including load, save, query, delete
Embedded Entity
Like JPA, Morphia support objects embed relationship via annotation @Embedded
:
import com.google.code.morphia.annotations.*
// define the embedded class
@Embedded
public class Address {
public String streetNo;
public String street;
public String city;
public String state;
...
}
// define the embedding class
@Entity
public class Customer extends Model {
public String firstName;
public String lastName;
@Embedded
public Address address;
}
Unlike JPA, Morphia doesn’t use “Embeddable” annotation to annotate the embedded class. @Embedded
is used in both embedded class and embedded property declaration.
The Morphia “embedded” is basically the same semantic as the JPA “embedded” relationship from Java programming perspective. However they are different in persistence layer. In JPA when an embedded object is persisted into database, the properties defined in embedded object will be saved in the same table as the properties of the embedding object, ie. they are grouped in a flat structure. While an embedded object in Morphia saved in MongoDB they are saved still as embedded json structure. Given the above User-Address models, the corresponding document in MongoDB could be something like:
{
_id: ObjectId('...'),
firstName: '...',
lastName: '...',
address: {
streetNo: '...',
street: '...',
city: '...',
state: '...',
...
},
}
Even without @Embedded
you can still use java class as field type as long as that class implements java.io.Serializable
. However that field will be stored in MongoDB in binary format instead of structured data as shown above.
Embedded object is actually NOT an entity at all, you should NOT extend embedded object to play.modules.morphia.Model
, neither should you annotate embedded object with @com.google.code.morphia.annotations.Entity
Reference other models
There are cases that you want to “link” two different entity object instead of embed one into another. For example, suppose you have “Order” model which contains “Customer” information. However you don’t want to embed “Customer” into “Order” as one “Customer” might put multiple “Orders”. If you embed “Customer” into “Order” you will be forced to duplicate a large number of “Customer” information. In this case “reference” is preferred to “embed” relationship.
Here you don’t want to embed “Order” into “Customer” class for different reasons:
- Ease of query and aggregation. Querying or aggregating on an individual entity (which corresponding to a document in MongoDB) is much easier than doing so on an embedded (which mapped to part of a document in MongoDB) object.
- Life cycle not match. “Customer” has much longer life cycle than “Order”. If you embed “Order” into “Customer” you will force to touch “Customer” entity when processing “Order”.
A rule of thumb is to use Embedded relationship when the two parts has a “Composition” relationship, and use Reference relationship when the two parts has a weaker “Aggregation” or “Association” relationship. See Class diagram on wikipedia for details about “Composition”, “Aggregation” and "Association
There are two ways to do model “link/reference” relationship in your PlayMorphia model class:
- Use
@com.google.code.morphia.annotations.Reference
to annotate the model property - Store id field of the linked(referenced) entity and create getter/setter to fetch the linked instance
@Reference
annotation
Morphia provides @Reference
which exactly map the MongoDB Database Reference to Java world. Example:
@Entity
public class Customer extends Model {
public String fistname;
public String lastname;
...
}
@Entity
public class Product {
public String name;
public int price;
}
@Entity
public class Order {
@Reference
pubilc Customer customer;
@Reference
public Product product;
}
By default Morphia to load referenced (Customer and Product in the sample) object when the referencing object (Order in the sample) loaded. However you could make Morphia to lazy load the referenced object by using .@Reference(lazy = true)
According to issue #91, @Referece(lazy = true)
doesn’t work as expected.
By default Morphia will throw out com.google.code.morphia.mapping.MappingException
if the referenced object could not be load due to missing data in MongoDB. This is annoying sometimes, you can let Morphia to silently ignore the missing data by using @Reference(ignoreMissing = true)
@Reference annotation is useful to create reference link between two domain models but there is another way to do the same thing and is more preferred.
Manually create link between models
Manually creating link between models approach is preferred because it use less storage than the @Reference annotation approach. On the other side, it’s not difficult to handle at all. Taking the same Order-Product-Customer example. The Customer and Product model has no changes, here is the new version of Order model:
@Entity
public class Order extends Model {
private ObjectId customerId;
private ObjectId productId;
public Customer getCustomer() {
if (null == customerId) return null;
else return Customer.findById(customerId);
} public Product getProduct() {
if (null == productId) return null;
else return Product.findById(productId);
}
}Persistence view of the two approaches
Let’s take a look at the persist data structure of the two reference approaches:
@Reference annotation version
{
customer: {$ref: Customer, $id: ObjectId(...)},
product: {$ref: Product, $id: ObjectId(...)},
}
@Manual link version
{
customerId: ObjectId(...),
productId: ObjectId(...),
}
Click here to see a good article about MongoDB DBRef
Store Blob data into GridFS
Morphia does very good job to mapping Java objects into MongoDB document. But it’s not an easy job for application developer when there comes in blob data (e.g. photo upload). PlayMorphia makes processing of blob data super easy:
import play.modules.morphia.Blob;
@Entity
public class User extends Model {
public String firstName;
public String lastName;
Blob photo;
public void setPhoto(File file) {
String type = "image/" + S.fileExtension(file.getName());
photo = new Blob(file, type);
save();
}
}
So it’s all you need in your model class to declare your blob data with type play.modules.morphia.Blob
, and implement a simple set method to convert File to Blob. When you call save()
method, byte enhanced code will automatically save the blog into MongoDB’s GridFS with property ID.
Using model with blob data is also very easy:
// photo upload handler
public static void uploadPhoto(String userId, File photo) {
User user = User.findById(userId);
notFoundIfNull(user);
user.setPhoto(photo);
render(user);
}
// fetch photo
public static void getPhoto(String userId) {
User user = User.findById(userId);
notFoundIfNull(user);
notFoundIfNull(user.photo);
renderBinary(user.photo.get());
}
Check out GridFS or filesystem
Automatic timestamp
It’s not unusual that we need to log the time when an entity is created and modified. That’s also why people contributes Chronostamp module. Chronostamp support JPA only. Fortunately PlayMorphia provides it’s own support to create automatic timestamp, even more powerful. To enable automatic timestamp on your model class, add PlayMorphia automatically add timestamp fields to your model classes by default start from v1.2.8-RC1, to disable it, add @play.modules.morphia.Model.AutoTimestamp
to the class declaration.@play.modules.morphia.Model.NoAutoTimestamp
to the class declaration
Start v1.2.8-RC1, all model will be auto-timestamp enabled by default. There are two ways to disable auto-timestamp:
- Add
@play.modules.morphia.Model.NoAutoTimestamp
to the model class you don’t want to add timestamp field. This works for a single model class - set
morphia.autoTimestamp
tofalse
inconf/application.conf
file. This works for all model classes. When you turned autotimestamp globally you can still turn on auto timestamp for individual model classes by adding@play.modules.morphia.Model.AutoTimestamp
annotation to their class declaration.
Once auto timestamp feature is turned on to a model, PlayMorphia will add two Long type fields to the model class: _created
and _modified
. PlayMorphia will also make sure these 2 fields get updated when you save the model instance. Unlike Chronostamp where timestamp fields could be accessed only in the views, PlayMorphia enable you to access timestamp from any where in yoru applicaption by exporting two public interfaces in play.modules.morphia.Model
:
// get created timestamp
long created = myEntity._getCreated();
// get modified timestamp
long modified = myEntity._getModified();
Calling _getCreated()
and _getModified()
on entity which has no @AutoTimestamp
annotation will trigger java.lang.UnsupportedOperationException
Create index on Model class
Indexing is a very important tool in both SQL and MongoDB to boost query performance. JPA guys assume that creating index is a job of DBA. So they don’t have code level tools to create index. MongoDB aims to make database admin as light as possible and Morphia provides annotation based indexing but require you to call Datastore.ensureIndexes()
to create them. PlayMorphia moves one step further, just annotate your class or fields to declare the indexes you want to create, PlayMorphia will automatically create them once application started.
Index a single property
To index a single property of your model, annotate that property with @com.google.code.morphia.annotations.Indexed
:
import com.google.code.morphia.annotations.Indexed;
@Entity public class extends Model {
@Indexed
public String firstName;
@Indexed
public String lastName;
}
Compound Index
To create a compound index you can use com.google.code.morphia.annotations.Indexes
to annotate your model class:
import com.google.code.morphia.annotations.Indexes;
import com.google.code.morphia.annotations.Index;
@Entity
@AutoTimestamp
@Indexes({
@Index("user, -_modified"),
@Index("changedRecord, -_modified")
})
public class ActionTrack extends Model {
public String user;
public String action;
}
In the above example, you’ve created two compound indexes to enable quickly query for recent actions for a given user and query for recent users who invoked a given action.
See also
You can refer to the following resource for more about MongoDB modeling:
- Check out Morphia document and MongoDB document for more about index
- Though not in Java, MongoDB Data Modeling and Rails is an excellent resource to understand MongoDB’s approach of modeling your data
- Using Model: CRUD
- Using Model: Query
- How to use customize ID field in the model class
- Check out Advanced Model Topics to see more about PlayMorphia model