In addition to its ability to map tables in relational databases, Phalcon can map documents from NoSQL databases. The ODM offers a CRUD functionality, events, validations among other services.
Due to the absence of SQL queries and planners, NoSQL databases can see real improvements in performance using the Phalcon approach. Additionally, there are no SQL building reducing the possibility of SQL injections.
The following NoSQL databases are supported:
| Name | Description | 
|---|---|
| MongoDB | MongoDB is a scalable, high-performance, open source NoSQL database. | 
A model is a class that extends from Phalcon\Mvc\Collection. It must be placed in the models directory. A model file must contain a single class; its class name should be in camel case notation:
class Robots extends \Phalcon\Mvc\Collection
{
}
 If you’re using PHP 5.4/5.5 is recommended declare each column that makes part of the model in order to save memory and reduce the memory allocation.
By default model “Robots” will refer to the collection “robots”. If you want to manually specify another name for the mapping collection, you can use the getSource() method:
class Robots extends \Phalcon\Mvc\Collection
{
    public function getSource()
    {
        return "the_robots";
    }
}
   Every instance of a model represents a document in the collection. You can easily access collection data by reading object properties. For example, for a collection “robots” with the documents:
$ mongo test
MongoDB shell version: 1.8.2
connecting to: test
> db.robots.find()
{ "_id" : ObjectId("508735512d42b8c3d15ec4e1"), "name" : "Astro Boy", "year" : 1952,
    "type" : "mechanical" }
{ "_id" : ObjectId("5087358f2d42b8c3d15ec4e2"), "name" : "Bender", "year" : 1999,
    "type" : "mechanical" }
{ "_id" : ObjectId("508735d32d42b8c3d15ec4e3"), "name" : "Wall-E", "year" : 2008 }
>
   Namespaces can be used to avoid class name collision. In this case it is necessary to indicate the name of the related collection using getSource:
namespace Store\Toys;
class Robots extends \Phalcon\Mvc\Collection
{
    public function getSource()
    {
        return "robots";
    }
}
 You could find a certain document by its id and then print its name:
// Find record with _id = "5087358f2d42b8c3d15ec4e2"
$robot = Robots::findById("5087358f2d42b8c3d15ec4e2");
// Prints "Bender"
echo $robot->name;
 Once the record is in memory, you can make modifications to its data and then save changes:
$robot = Robots::findFirst(array(
    array('name' => 'Astroy Boy')
));
$robot->name = "Voltron";
$robot->save();
   Connections are retrieved from the services container. By default, Phalcon tries to find the connection in a service called “mongo”:
// Simple database connection to localhost
$di->set('mongo', function() {
    $mongo = new MongoClient();
    return $mongo->selectDB("store");
}, true);
// Connecting to a domain socket, falling back to localhost connection
$di->set('mongo', function() {
    $mongo = new MongoClient("mongodb:///tmp/mongodb-27017.sock,localhost:27017");
    return $mongo->selectDB("store");
}, true);
   As Phalcon\Mvc\Collection relies on the Mongo PHP extension you have the same facilities to query documents and convert them transparently to model instances:
// How many robots are there?
$robots = Robots::find();
echo "There are ", count($robots), "\n";
// How many mechanical robots are there?
$robots = Robots::find(array(
    array("type" => "mechanical")
));
echo "There are ", count($robots), "\n";
// Get and print mechanical robots ordered by name upward
$robots = Robots::find(array(
    array("type" => "mechanical"),
    "sort" => array("name" => 1)
));
foreach ($robots as $robot) {
    echo $robot->name, "\n";
}
// Get first 100 mechanical robots ordered by name
$robots = Robots::find(array(
    array("type" => "mechanical"),
    "sort" => array("name" => 1),
    "limit" => 100
));
foreach ($robots as $robot) {
   echo $robot->name, "\n";
}
 You could also use the findFirst() method to get only the first record matching the given criteria:
// What's the first robot in robots collection?
$robot = Robots::findFirst();
echo "The robot name is ", $robot->name, "\n";
// What's the first mechanical robot in robots collection?
$robot = Robots::findFirst(array(
    array("type" => "mechanical")
));
echo "The first mechanical robot name is ", $robot->name, "\n";
 Both find() and findFirst() methods accept an associative array specifying the search criteria:
// First robot where type = "mechanical" and year = "1999"
$robot = Robots::findFirst(array(
    "conditions" => array(
        "type" => "mechanical",
        "year" => "1999"
    )
));
// All virtual robots ordered by name downward
$robots = Robots::find(array(
    "conditions" => array("type" => "virtual"),
    "sort"       => array("name" => -1)
));
 The available query options are:
| Parameter | Description | Example | 
|---|---|---|
| conditions | Search conditions for the find operation. Is used to extract only those records that fulfill a specified criterion. By default Phalcon_model assumes the first parameter are the conditions. | “conditions” => array(‘$gt’ => 1990) | 
| fields | Returns specific columns instead of the full fields in the collection. When using this option an incomplete object is returned | “fields” => array(‘name’ => true) | 
| sort | It’s used to sort the resultset. Use one or more fields as each element in the array, 1 means ordering upwards, -1 downward | “order” => array(“name” => -1, “status” => 1) | 
| limit | Limit the results of the query to results to certain range | “limit” => 10 | 
| skip | Skips a number of results | “skip” => 50 | 
If you have experience with SQL databases, you may want to check the SQL to Mongo Mapping Chart.
A model can return calculations using aggregation framework provided by Mongo. The aggregated values are calculate without having to use MapReduce. With this option is easy perform tasks such as totaling or averaging field values:
$data = Article::aggregate(array(
    array(
        '$project' => array('category' => 1)
    ),
    array(
        '$group' => array(
            '_id' => array('category' => '$category'),
            'id' => array('$max' => '$_id')
        )
    )
));
   The method Phalcon\Mvc\Collection::save() allows you to create/update documents according to whether they already exist in the collection associated with a model. The ‘save’ method is called internally by the create and update methods of Phalcon\Mvc\Collection.
Also the method executes associated validators and events that are defined in the model:
$robot       = new Robots();
$robot->type = "mechanical";
$robot->name = "Astro Boy";
$robot->year = 1952;
if ($robot->save() == false) {
    echo "Umh, We can't store robots right now: \n";
    foreach ($robot->getMessages() as $message) {
        echo $message, "\n";
    }
} else {
    echo "Great, a new robot was saved successfully!";
}
 The “_id” property is automatically updated with the MongoId object created by the driver:
$robot->save(); echo "The generated id is: ", $robot->getId();
Phalcon\Mvc\Collection has a messaging subsystem that provides a flexible way to output or store the validation messages generated during the insert/update processes.
Each message consists of an instance of the class Phalcon\Mvc\Model\Message. The set of messages generated can be retrieved with the method getMessages(). Each message provides extended information like the field name that generated the message or the message type:
if ($robot->save() == false) {
    foreach ($robot->getMessages() as $message) {
        echo "Message: ", $message->getMessage();
        echo "Field: ", $message->getField();
        echo "Type: ", $message->getType();
    }
}
   Models allow you to implement events that will be thrown when performing an insert or update. They help define business rules for a certain model. The following are the events supported by Phalcon\Mvc\Collection and their order of execution:
| Operation | Name | Can stop operation? | Explanation | 
|---|---|---|---|
| Inserting/Updating | beforeValidation | YES | Is executed before the validation process and the final insert/update to the database | 
| Inserting | beforeValidationOnCreate | YES | Is executed before the validation process only when an insertion operation is being made | 
| Updating | beforeValidationOnUpdate | YES | Is executed before the fields are validated for not nulls or foreign keys when an updating operation is being made | 
| Inserting/Updating | onValidationFails | YES (already stopped) | Is executed before the validation process only when an insertion operation is being made | 
| Inserting | afterValidationOnCreate | YES | Is executed after the validation process when an insertion operation is being made | 
| Updating | afterValidationOnUpdate | YES | Is executed after the validation process when an updating operation is being made | 
| Inserting/Updating | afterValidation | YES | Is executed after the validation process | 
| Inserting/Updating | beforeSave | YES | Runs before the required operation over the database system | 
| Updating | beforeUpdate | YES | Runs before the required operation over the database system only when an updating operation is being made | 
| Inserting | beforeCreate | YES | Runs before the required operation over the database system only when an inserting operation is being made | 
| Updating | afterUpdate | NO | Runs after the required operation over the database system only when an updating operation is being made | 
| Inserting | afterCreate | NO | Runs after the required operation over the database system only when an inserting operation is being made | 
| Inserting/Updating | afterSave | NO | Runs after the required operation over the database system | 
To make a model to react to an event, we must to implement a method with the same name of the event:
class Robots extends \Phalcon\Mvc\Collection
{
    public function beforeValidationOnCreate()
    {
        echo "This is executed before creating a Robot!";
    }
}
 Events can be useful to assign values before performing an operation, for example:
class Products extends \Phalcon\Mvc\Collection
{
    public function beforeCreate()
    {
        // Set the creation date
        $this->created_at = date('Y-m-d H:i:s');
    }
    public function beforeUpdate()
    {
        // Set the modification date
        $this->modified_in = date('Y-m-d H:i:s');
    }
}
 Additionally, this component is integrated with Phalcon\Events\Manager, this means we can create listeners that run when an event is triggered.
$eventsManager = new Phalcon\Events\Manager();
//Attach an anonymous function as a listener for "model" events
$eventsManager->attach('collection', function($event, $robot) {
    if ($event->getType() == 'beforeSave') {
        if ($robot->name == 'Scooby Doo') {
            echo "Scooby Doo isn't a robot!";
            return false;
        }
    }
    return true;
});
$robot = new Robots();
$robot->setEventsManager($eventsManager);
$robot->name = 'Scooby Doo';
$robot->year = 1969;
$robot->save();
 In the example given above the EventsManager only acted as a bridge between an object and a listener (the anonymous function). If we want all objects created in our application use the same EventsManager, then we need to assign this to the Models Manager:
//Registering the collectionManager service
$di->set('collectionManager', function() {
    $eventsManager = new Phalcon\Events\Manager();
    // Attach an anonymous function as a listener for "model" events
    $eventsManager->attach('collection', function($event, $model) {
        if (get_class($model) == 'Robots') {
            if ($event->getType() == 'beforeSave') {
                if ($model->name == 'Scooby Doo') {
                    echo "Scooby Doo isn't a robot!";
                    return false;
                }
            }
        }
        return true;
    });
    // Setting a default EventsManager
    $modelsManager = new Phalcon\Mvc\Collection\Manager();
    $modelsManager->setEventsManager($eventsManager);
    return $modelsManager;
}, true);
   When an insert, update or delete is executed, the model verifies if there are any methods with the names of the events listed in the table above.
We recommend that validation methods are declared protected to prevent that business logic implementation from being exposed publicly.
The following example implements an event that validates the year cannot be smaller than 0 on update or insert:
class Robots extends \Phalcon\Mvc\Collection
{
    public function beforeSave()
    {
        if ($this->year < 0) {
            echo "Year cannot be smaller than zero!";
            return false;
        }
    }
}
 Some events return false as an indication to stop the current operation. If an event doesn’t return anything, Phalcon\Mvc\Collection will assume a true value.
Phalcon\Mvc\Collection provides several events to validate data and implement business rules. The special “validation” event allows us to call built-in validators over the record. Phalcon exposes a few built-in validators that can be used at this stage of validation.
The following example shows how to use it:
use Phalcon\Mvc\Model\Validator\InclusionIn,
    Phalcon\Mvc\Model\Validator\Numericality;
class Robots extends \Phalcon\Mvc\Collection
{
    public function validation()
    {
        $this->validate(new InclusionIn(
            array(
                "field"  => "type",
                "message" => "Type must be: mechanical or virtual",
                "domain" => array("Mechanical", "Virtual")
            )
        ));
        $this->validate(new Numericality(
            array(
                "field"  => "price",
                "message" => "Price must be numeric"
            )
        ));
        return $this->validationHasFailed() != true;
    }
}
 The example given above performs a validation using the built-in validator “InclusionIn”. It checks the value of the field “type” in a domain list. If the value is not included in the method, then the validator will fail and return false. The following built-in validators are available:
| Name | Explanation | Example | 
|---|---|---|
| Validates that field contains a valid email format | Example | |
| ExclusionIn | Validates that a value is not within a list of possible values | Example | 
| InclusionIn | Validates that a value is within a list of possible values | Example | 
| Numericality | Validates that a field has a numeric format | Example | 
| Regex | Validates that the value of a field matches a regular expression | Example | 
| StringLength | Validates the length of a string | Example | 
In addition to the built-in validators, you can create your own validators:
class UrlValidator extends \Phalcon\Mvc\Collection\Validator
{
    public function validate($model)
    {
        $field = $this->getOption('field');
        $value    = $model->$field;
        $filtered = filter_var($value, FILTER_VALIDATE_URL);
        if (!$filtered) {
            $this->appendMessage("The URL is invalid", $field, "UrlValidator");
            return false;
        }
        return true;
    }
}
 Adding the validator to a model:
class Customers extends \Phalcon\Mvc\Collection
{
    public function validation()
    {
        $this->validate(new UrlValidator(array(
            "field"  => "url",
        )));
        if ($this->validationHasFailed() == true) {
            return false;
        }
    }
}
 The idea of creating validators is make them reusable across several models. A validator can also be as simple as:
class Robots extends \Phalcon\Mvc\Collection
{
    public function validation()
    {
        if ($this->type == "Old") {
            $message = new Phalcon\Mvc\Model\Message(
                "Sorry, old robots are not allowed anymore",
                "type",
                "MyType"
            );
            $this->appendMessage($message);
            return false;
        }
        return true;
    }
}
    The method Phalcon\Mvc\Collection::delete() allows to delete a document. You can use it as follows:
$robot = Robots::findFirst();
if ($robot != false) {
    if ($robot->delete() == false) {
        echo "Sorry, we can't delete the robot right now: \n";
        foreach ($robot->getMessages() as $message) {
            echo $message, "\n";
        }
    } else {
        echo "The robot was deleted successfully!";
    }
}
 You can also delete many documents by traversing a resultset with a foreach:
$robots = Robots::find(array(
    array("type" => "mechanical")
));
foreach ($robots as $robot) {
    if ($robot->delete() == false) {
        echo "Sorry, we can't delete the robot right now: \n";
        foreach ($robot->getMessages() as $message) {
            echo $message, "\n";
        }
    } else {
        echo "The robot was deleted successfully!";
    }
}
 The following events are available to define custom business rules that can be executed when a delete operation is performed:
| Operation | Name | Can stop operation? | Explanation | 
|---|---|---|---|
| Deleting | beforeDelete | YES | Runs before the delete operation is made | 
| Deleting | afterDelete | NO | Runs after the delete operation was made | 
Another type of events is available when the data validation process finds any inconsistency:
| Operation | Name | Explanation | 
|---|---|---|
| Insert or Update | notSave | Triggered when the insert/update operation fails for any reason | 
| Insert, Delete or Update | onValidationFails | Triggered when any data manipulation operation fails | 
By default Phalcon\Mvc\Collection assumes that the _id attribute is automatically generated using MongoIds. If a model uses custom primary keys this behavior can be overridden:
class Robots extends Phalcon\Mvc\Collection
{
    public function initialize()
    {
        $this->useImplicitObjectIds(false);
    }
}
   In Phalcon, all models can belong to the same database connection or have an individual one. Actually, when Phalcon\Mvc\Collection needs to connect to the database it requests the “mongo” service in the application’s services container. You can overwrite this service setting it in the initialize method:
// This service returns a mongo database at 192.168.1.100
$di->set('mongo1', function() {
    $mongo = new MongoClient("mongodb://scott:[email protected]");
    return $mongo->selectDB("management");
}, true);
// This service returns a mongo database at localhost
$di->set('mongo2', function() {
    $mongo = new MongoClient("mongodb://localhost");
    return $mongo->selectDB("invoicing");
}, true);
 Then, in the Initialize method, we define the connection service for the model:
class Robots extends \Phalcon\Mvc\Collection
{
    public function initialize()
    {
        $this->setConnectionService('mongo1');
    }
}
   You may be required to access the application services within a model, the following example explains how to do that:
class Robots extends \Phalcon\Mvc\Collection
{
    public function notSave()
    {
        // Obtain the flash service from the DI container
        $flash = $this->getDI()->getShared('flash');
        // Show validation messages
        foreach ($this->getMessages() as $message){
            $flash->error((string) $message);
        }
    }
}
 The “notSave” event is triggered whenever a “creating” or “updating” action fails. We’re flashing the validation messages obtaining the “flash” service from the DI container. By doing this, we don’t have to print messages after each saving.
    © 2011–2016 Phalcon Framework Team
Licensed under the Creative Commons Attribution License 3.0.
    https://docs.phalconphp.com/en/2.0.0/reference/odm.html