Persistence

Persistence

Persistence refers to that part of the domain model, which we could call the data model.

Data model

The data model consists of domain classes whose instances are saved in the storage. The following steps need to be accomplished to make domain class instances persistent.

  • Definition and creation of the database tables, if using a database storage.
  • Implementation of the PersistenceMapper classes, which map the domain classes to these tables, or anything else that is used as storage.
  • Implementation of the domain classes as subclasses of Node.
  • Configuration of the persistence layer.
Note
If you are using the generator to create the application from a model (see Model), all necessary code will be generated automatically.

Database tables

Still the most common storage for web applications is a SQL database (e.g. MySQL). It is also wCMF's default storage. Although not strictly necessary it is recommended to use one database table for each persistent class, where each class property maps to one table column and each row stores one instance. The object identity is stored in the primary key column, which is named id by default.

Note
wCMF uses a table called DBSequence for retrieving the next id value used for insertion, since autoincrement columns are not supported on all database servers.

Primary keys

Primary keys are used to clearly identify an object in the database. They can consist of one (simple) or more (compound) columns. The default name for a primary key column is id. wCMF stores the primary key of an object together with it's type name in an ObjectId instance.

Relations

The following two relations types must be considered, when modeling the data tables:

  • One-To-Many relations are realized by adding a foreign key column to the child table (many-side), which points to the parent table (one-side). This column is named fk _ + parent table name + _ id by default (e.g. fk_author_id).
  • Many-To-Many relations between two domain classes, are established by defining a connection table. This table contains two primary keys, which point to the two connected tables.

Persistence Mappers

wCMF uses persistence mapper classes to communicate between the application and the persistent storage (see Architecture). These classes implement the PersistenceMapper interface, which defines methods for all persistence actions. By using this pattern wCMF does not make any assumptions about the actual storage, which can be flat files, a database or anything else a mapper is able to handle. This approach also makes it easy to connect an existing storage to a newly created wCMF application.

To simplify the implementation of mapper classes, wCMF already contains a class hierarchy for a common mapping approach, which maps each concrete class to one database table (Concrete Table Inheritance). In this hierarchy RDBMapper handles the communication with the relational database, while NodeUnifiedRDBMapper defines the actual mapping rules. Application developers simply need to implement one subclass of NodeUnifiedRDBMapper for each persistent domain class, which declares the mapping of the attributes and relations of that class.

Note
All mapper classes, that are created by the generator are NodeUnifiedRDBMapper subclasses.

Domain Classes

Domain class instances hold the data that are used in the application and persisted in the storage.

Persistent domain classes either inherit from

  • PersistentObject, which is a container with value getter and setter methods, or from
  • Node, which adds methods for managing relations.

These two classes are completely generic, the actual identity of the domain class - that is the properties and the relations - are defined by the related PersistenceMapper.

So if no additional domain logic is required in the domain class, it would be sufficient to use Node as domain class. But in many cases you will want to execute custom code for Persistence Hooks or Validation and therefor create a custom subclass of Node.

Note
All domain classes, that are created by the generator are Node subclasses.

Persistence Hooks

Persistence hooks are methods that are called at certain points of the lifecycle of an instance. The default implementation of these methods is empty - in fact their sole purpose is to be overwritten in subclasses on order to implement special functionality that should be executed at those points. PersistentObject defines the following persistence hooks:

Values, Properties and Tags

The following terms are important to know when working with wCMF's domain classes:

  • Values are the persistent attributes of a domain class. You can think of them as class members. Values are accessed using the methods getValue and setValue.
  • Properties apply to domain classes and domain class values. They describe static features like the display_value of the class or the input_type of a value. Properties are defined in the model as tags (see Chronos profile) and are accessed using the methods getProperty/ setProperty and getValueProperty/ setValueProperty
  • Tags are a special property used on values to group them by certain aspects. For example the edit forms in the default application only display domain class values that are tagged with DATATYPE_ATTRIBUTE and only those attributes are editable in the translation form that are tagged with TRANSLATABLE. Tags are defined in the model using the tag app_data_type (see ChiValue).

Configuration

