MongoDB ODM: MongoDB for eCommerce
                    Posted on 
Hi, my name is Bulat S. (my last name won't make it any easier, but in case you were wondering it's Shakirzyanov), I joined OpenSky in August 2009 (It's been almost a year since then, but it feels like ages). My official title in the company is Hacker, which also says a lot about me (that I don't like corporate titles for one).
The last 6 weeks were truly amazing for me. Not only was I able to learn a new technology, I also managed to contribute back to the community. But let's go over everything step by step.
Building an eCommerce system is not easy, and building a platform is even harder. When it comes to data in eCommerce, there is nothing definite, no real structure you could stick to, and no final requirements. Something as obvious as the "item you add to cart" could be overly complicated when it comes to data.
There is a good example of how to model the database for handling variable product attributes; Magento is one of the most advanced open source eCommerce solutions available today. It uses EAV (Entity Attribute Value) , which solves the problem of variable attributes by sacrificing database level integrity and application performance. The amount of queries you need to perform to select one entity will grow with every attribute data type you introduce; however, it still is a viable solution.
A document store on the other hand lets you save two absolutely different documents in the same collection. Because of its schema-less structure it is also possible to add or remove a document's properties after saving - it's a database that adapts to your data structure on the fly.
At OpenSky , we decided to use MongoDB for storage of products and use relational databases for order-related data since MongoDB doesn't support transactions.
So what is the benefit of using MongoDB over MySQL, or any other RDBMS, for storing variable attribute data. Performance. This is the pseudo-query we would have to write to select one product, with id 1, and all of its attributes in a typical EAV model:
[txt]SELECT * FROM `product` WHERE id = 1;SELECT * FROM `product_attributes` = WHERE product_id = 1;SELECT * FROM `product_values_int` WHERE product_id = 1;SELECT * FROM `product_values_varchar` WHERE product_id = 1;SELECT * FROM `product_values_datetime` WHERE product_id = 1;SELECT * FROM `product_values_text` WHERE product_id = 1;SELECT * FROM `product_values_float` WHERE product_id = 1;After the above queries are run, there would be a huge step of data hydration into the product object, which Magento handles quite well, albeit slowly. Contrast this with what we would do in MongoDB:
[javascript]db.products.find({'_id': '1'});Not only is the selection simpler, but it also returns a JSON object, which can easily be hydrated into a native PHP object. And here is how a configurable product could be represented in MongoDB:
[javascript]{    "_id": ObjectId("4bffd798fdc2120019040000")    "name": "Configurable T-Shirt"    "options": [        {            "name": "small",            "price": 12.99        },        {            "name": "medium",            "price": 15.99        },        {            "name": "large",            "price": 17.99        }    ]}**NOTE** There is no need for joins, as product options are acollection of embedded objects. Object references (akin foreign keyrelationships in RDBMSs) are also possible, but they are generallyonly necessary if you need to access the object independently. Forinstance, if I needed a page to list all product options across allproducts, I would probably put options into their own collectionand reference them from the product document.Of course, there are plenty of ORM libraries for MongoDB , which were either hard-to-extract parts of frameworks, not quite ORMs or used the ActiveRecord pattern (which after using DataMapper for quite some time, I wouldn't want to go back to). The very same day I started writing an object document mapper (ODM) to use at OpenSky , Jon Wage (developer for the Doctrine project) released a proof-of-concept MongoDB ODM , which you can find on github. After contacting Jon and giving his library a couple of tries and tests , I decided to use it for OpenSky's products domain layer.
I started to submit patches and unit tests to the project and soon joined the core team for MongoDB ODM. Today, we are past first alpha release of the project, and this is my first post on the Doctrine blog (yay!).
Getting back to our example, this is how the product and embedded option classes for the aforementioned data structure could look:
<?php// Product.php/** * @Document(collection="products") */class Product{    /**     * @Id     */    private $id;    /**     * @String     */    private $name;    /**     * @EmbedMany(targetDocument="Product\Option")     */    private $options = array();    public function getId()    {        return $this->id;    }    public function setName($name)    {        $this->name = $name;    }    public function getName()    {        return $this->name;    }    public function addOption(Product\Option $option)    {        $this->options[] = $option    }    //...}And the Product class:
<?php// Product/Option.phpnamespace Product;/** * @EmbeddedDocument */class Option{    /**     * @String     */    private $name;    /**     * @Float     */    private $price;    public function setName($name)    {        $this->name = $name;    }    public function getName()    {        return $this->name;    }    public function setPrice($price)    {        $this->price = $price;    }    public function getPrice()    {        return $this->price;    }    //...}Using the DocumentManager instance, we could easily persist the product with:
<?php$product = new Product();$product->setName('Configurable T-Shirt');$small = new Product\Option();$small->setName('small');$small->setPrice(12.99);$product->addOption($small);$medium = new Product\Option();$medium->setName('medium');$medium->setPrice(15.99);$product->addOption($medium);$large = new Product\Option();$large->setName('large');$large->setPrice(15.99);$product->addOption($large);$documentManager->persist($product);$documentManager->flush();**NOTE** MongoDB ODM intelligently uses`atomic operators <https://docs.mongodb.com/manual/core/write-operations-atomicity/>`_to update data, which makes it really fast. It also supportsinheritance (collection-per-class and single-collectioninheritances), which is similar to table inheritance designpatterns for ORMs. Check out the official Mongo ODM`project documentation <https://www.doctrine-project.org/projects/mongodb_odm/1.0/docs/en>`_for more information and examples. Complete instructions on how tosetup your DocumentManager instance`can be found here <https://www.doctrine-project.org/projects/mongodb_odm/1.0/docs/reference/introduction/en>`_.The above code would store the product object as a document in MongoDB.
There is much more to talk about in terms or technologies, techniques and practices we adopt and use at OpenSky , so this post is definitely not the last one.
