Table Objects
- class
Cake\ORM\
Table
- Table objects provide access to the collection of entities stored in a specifictable. Each table in your application should have an associated Table classwhich is used to interact with a given table. If you do not need to customizethe behavior of a given table CakePHP will generate a Table instance for you touse.
Before trying to use Table objects and the ORM, you should ensure that you haveconfigured your database connection.
Basic Usage
To get started, create a Table class. These classes live insrc/Model/Table. Tables are a type model collection specific to relationaldatabases, and the main interface to your database in CakePHP’s ORM. The mostbasic table class would look like:
- // src/Model/Table/ArticlesTable.php
- namespace App\Model\Table;
- use Cake\ORM\Table;
- class ArticlesTable extends Table
- {
- }
Note that we did not tell the ORM which table to use for our class. Byconvention table objects will use a table that matches the lower cased andunderscored version of the class name. In the above example the articles
table will be used. If our table class was named BlogPosts
your table shouldbe named blog_posts
. You can specify the table to use by using the setTable()
method:
- namespace App\Model\Table;
- use Cake\ORM\Table;
- class ArticlesTable extends Table
- {
- public function initialize(array $config)
- {
- $this->setTable('my_table');
- // Prior to 3.4.0
- $this->table('my_table');
- }
- }
No inflection conventions will be applied when specifying a table. By conventionthe ORM also expects each table to have a primary key with the name of id
.If you need to modify this you can use the setPrimaryKey()
method:
- namespace App\Model\Table;
- use Cake\ORM\Table;
- class ArticlesTable extends Table
- {
- public function initialize(array $config)
- {
- $this->setPrimaryKey('my_id');
- // Prior to 3.4.0
- $this->primaryKey('my_id');
- }
- }
Customizing the Entity Class a Table Uses
By default table objects use an entity class based on naming conventions. Forexample if your table class is called ArticlesTable
the entity would beArticle
. If the table class was PurchaseOrdersTable
the entity would bePurchaseOrder
. If however, you want to use an entity that doesn’t follow theconventions you can use the setEntityClass()
method to change things up:
- class PurchaseOrdersTable extends Table
- {
- public function initialize(array $config)
- {
- $this->setEntityClass('App\Model\Entity\PO');
- // Prior to 3.4.0
- $this->entityClass('App\Model\Entity\PO');
- }
- }
As seen in the examples above Table objects have an initialize()
methodwhich is called at the end of the constructor. It is recommended that you usethis method to do initialization logic instead of overriding the constructor.
Getting Instances of a Table Class
Before you can query a table, you’ll need to get an instance of the table. Youcan do this by using the TableRegistry
class:
- // In a controller or table method.
- use Cake\ORM\TableRegistry;
- $articles = TableRegistry::getTableLocator()->get('Articles');
- // Prior to 3.6.0
- $articles = TableRegistry::get('Articles');
The TableRegistry class provides the various dependencies for constructinga table, and maintains a registry of all the constructed table instances makingit easier to build relations and configure the ORM. SeeUsing the TableRegistry for more information.
If your table class is in a plugin, be sure to use the correct name for yourtable class. Failing to do so can result in validation rules, or callbacks notbeing triggered as a default class is used instead of your actual class. Tocorrectly load plugin table classes use the following:
- // Plugin table
- $articlesTable = TableRegistry::getTableLocator()->get('PluginName.Articles');
- // Vendor prefixed plugin table
- $articlesTable = TableRegistry::getTableLocator()->get('VendorName/PluginName.Articles');
- // Prior to 3.6.0
- $articlesTable = TableRegistry::get('PluginName.Articles');
- $articlesTable = TableRegistry::get('VendorName/PluginName.Articles');
Lifecycle Callbacks
As you have seen above table objects trigger a number of events. Events areuseful if you want to hook into the ORM and add logic in without subclassing oroverriding methods. Event listeners can be defined in table or behavior classes.You can also use a table’s event manager to bind listeners in.
When using callback methods behaviors attached in theinitialize()
method will have their listeners fired before the tablecallback methods are triggered. This follows the same sequencing as controllers& components.
To add an event listener to a Table class or Behavior simply implement themethod signatures as described below. See the Events System formore detail on how to use the events subsystem.
Event List
Model.initialize
Model.beforeMarshal
Model.beforeFind
Model.buildValidator
Model.buildRules
Model.beforeRules
Model.afterRules
Model.beforeSave
Model.afterSave
Model.afterSaveCommit
Model.beforeDelete
Model.afterDelete
Model.afterDeleteCommit
initialize
Cake\ORM\Table::
initialize
(Event $event, ArrayObject $data, ArrayObject $options)- The
Model.initialize
event is fired after the constructor and initializemethods are called. TheTable
classes do not listen to this event bydefault, and instead use theinitialize
hook method.
To respond to the Model.initialize
event you can create a listener classwhich implements EventListenerInterface
:
- use Cake\Event\EventListenerInterface;
- class ModelInitializeListener implements EventListenerInterface
- {
- public function implementedEvents()
- {
- return array(
- 'Model.initialize' => 'initializeEvent',
- );
- }
- public function initializeEvent($event)
- {
- $table = $event->getSubject();
- // do something here
- }
- }
and attach the listener to the EventManager
as below:
- use Cake\Event\EventManager;
- $listener = new ModelInitializeListener();
- EventManager::instance()->attach($listener);
This will call the initializeEvent
when any Table
class is constructed.
beforeMarshal
Cake\ORM\Table::
beforeMarshal
(Event $event, ArrayObject $data, ArrayObject $options)- The
Model.beforeMarshal
event is fired before request data is convertedinto entities. See the Modifying Request Data Before Building Entities documentation for more information.
beforeFind
Cake\ORM\Table::
beforeFind
(Event $event, Query $query, ArrayObject $options, $primary)- The
Model.beforeFind
event is fired before each find operation. By stoppingthe event and supplying a return value you can bypass the find operationentirely. Any changes done to the $query instance will be retained for the restof the find. The$primary
parameter indicates whether or not this is the rootquery, or an associated query. All associations participating in a query willhave aModel.beforeFind
event triggered. For associations that use joins,a dummy query will be provided. In your event listener you can set additionalfields, conditions, joins or result formatters. These options/features will becopied onto the root query.
You might use this callback to restrict find operations based on a user’s role,or make caching decisions based on the current load.
In previous versions of CakePHP there was an afterFind
callback, this hasbeen replaced with the Modifying Results with Map/Reduce features and entity constructors.
buildValidator
Cake\ORM\Table::
buildValidator
(Event $event, Validator $validator, $name)- The
Model.buildValidator
event is fired when$name
validator is created.Behaviors, can use this hook to add in validation methods.
buildRules
Cake\ORM\Table::
buildRules
(Event $event, RulesChecker $rules)- The
Model.buildRules
event is fired after a rules instance has beencreated and after the table’sbuildRules()
method has been called.
beforeRules
Cake\ORM\Table::
beforeRules
(Event $event, EntityInterface $entity, ArrayObject $options, $operation)- The
Model.beforeRules
event is fired before an entity has had rules applied. Bystopping this event, you can halt the rules checking and set the resultof applying rules.
afterRules
Cake\ORM\Table::
afterRules
(Event $event, EntityInterface $entity, ArrayObject $options, $result, $operation)- The
Model.afterRules
event is fired after an entity has rules applied. Bystopping this event, you can return the final value of the rules checkingoperation.
beforeSave
Cake\ORM\Table::
beforeSave
(Event $event, EntityInterface $entity, ArrayObject $options)- The
Model.beforeSave
event is fired before each entity is saved. Stoppingthis event will abort the save operation. When the event is stopped the resultof the event will be returned.How to stop an event is documented here.
afterSave
Cake\ORM\Table::
afterSave
(Event $event, EntityInterface $entity, ArrayObject $options)- The
Model.afterSave
event is fired after an entity is saved.
afterSaveCommit
Cake\ORM\Table::
afterSaveCommit
(Event $event, EntityInterface $entity, ArrayObject $options)- The
Model.afterSaveCommit
event is fired after the transaction in which thesave operation is wrapped has been committed. It’s also triggered for non atomicsaves where database operations are implicitly committed. The event is triggeredonly for the primary table on whichsave()
is directly called. The event isnot triggered if a transaction is started before calling save.
beforeDelete
Cake\ORM\Table::
beforeDelete
(Event $event, EntityInterface $entity, ArrayObject $options)- The
Model.beforeDelete
event is fired before an entity is deleted. Bystopping this event you will abort the delete operation. When the event is stopped the resultof the event will be returned.How to stop an event is documented here.
afterDelete
Cake\ORM\Table::
afterDelete
(Event $event, EntityInterface $entity, ArrayObject $options)- The
Model.afterDelete
event is fired after an entity has been deleted.
afterDeleteCommit
Cake\ORM\Table::
afterDeleteCommit
(Event $event, EntityInterface $entity, ArrayObject $options)- The
Model.afterDeleteCommit
event is fired after the transaction in which thedelete operation is wrapped has been is committed. It’s also triggered for nonatomic deletes where database operations are implicitly committed. The event istriggered only for the primary table on whichdelete()
is directly called.The event is not triggered if a transaction is started before calling delete.
Callback priorities
When using events on your tables and behaviors be aware of the priorityand the order listeners are attached. Behavior events are attached before Tableevents are. With the default priorities this means that Behavior callbacks aretriggered before the Table event with the same name.
As an example, if your Table is using TreeBehavior
theTreeBehavior::beforeDelete()
method will be called before your table’sbeforeDelete()
method, and you will not be able to work wth the child nodesof the record being deleted in your Table’s method.
You can manage event priorities in one of a few ways:
- Change the
priority
of a Behavior’s listeners using thepriority
option. This will modify the priority of all callback methods in theBehavior:
- // In a Table initialize() method
- $this->addBehavior('Tree', [
- // Default value is 10 and listeners are dispatched from the
- // lowest to highest priority.
- 'priority' => 2,
- ]);
- Modify the
priority
in yourTable
class by using theModel.implementedEvents()
method. This allows you to assign a differentpriority per callback-function:
- // In a Table class.
- public function implementedEvents()
- {
- $events = parent::implementedEvents();
- $events['Model.beforeDelete'] = [
- 'callable' => 'beforeDelete',
- 'priority' => 3
- ];
- return $events;
- }
Behaviors
Cake\ORM\Table::
addBehavior
($name, array $options = [])- Behaviors provide an easy way to create horizontally re-usable pieces of logicrelated to table classes. You may be wondering why behaviors are regular classesand not traits. The primary reason for this is event listeners. While traitswould allow for re-usable pieces of logic, they would complicate binding events.
To add a behavior to your table you can call the addBehavior()
method.Generally the best place to do this is in the initialize()
method:
- namespace App\Model\Table;
- use Cake\ORM\Table;
- class ArticlesTable extends Table
- {
- public function initialize(array $config)
- {
- $this->addBehavior('Timestamp');
- }
- }
As with associations, you can use plugin syntax and provide additionalconfiguration options:
- namespace App\Model\Table;
- use Cake\ORM\Table;
- class ArticlesTable extends Table
- {
- public function initialize(array $config)
- {
- $this->addBehavior('Timestamp', [
- 'events' => [
- 'Model.beforeSave' => [
- 'created_at' => 'new',
- 'modified_at' => 'always'
- ]
- ]
- ]);
- }
- }
You can find out more about behaviors, including the behaviors provided byCakePHP in the chapter on Behaviors.
Configuring Connections
By default all table instances use the default
database connection. If yourapplication uses multiple database connections you will want to configure whichtables use which connections. This is the defaultConnectionName()
method:
- namespace App\Model\Table;
- use Cake\ORM\Table;
- class ArticlesTable extends Table
- {
- public static function defaultConnectionName() {
- return 'replica_db';
- }
- }
Note
The defaultConnectionName()
method must be static.
Using the TableRegistry
- class
Cake\ORM\
TableRegistry
- As we’ve seen earlier, the TableRegistry class provides an easy way to usefactory/registry for accessing your applications table instances. It provides afew other useful features as well.
Configuring Table Objects
- static
Cake\ORM\TableRegistry::
get
($alias, $config) - When loading tables from the registry you can customize their dependencies, oruse mock objects by providing an
$options
array:
- $articles = TableRegistry::get('Articles', [
- 'className' => 'App\Custom\ArticlesTable',
- 'table' => 'my_articles',
- 'connection' => $connectionObject,
- 'schema' => $schemaObject,
- 'entityClass' => 'Custom\EntityClass',
- 'eventManager' => $eventManager,
- 'behaviors' => $behaviorRegistry
- ]);
Pay attention to the connection and schema configuration settings, they aren’tstring values but objects. The connection will take an object ofCake\Database\Connection
and schema Cake\Database\Schema\Collection
.
Note
If your table also does additional configuration in its initialize()
method,those values will overwrite the ones provided to the registry.
You can also pre-configure the registry using the config()
method.Configuration data is stored per alias, and can be overridden by an object’sinitialize()
method:
- TableRegistry::config('Users', ['table' => 'my_users']);
Note
You can only configure a table before or during the first time youaccess that alias. Doing it after the registry is populated will have noeffect.
Note
Static API of CakeORMTableRegistry has been deprecated in 3.6.0.Use a table locator directly instead.
Flushing the Registry
- static
Cake\ORM\TableRegistry::
clear
- During test cases you may want to flush the registry. Doing so is often usefulwhen you are using mock objects, or modifying a table’s dependencies:
- TableRegistry::clear();
Configuring the Namespace to Locate ORM classes
If you have not followed the conventions it is likely that your Table orEntity classes will not be detected by CakePHP. In order to fix this, you canset a namespace with the Cake\Core\Configure::write
method. As an example:
- /src
- /App
- /My
- /Namespace
- /Model
- /Entity
- /Table
Would be configured with:
- Cake\Core\Configure::write('App.namespace', 'App\My\Namespace');