Entry point of configuring the persistence layer is PersistenceFacade (see Usage). The configuration mainly tells the facade which mapper classes are responsible for which domain classes. This assignment is defined in the TypeMapping configuration section. The following example shows the appropriate entries for the Author domain class:

1 [PersistenceFacade]
2 __class = wcmf\lib\persistence\impl\DefaultPersistenceFacade
3 mappers = $typeMapping
4 logging = false
5 logStrategy = $auditingLogStragegy
6 
7 [AuditingLogStragegy]
8 __class = wcmf\lib\persistence\output\impl\AuditingOutputStrategy
9 
10 [TypeMapping]
11 app.src.model.Author = $app_src_model_AuthorRDBMapper
12 
13 [app_src_model_AuthorRDBMapper]
14 __class = app\src\model\AuthorRDBMapper
15 connectionParams = $database
16 
17 [Database]
18 dbType = sqlite
19 dbHostName = 127.0.0.1
20 dbName = app/test-db.sq3
21 dbUserName =
22 dbPassword =
23 dbCharSet = utf8

Usage

PersistenceFacade is the main entry point to the persistence layer. It is used to create and retrieve PersistentObject instances. The following sections show some basic examples for using the persistence layer.

Loading objects

$oid = new ObjectId('Author', 1);
// load the Author instance with id 1
$author = ObjectFactory::getInstance('persistenceFacade')->load($oid);
// PersistenceFacade will return null, if an instance does not exist
if($author == null) {
echo("An Author with object id ".$oid." does not exist.";
}

In the example the Author instance with id 1 is loaded.

Build depth

When loading objects we generally distinguish between eager and lazy loading (see Lazy loading). By default PersistenceFacade performs lazy loading by using virtual proxies (instances of PersistentObjectProxy). That means that related objects are retrieved from the store, only when they are actually accessed. To perform eager loading, a BuildDepth value may be passed in the method calls:

$oid = new ObjectId('Author', 1);
// load the Author instance with id 1 together with all related objects
$author = ObjectFactory::getInstance('persistenceFacade')->load($oid, BuildDepth::INFINITE);

In this example the Author instance with id 1 is loaded together with all related objects recursively.

Instead of a BuildDepth value, an integer number may be passed indicating the depth of relations to load. The following image illustrates the build depth parameter for a simple model.

builddepth.png
Build depth

If using a build depth value of 1 the Author instance Author A will be loaded together with it's related Articles instances (Article A, Article B). A value of 2 will also load the Chapter instances (Chapter A1, Chapter A2). The default value is BuildDepth::SINGLE, which means that only the Author A instance is loaded. In the above illustration the value of 2 is equal to passing BuildDepth::INFINITE.

Sorting

When loading a list of objects, the default order of the PersistenceMapper class is used for sorting. This default order is defined in the model (orderby tag of ChiNode, see ChiNode / ChiManyToMany). Besides this, all loading methods (e.g. PersistenceFacade::loadObjects) accept an orderby parameter for explicitly setting a different order.

A list of already loaded Node instances may be sorted by using NodeComparator in the following way:

$nodeList = array(...);
// set up a comparator for node type and created date
$sortCriteria = array(
NodeComparator::ATTRIB_TYPE => NodeComparator::SORTTYPE_ASC,
'created' => NodeComparator::SORTTYPE_DESC
);
$comparator = new NodeComparator($sortCriteria);
// sort node list
usort($nodeList, array($comparator, 'compare'));

Pagination

To reduce the response time of your application when displaying large lists of objects, pagination may be used. This technique splits the list into smaller parts (pages) that are displayed one by one. In wCMF the class PagingInfo implements the concept.

The following code shows how to load 25 Author instances starting from position 50:

// setup paging
$pagingInfo = new PagingInfo(25);
$pagingInfo->setOffset(50);
// load the Author instances
$authors = ObjectFactory::getInstance('persistenceFacade')->loadObjects('Author', BuildDepth::SINGLE, null, null, $pagingInfo);

Searching objects

To search objects in the store the PersistenceFacade::loadObjects method may be used. It allows to set the conditions that loaded objects should match.

$criteria = array(
new Criteria("Article", "title", "LIKE", "A%"),
new Criteria("Article", "year", ">=", "2014")))
)
// load all Article instances with titles starting with A and release date 2014 or later
$articles = ObjectFactory::getInstance('persistenceFacade')->loadObjects("Article", BuildDepth::SINGLE, $criteria);

In this example all Article instances with titles starting with A and release date 2014 or later are loaded.

More complex use cases are supported by the ObjectQuery class. For example it allows to set search constraints on connected objects as shown in the following example:

// create a Author query
$query = new ObjectQuery('Author');
// query part: Author.name LIKE 'A%' OR Author.name LIKE 'B%'
$authorTpl1 = $query->getObjectTemplate("Author");
$authorTpl1->setValue("name", Criteria::asValue("LIKE", "A%"));
$authorTpl2 = $query->getObjectTemplate("Author", null, Criteria::OPERATOR_OR);
$authorTpl2->setValue("name", Criteria::asValue("LIKE", "B%"));
// query part: Article.created >= '2004-01-01' AND Article.created < '2005-01-01'
$articleTpl1 = $query->getObjectTemplate("Article");
$articleTpl1->setValue("created", Criteria::asValue(">=", "2004-01-01"));
$articleTpl2 = $query->getObjectTemplate("Article");
$articleTpl2->setValue("created", Criteria::asValue("<", "2005-01-01"));
// connect query nodes
$authorTpl1->addNode($articleTpl1);
$authorTpl1->addNode($articleTpl2);
// load result
$authorList = $query->execute(BuildDepth::SINGLE);

In this example all Author instances are loaded which have names starting with A or B and which have Article instances connected that are created in the year 2014.

Besides this, wCMF integrates the Lucene search engine in the class LuceneSearch.

Iterating objects

wCMF provides several iterator classes for traversing objects and values.

NodeIterator allows to traverse object graphs starting from a root Node. The algorithm used is depth-first search.

// traverse $root and all descendents
$it = new NodeIterator($root);
foreach($it as $oid => $obj) {
echo "current object id: $oid";
echo "current object: $obj";
}

NodeValueIterator is used to iterate over all persistent values of a Node.

// traverse all values of $object
$it = new NodeValueIterator($object);
for($it->rewind(); $it->valid(); $it->next()) {
echo "current object: ".$it->currentNode();
echo "current attribute name: ".$it->key();
echo "current attribute value: ".$it->current();
}

PersistentIterator allows to traverse object graphs as well, but it's state may be persisted to split the iteration of large lists into smaller parts.

// traverse 10 nodes starting from $oid
$counter = 0;
$it = new PersistentIterator($oid);
while($it->valid() && $counter < 10) {
echo "current object: ".$it->currentNode();
$it->next();
$counter++;
}
// save iterator state in the session
$iterId = $it->save();
// load the iterator state later and traverse the remaining nodes
$it = PersistentIterator::load($iterId);
while($it->valid()) {
echo "current object: ".$it->currentNode();
$it->next();
}

Creating / Modifying objects

Domain class instances are created by calling the PersistenceFacade::create method or simply the class constructor, where the first approach is preferred over the second because it also sets the default values on attributes.

Changes on instances are persisted automatically, when the current transaction is committed (see Transactions). Objects are removed from the store by calling the PersistentObject::delete method.

$persistenceFacade = ObjectFactory::getInstance('persistenceFacade');
$tx = $persistenceFacade->getTransaction();
// create an Author instance
$author = $persistenceFacade->create('Author');
$author->setValue('name', 'Author A');
// create an Article instance and attach it to the author
$article = $persistenceFacade->create('Article');
$article->setValue('title', 'Article A');
$author->addNode($article);
// save everything
$tx->commit();
// get the author's object id
$oid = $author->getOID()
// delete the author instance
$author = $persistenceFacade->load($oid);
$author->delete();
// save everything
$tx->commit();

Validation

Before persisting objects, their content has to be validated according to the application requirements. Validation is handled in PersistentObject::validateValue (for a single attribute) or PersistentObject::validateValues (for the complete instance). These methods are called when values are changed via PersistentObject::setValue or right before persisting the object in AbstractMapper::save. Both validation methods throw a ValidationException, if validation fails.

Validation types

The actual validation is delegated to the Validator class, which uses ValidateType implementations for validating different types of attributes. Each validation type accepts configuration options, that are passed in as a string value. The format of this value is completely up to the validator type implementation. To define which validation should be applied to a domain class attribute, the tag restrictions_match is used in the model (see ChiValue).

Currently three validation types are supported:

Filter validates against a PHP filter (see filter_var), e.g.

// FILTER_VALIDATE_INT with min_range option and FILTER_FLAG_ALLOW_HEX flag
filter:int|{"options":{"min_range":0},"flags":2}

Image checks width and height of the referred image file e.g.

// image width exactly 200px, height less than 100px
image:{"width":[200,1],"height":[100,0]}

RegExp validates against a regular expression (see preg_match) e.g.

// integer or empty
regexp:^[0-9]*$
Note
The validation type is derived from the part of the configuration string, that precedes the first colon.

Custom validation types may be added in the configuration. For example after adding myValidator (implemented in MyValidator class):

1 [Validators]
2 regexp = $regexpValidator
3 filter = $filterValidator
4 image = $imageValidator
5 myValidator = $myValidator
6 
7 [MyValidator]
8 __class = path\to\MyValidator

it may be used in the following way:

myValidator:custom_configuration_string_passed_by_MyValidator

Complex validation

The described validation types only operate on one attribute. If more complex validation is required, e.g. if dependencies between several attributes exist, the method PersistentObject::validateValue may be overriden in the appropriate domain class.

Concurrency

When two or more users try to access the same object at the same time problems like lost updates might occur. These issues are avoided by concurrency control mechanisms, typically object locking.

Locking

wCMF provides two locking strategies:

  • Pessimistic locking: An explicit lock is obtained by one user, that blocks write access to the object for other users until the lock is released.
  • Optimistic locking: A copy of the initial object data is stored for each user and checked against later, when the user tries to store the object. The operation fails, if another user has updated the object data in the meantime.

For more detailed information see database locks.

Lock instances are obtained by calling ConcurrencyManager::aquireLock and released using ConcurrencyManager::releaseLock like shown in the following example:

// object id of the object to lock
$oid = new ObjectId('Author', 1);
// aquire an optimistic lock for the object
$lockType = Lock::TYPE_OPTIMISTIC;
$concurrencyManager = ObjectFactory::getInstance('concurrencyManager');
try {
$concurrencyManager->aquireLock($oid, $lockType);
}
catch(PessimisticLockException $ex) {
// another user already holds a lock on this object
echo $ex->getMessage();
}
// release lock later
$concurrencyManager->releaseLock($oid, $lockType);

The actual storage and retrieval of Lock instances is delegated to LockHandler. The following lines show the concurrency configuration in the default application:

1 [ConcurrencyManager]
2 __class = wcmf\lib\persistence\concurrency\impl\DefaultConcurrencyManager
3 lockHandler = $lockHandler
4 
5 [LockHandler]
6 __class = wcmf\lib\persistence\concurrency\impl\DefaultLockHandler
7 lockType = app.src.model.wcmf.Lock

As you can see the LockHandler implementation is exchangeable.

Transactions

wCMF supports database transactions. There is only one transaction at the same time and it may be obtained using the PersistenceFacade::getTransaction method. The transaction has an active state, which is set in the Transaction::begin method and reset on commit or rollback.

The following example shows, how to use transactions:

$persistenceFacade = ObjectFactory::getInstance('persistenceFacade');
// get the current transaction and start it
$transaction = $persistenceFacade->getTransaction();
$transaction->begin();
try {
// load the the Author instance with id 1 and make changes to it
$author = $persistenceFacade->load(new ObjectId('Author', 1));
$author->setValue("name", "Author B");
// save the changes
$transaction->commit();
}
catch(Exception $ex) {
// rollback the transaction if the commit fails
echo $ex->getMessage();
$transaction->rollback();
}
Note
Even if not obtained explicitely, there is always a transaction existing in the background, to which objects loaded from the store are attached. But to persist changes when doing a commit, the transaction has to be set active before loading or creating the object.

There are situations where you want to let the current transaction ignore changes made to newly created objects or objects loaded from the store. In these cases you can use the method Transaction::detach to disconnect the object from the transaction.