SlideShare a Scribd company logo
MongoSF - PHP Development With MongoDB
        Presented By: Fitz Agard - LightCube Solutions LLC

                          April 30, 2010
Introductions - Who is this guy?
{ “name”: “Fitz Agard”,
  “description”: [“Developer”,”Consultant”,”Data Junkie”, “Educator”, “Engineer”],
  “location”: “New York”,
  “companies”:[
        {“name”: “LightCube Solutions”, “url”: “www.lightcubesolutions.com”}
  ],
  “urls”:[
        {“name”: “LinkedIn”, “url”: “http://www.linkedin.com/in/fitzagard”},
        {“name”: “Twitter”, “url”: “http://www.twitter.com/fitzhagard”}
  ],
  “email”: “fhagard@lightcube.us”
}




               (If the above formatting confused you please see - http://json.org/)
Why PHP Developers Should Use MongoDB?

            PHP Reasons                                                 Database Reasons
•   Enhanced Development Cycle - Itʼs no longer           •   Document-oriented storage - JSON-style documents with dynamic
    necessary to go back and forth between the Database       schemas offer simplicity and power.
    Schema and Object.                                    •   Full Index Support - Index on any attribute.
•   Easy Ramp-Up - Queries are just an array away.        •   Replication & High Availability - Mirror across LANs and WANs.
•   No Need For ORM - No Schema!                          •   Auto-Sharding - Scale horizontally without compromising functionality.
•   DBA? What DBA?                                        •   Querying - Rich, document-based queries.
•   Arrays, Array, Arrays!                                •   Fast In-Place Updates - Atomic modifiers for contention-free
                                                              performance.
                                                          •   Map/Reduce - Flexible aggregation and data processing.
                                                          •   GridFS - Store files of any size.
Mongo and PHP in a Nutshell
                 http://us.php.net/manual/en/book.mongo.php




Common Methods                    Conditional Operators
   •   find()                                     •   $ne
   •   findOne()                                  •   $in
   •   save()                                    •   $nin
   •   remove()                                  •   $mod
   •   update()                                  •   $all
   •   group()                                   •   $size
   •   limit()                                   •   $exists
   •   skip()                                    •   $type
   •   ensureIndex()                             •   $gt
   •   count()                                   •   $lt
   •   ...And More                               •   $lte
                                                 •   $gte
Mongo and PHP in a Nutshell
                                                 (Connectivity)
                                  http://us2.php.net/manual/en/mongo.connecting.php



function __construct()
{
    global $dbname, $dbuser, $dbpass;
    $this->dbname = $dbname;
    $this->dbuser = $dbuser;
    $this->dbpass = $dbpass;

    // Make the initial connection
    try {
        $this->_link = new Mongo();
        // Select the DB
        $this->db = $this->_link->selectDB($this->dbname);
        // Authenticate
        $result = $this->db->authenticate($this->dbuser, $this->dbpass);
        if ($result['ok'] == 0) {
            // Authentication failed.
            $this->error = ($result['errmsg'] == 'auth fails') ? 'Database Authentication Failure' : $result['errmsg'];
            $this->_connected = false;
        } else {
            $this->_connected = true;
        }
    } catch (Exception $e) {
        $this->error = (empty($this->error)) ? 'Database Connection Error' : $this->error;
    }
}
Mongo and PHP in a Nutshell
                                       (Simple Queries)
                           http://us2.php.net/manual/en/mongo.queries.php


	   /*
	    * SELECT * FROM students
	    * WHERE isSlacker = true
	    * AND postalCode IN (10466,10407,10704)
	    * AND gradYear BETWEEN (2010 AND 2014)
	    * ORDER BY lastName DESC
	    */
	   $collection = $this->db->students;
	   $collection->ensureIndex(array('isSlacker'=>1, 'postalCode'=>1, 'lastName'=>1, 'gradYear'=>-1));
	
	   $conditions = array('postalCode'=>array('$in'=>array(10466,10407,10704)),
	   	   	    	   	   	   'isSlacker'=>true,
	   	   	    	   	   	   'gradYear'=>array('$gt'=>2010, '$lt'=>2014));
	
	   $results = $collection->find($conditions)->sort(array('lastName'=>1));
	
	   $collection = $this->db->grades;
	
	   //SELECT count(*) FROM grades
	   $total = $collection->count();
	
	   //SELECT count(*) FROM grades WHERE grade = 90
	   $smartyPants = $collection->find(array("grade"=>90))->count();
Mongo and PHP in a Nutshell
                                              (Using GridFS)
                               http://us2.php.net/manual/en/class.mongogridfs.php

    $m = new Mongo();
	
	   //select Mongo Database
	   $db = $m->selectDB("studentsystem");
	
	   //use GridFS class for handling files
	   $grid = $db->getGridFS();
	
	   //Optional - capture the name of the uploaded file
	   $name = $_FILES['Filedata']['name'];
	
	   //load file into MongoDB and get back _id
	   $id = $grid->storeUpload('Filedata',$name);
	
	   //set a mongodate
	   $date = new MongoDate();
	
	   //Use $set to add metadata to a file
	   $metaData = array('$set' => array("comment"=>"This looks like a MongoDB Student", "date"=>$date));
	
	   //Just setting up search criteria
	   $criteria = array('_id' => $id);
	
	   //Update the document with the new info
	   $db->grid->update($criteria, $metaData);
Mongo and PHP in a Nutshell
                       (Using GridFS)


	    public function remove($criteria)
	    {
	        //Get the GridFS Object
	        $grid = $this->db->getGridFS();
	
	        //Setup some criteria to search for file
	        $id = new MongoID($criteria['_id']);
	
	        //Remove file
	        $grid->remove(array('_id'=>$id), true);
	
	        //Get lastError array
	        $errorArray = $db->lastError();
	        if ($errorArray['ok'] == 1 ) {
	            $retval = true;
	        }else{
	            //Send back the error message
	            $retval = $errorArray['err'];
	        } 	
	        return $retval;
	    }
Let’s develop a simple student information capture
         system with mongoDB and PHP!
Typical Development Cycle



          Design




  Test             Develop
Typical Design
                         Design




   (The Schema)
                  Test            Develop
Our Design
                                                                  Design




                           (The Mongo Model)
                                                           Test            Develop

             db.students             db.teachers


firstName:                  firstName:
lastName:                  lastName:
address:                   isCrazy:

    address:
    city:
    state:
    postalCode:
                                       db.courses

grades:
                           name:
    grade:                 isImpossible:
    course:                teacher:
    createdDate:
    modifiedDate:
    comment:


schedule:
    course:

sysInfo:                      Whiteboards aren’t this neat but they
                                       are just as good!
    username:
    password:


isSlacker:

gradYear:
Some Wireframes
                                                                                                                                                              Design




                                                                                                (The View)
                                                                                                                                                   Test                Develop




                                                                                                              Select Course:    - Select One -   * Required


            User Name:                                                             * Required                 Select Student:   - Select One -   * Required

              Password:     *****************                                      * Required
                                                                                                                      Grade:

            First Name:                                                            * Required

                                                                                                                                                   Submit

             Last Name:                                                            * Required




               Address:                                                            * Required



City, State, Postal Code:   City                                  - State -   Postal Code        * Required




                             Click if this student is a slacker                                                         Imagine the code for this
      Graduation Date:      mm/dd/yyyy



                                                                               Submit
Design




                                    We’re Developing
                                                                                             Test            Develop



public function studentUpdate()
	    {
	    	   $mongo_id = new MongoID($_POST['_id']);	
	    	
	    	   $data = $this->cleanupData($_POST);
	    	
	    	   $this->col->update(array("_id" => $mongo_id), array('$push' => $data));
	    	
	    	   return;
                                                  	
	    }
                                                 $_POST = '4b7c29908ead0e2e1d000000';
                                                 $data = array('firstName'=>'Fitz',
                                                 	   	    	   	   	   'lastName'=>'Agard',
                                                 	   	    	   	   	   'address'=>array(
                                                 	   	    	   	   	   	    'address'=>'123 Data Lane',
                                                 	   	    	   	   	   	    'state'=>'New York',
Letʼs assume cleanupData only removes            	   	    	   	   	   	    'postalCode'=>10704
unnecessary POST elements like the _id           	   	    	   	   	   	    ),
                                                 	   	    	   	   	   'sysInfo'=>array(
                                                 	   	    	   	   	   	    'username'=>'fhagard',
                                                 	   	    	   	   	   	    'password'=>sha1('MongoW00t')
                                                 	   	    	   	   	   	    ),
                                                 	   	    	   	   	   'isSlacker'=>true,
                                                 	   	    	   	   	   'gradYear'=>2003
                                                 	   	    	   	   	   );
Design




                                      We’re Developing
                                                                                               Test            Develop



  public function studentUpdate()
  	    {
  	    	   $mongo_id = new MongoID($_POST['_id']);	
  	    	
  	    	   $data = $this->cleanupData($_POST);
  	    	
  	    	   $this->col->update(array("_id" => $mongo_id), array('$push' => $data));
  	    	
  	    	   return;
  	    }




                                             $_POST = '4b7c29908ead0e2e1d000000';
                                             $data = array('grades'=>array(
                                                            'grade'=>'3.8',
                                                            'course'=>'4bd0dd44cc93740f3e00251c',
                                                            'createDate'=>new MongoDate()));



Donʼt forget that cleanupData only removes
 unnecessary POST elements like the _id
Design




                                                                        Test             Develop




Problem: The client called and asked why we forgot
   to collect “student infractions” in our design.


                      oops!


                              “oops” - used typically to express mild apology, surprise, or dismay.
Development back to Design
                                                                             Design




                                  (“oops” is easily fixed)
                                                                      Test            Develop
             db.students


firstName:
lastName:
address:

    address:
    city:
    state:
    postalCode:                               infractions:

grades:                                            desc:
    grade:                                         date:
    course:
    createdDate:
    modifiedDate:
    comment:


schedule:
    course:

sysInfo:

    username:
    password:
                                              Back to the whiteboard
                                        (or - napkin, omnigraffle, visio, etc)
isSlacker:

gradYear:
Another Wireframe
                                                                                                                  Design




                                               (The View - Again)
                                                                                                           Test            Develop



                                                       Infraction View



               Search for Student Input                                Search

                                                                                Last Name
                                                                                First Name
                                                                                Graduating Year
                                                                                Course



Imagine the     Editor Controls                                             A    ab

new code for
                                     Format        Font         Size

                                     B     i   u   1
                                                   2


   this.
                                                   3



                      Textarea       enter text




                     Date Selector       __ / __ / ____

                                      Select a date range




                                                                                                  Submit
Design right back to Development
                                                                                              Design




                                 (The Fix! Do you see it?)
                                                                                     Test              Develop




         public function studentUpdate()
         	   {
         	   	    $mongo_id = new MongoID($_POST['_id']);	
         	   	
         	   	    $data = $this->cleanupData($_POST);
         	   	
         	   	    $this->col->update(array("_id" => $mongo_id), array('$push' => $data));
         	   	
         	   	    return;
         	   }




 $_POST['_id'] = '4b7c29908ead0e2e1d000000';
 $data = array('infractions'=> array('desc'=>'Caught Sharding', 'date'=> new MongoDate()));




Answer: The only thing that changed was the view in the last slide.
                     This code is the same!
Design and Development In Summary



Our Classes/Methods/Views made the schema
                  NoSQL
                  NoORM
          Arrays! Arrays! Arrays!
Design




                Let’s Test
                                      Test            Develop




What does MongoDB have to do with testing?
Design




                 Let’s Test
                                           Test            Develop




Isn’t it a good idea to run unit tests often?

    Where do you store the results?
Idea: PHPUnit to Mongo
                                                                                    Design




                                    (Test Logging)
                                                                             Test            Develop




                                                                          Test logs can
                                                                          go in Mongo




Clipping from: http://www.phpunit.de/manual/current/en/logging.html#logging.json
Wait, there is MORE!
Cursors
 MongoDates
                     Indexes                   MapReduce

                ...Just to name a few...
     Sharding
                                           Exceptions

MongoBinData
                                                MongoCode
            MongoRegex
No more time.


            Go here for more:
http://us.php.net/manual/en/book.mongo.php
         http://www.mongodb.org
    http://www.lightcubesolutions.com
{ “type”: “Conclusion”,
  “date”: new Date('04-30-2010'),
  “comments”: [“Thank You”,”Have Fun Developing”],
  “location”: “San Francisco”,
  “speaker”: “Fitz H. Agard”,
  “contact”: “fhagard@lightcube.us”
}
Ad

More Related Content

What's hot (17)

NOSQL101, Or: How I Learned To Stop Worrying And Love The Mongo!
NOSQL101, Or: How I Learned To Stop Worrying And Love The Mongo!NOSQL101, Or: How I Learned To Stop Worrying And Love The Mongo!
NOSQL101, Or: How I Learned To Stop Worrying And Love The Mongo!
Daniel Cousineau
 
jQuery%20on%20Rails%20Presentation
jQuery%20on%20Rails%20PresentationjQuery%20on%20Rails%20Presentation
jQuery%20on%20Rails%20Presentation
guestcf600a
 
Potential Friend Finder
Potential Friend FinderPotential Friend Finder
Potential Friend Finder
Richard Schneeman
 
Banishing Loops with Functional Programming in PHP
Banishing Loops with Functional Programming in PHPBanishing Loops with Functional Programming in PHP
Banishing Loops with Functional Programming in PHP
David Hayes
 
Zend Framework 1 + Doctrine 2
Zend Framework 1 + Doctrine 2Zend Framework 1 + Doctrine 2
Zend Framework 1 + Doctrine 2
Ralph Schindler
 
Django Pro ORM
Django Pro ORMDjango Pro ORM
Django Pro ORM
Alex Gaynor
 
Recent Changes to jQuery's Internals
Recent Changes to jQuery's InternalsRecent Changes to jQuery's Internals
Recent Changes to jQuery's Internals
jeresig
 
MongoDB + Java - Everything you need to know
MongoDB + Java - Everything you need to know MongoDB + Java - Everything you need to know
MongoDB + Java - Everything you need to know
Norberto Leite
 
Database madness with_mongoengine_and_sql_alchemy
Database madness with_mongoengine_and_sql_alchemyDatabase madness with_mongoengine_and_sql_alchemy
Database madness with_mongoengine_and_sql_alchemy
Jaime Buelta
 
Dart
DartDart
Dart
anandvns
 
CodeIgniter Class Reference
CodeIgniter Class ReferenceCodeIgniter Class Reference
CodeIgniter Class Reference
Jamshid Hashimi
 
Django - sql alchemy - jquery
Django - sql alchemy - jqueryDjango - sql alchemy - jquery
Django - sql alchemy - jquery
Mohammed El Rafie Tarabay
 
Modern Application Foundations: Underscore and Twitter Bootstrap
Modern Application Foundations: Underscore and Twitter BootstrapModern Application Foundations: Underscore and Twitter Bootstrap
Modern Application Foundations: Underscore and Twitter Bootstrap
Howard Lewis Ship
 
Transparent Object Persistence with FLOW3
Transparent Object Persistence with FLOW3Transparent Object Persistence with FLOW3
Transparent Object Persistence with FLOW3
Karsten Dambekalns
 
Advanced Django ORM techniques
Advanced Django ORM techniquesAdvanced Django ORM techniques
Advanced Django ORM techniques
Daniel Roseman
 
Therapeutic refactoring
Therapeutic refactoringTherapeutic refactoring
Therapeutic refactoring
kytrinyx
 
Spock and Geb
Spock and GebSpock and Geb
Spock and Geb
Christian Baranowski
 
NOSQL101, Or: How I Learned To Stop Worrying And Love The Mongo!
NOSQL101, Or: How I Learned To Stop Worrying And Love The Mongo!NOSQL101, Or: How I Learned To Stop Worrying And Love The Mongo!
NOSQL101, Or: How I Learned To Stop Worrying And Love The Mongo!
Daniel Cousineau
 
jQuery%20on%20Rails%20Presentation
jQuery%20on%20Rails%20PresentationjQuery%20on%20Rails%20Presentation
jQuery%20on%20Rails%20Presentation
guestcf600a
 
Banishing Loops with Functional Programming in PHP
Banishing Loops with Functional Programming in PHPBanishing Loops with Functional Programming in PHP
Banishing Loops with Functional Programming in PHP
David Hayes
 
Zend Framework 1 + Doctrine 2
Zend Framework 1 + Doctrine 2Zend Framework 1 + Doctrine 2
Zend Framework 1 + Doctrine 2
Ralph Schindler
 
Recent Changes to jQuery's Internals
Recent Changes to jQuery's InternalsRecent Changes to jQuery's Internals
Recent Changes to jQuery's Internals
jeresig
 
MongoDB + Java - Everything you need to know
MongoDB + Java - Everything you need to know MongoDB + Java - Everything you need to know
MongoDB + Java - Everything you need to know
Norberto Leite
 
Database madness with_mongoengine_and_sql_alchemy
Database madness with_mongoengine_and_sql_alchemyDatabase madness with_mongoengine_and_sql_alchemy
Database madness with_mongoengine_and_sql_alchemy
Jaime Buelta
 
CodeIgniter Class Reference
CodeIgniter Class ReferenceCodeIgniter Class Reference
CodeIgniter Class Reference
Jamshid Hashimi
 
Modern Application Foundations: Underscore and Twitter Bootstrap
Modern Application Foundations: Underscore and Twitter BootstrapModern Application Foundations: Underscore and Twitter Bootstrap
Modern Application Foundations: Underscore and Twitter Bootstrap
Howard Lewis Ship
 
Transparent Object Persistence with FLOW3
Transparent Object Persistence with FLOW3Transparent Object Persistence with FLOW3
Transparent Object Persistence with FLOW3
Karsten Dambekalns
 
Advanced Django ORM techniques
Advanced Django ORM techniquesAdvanced Django ORM techniques
Advanced Django ORM techniques
Daniel Roseman
 
Therapeutic refactoring
Therapeutic refactoringTherapeutic refactoring
Therapeutic refactoring
kytrinyx
 

Similar to PHP Development With MongoDB (20)

mongodb-introduction
mongodb-introductionmongodb-introduction
mongodb-introduction
Tse-Ching Ho
 
Drupal - dbtng 25th Anniversary Edition
Drupal - dbtng 25th Anniversary EditionDrupal - dbtng 25th Anniversary Edition
Drupal - dbtng 25th Anniversary Edition
ddiers
 
Full metal mongo
Full metal mongoFull metal mongo
Full metal mongo
Israel Gutiérrez
 
Groovy On Trading Desk (2010)
Groovy On Trading Desk (2010)Groovy On Trading Desk (2010)
Groovy On Trading Desk (2010)
Jonathan Felch
 
MongoDB a document store that won't let you down.
MongoDB a document store that won't let you down.MongoDB a document store that won't let you down.
MongoDB a document store that won't let you down.
Nurul Ferdous
 
Mongo NYC PHP Development
Mongo NYC PHP Development Mongo NYC PHP Development
Mongo NYC PHP Development
Fitz Agard
 
[Coscup 2012] JavascriptMVC
[Coscup 2012] JavascriptMVC[Coscup 2012] JavascriptMVC
[Coscup 2012] JavascriptMVC
Alive Kuo
 
Rails with mongodb
Rails with mongodbRails with mongodb
Rails with mongodb
Kosuke Matsuda
 
This upload requires better support for ODP format
This upload requires better support for ODP formatThis upload requires better support for ODP format
This upload requires better support for ODP format
Forest Mars
 
Drupal II: The SQL
Drupal II: The SQLDrupal II: The SQL
Drupal II: The SQL
ddiers
 
Mongo-Drupal
Mongo-DrupalMongo-Drupal
Mongo-Drupal
Forest Mars
 
Building Better Applications with Data::Manager
Building Better Applications with Data::ManagerBuilding Better Applications with Data::Manager
Building Better Applications with Data::Manager
Jay Shirley
 
Real World Optimization
Real World OptimizationReal World Optimization
Real World Optimization
David Golden
 
Mongo Presentation by Metatagg Solutions
Mongo Presentation by Metatagg SolutionsMongo Presentation by Metatagg Solutions
Mongo Presentation by Metatagg Solutions
Metatagg Solutions
 
Object Relational Mapping in PHP
Object Relational Mapping in PHPObject Relational Mapping in PHP
Object Relational Mapping in PHP
Rob Knight
 
Having Fun with Play
Having Fun with PlayHaving Fun with Play
Having Fun with Play
Clinton Dreisbach
 
Latinoware
LatinowareLatinoware
Latinoware
kchodorow
 
gDayX - Advanced angularjs
gDayX - Advanced angularjsgDayX - Advanced angularjs
gDayX - Advanced angularjs
gdgvietnam
 
DrupalCon Chicago Practical MongoDB and Drupal
DrupalCon Chicago Practical MongoDB and DrupalDrupalCon Chicago Practical MongoDB and Drupal
DrupalCon Chicago Practical MongoDB and Drupal
Doug Green
 
What's new in Django 1.2?
What's new in Django 1.2?What's new in Django 1.2?
What's new in Django 1.2?
Jacob Kaplan-Moss
 
mongodb-introduction
mongodb-introductionmongodb-introduction
mongodb-introduction
Tse-Ching Ho
 
Drupal - dbtng 25th Anniversary Edition
Drupal - dbtng 25th Anniversary EditionDrupal - dbtng 25th Anniversary Edition
Drupal - dbtng 25th Anniversary Edition
ddiers
 
Groovy On Trading Desk (2010)
Groovy On Trading Desk (2010)Groovy On Trading Desk (2010)
Groovy On Trading Desk (2010)
Jonathan Felch
 
MongoDB a document store that won't let you down.
MongoDB a document store that won't let you down.MongoDB a document store that won't let you down.
MongoDB a document store that won't let you down.
Nurul Ferdous
 
Mongo NYC PHP Development
Mongo NYC PHP Development Mongo NYC PHP Development
Mongo NYC PHP Development
Fitz Agard
 
[Coscup 2012] JavascriptMVC
[Coscup 2012] JavascriptMVC[Coscup 2012] JavascriptMVC
[Coscup 2012] JavascriptMVC
Alive Kuo
 
This upload requires better support for ODP format
This upload requires better support for ODP formatThis upload requires better support for ODP format
This upload requires better support for ODP format
Forest Mars
 
Drupal II: The SQL
Drupal II: The SQLDrupal II: The SQL
Drupal II: The SQL
ddiers
 
Building Better Applications with Data::Manager
Building Better Applications with Data::ManagerBuilding Better Applications with Data::Manager
Building Better Applications with Data::Manager
Jay Shirley
 
Real World Optimization
Real World OptimizationReal World Optimization
Real World Optimization
David Golden
 
Mongo Presentation by Metatagg Solutions
Mongo Presentation by Metatagg SolutionsMongo Presentation by Metatagg Solutions
Mongo Presentation by Metatagg Solutions
Metatagg Solutions
 
Object Relational Mapping in PHP
Object Relational Mapping in PHPObject Relational Mapping in PHP
Object Relational Mapping in PHP
Rob Knight
 
gDayX - Advanced angularjs
gDayX - Advanced angularjsgDayX - Advanced angularjs
gDayX - Advanced angularjs
gdgvietnam
 
DrupalCon Chicago Practical MongoDB and Drupal
DrupalCon Chicago Practical MongoDB and DrupalDrupalCon Chicago Practical MongoDB and Drupal
DrupalCon Chicago Practical MongoDB and Drupal
Doug Green
 
Ad

Recently uploaded (20)

Linux Support for SMARC: How Toradex Empowers Embedded Developers
Linux Support for SMARC: How Toradex Empowers Embedded DevelopersLinux Support for SMARC: How Toradex Empowers Embedded Developers
Linux Support for SMARC: How Toradex Empowers Embedded Developers
Toradex
 
tecnologias de las primeras civilizaciones.pdf
tecnologias de las primeras civilizaciones.pdftecnologias de las primeras civilizaciones.pdf
tecnologias de las primeras civilizaciones.pdf
fjgm517
 
What is Model Context Protocol(MCP) - The new technology for communication bw...
What is Model Context Protocol(MCP) - The new technology for communication bw...What is Model Context Protocol(MCP) - The new technology for communication bw...
What is Model Context Protocol(MCP) - The new technology for communication bw...
Vishnu Singh Chundawat
 
ThousandEyes Partner Innovation Updates for May 2025
ThousandEyes Partner Innovation Updates for May 2025ThousandEyes Partner Innovation Updates for May 2025
ThousandEyes Partner Innovation Updates for May 2025
ThousandEyes
 
Transcript: #StandardsGoals for 2025: Standards & certification roundup - Tec...
Transcript: #StandardsGoals for 2025: Standards & certification roundup - Tec...Transcript: #StandardsGoals for 2025: Standards & certification roundup - Tec...
Transcript: #StandardsGoals for 2025: Standards & certification roundup - Tec...
BookNet Canada
 
Linux Professional Institute LPIC-1 Exam.pdf
Linux Professional Institute LPIC-1 Exam.pdfLinux Professional Institute LPIC-1 Exam.pdf
Linux Professional Institute LPIC-1 Exam.pdf
RHCSA Guru
 
Quantum Computing Quick Research Guide by Arthur Morgan
Quantum Computing Quick Research Guide by Arthur MorganQuantum Computing Quick Research Guide by Arthur Morgan
Quantum Computing Quick Research Guide by Arthur Morgan
Arthur Morgan
 
Heap, Types of Heap, Insertion and Deletion
Heap, Types of Heap, Insertion and DeletionHeap, Types of Heap, Insertion and Deletion
Heap, Types of Heap, Insertion and Deletion
Jaydeep Kale
 
AI Changes Everything – Talk at Cardiff Metropolitan University, 29th April 2...
AI Changes Everything – Talk at Cardiff Metropolitan University, 29th April 2...AI Changes Everything – Talk at Cardiff Metropolitan University, 29th April 2...
AI Changes Everything – Talk at Cardiff Metropolitan University, 29th April 2...
Alan Dix
 
Procurement Insights Cost To Value Guide.pptx
Procurement Insights Cost To Value Guide.pptxProcurement Insights Cost To Value Guide.pptx
Procurement Insights Cost To Value Guide.pptx
Jon Hansen
 
Manifest Pre-Seed Update | A Humanoid OEM Deeptech In France
Manifest Pre-Seed Update | A Humanoid OEM Deeptech In FranceManifest Pre-Seed Update | A Humanoid OEM Deeptech In France
Manifest Pre-Seed Update | A Humanoid OEM Deeptech In France
chb3
 
HCL Nomad Web – Best Practices and Managing Multiuser Environments
HCL Nomad Web – Best Practices and Managing Multiuser EnvironmentsHCL Nomad Web – Best Practices and Managing Multiuser Environments
HCL Nomad Web – Best Practices and Managing Multiuser Environments
panagenda
 
IEDM 2024 Tutorial2_Advances in CMOS Technologies and Future Directions for C...
IEDM 2024 Tutorial2_Advances in CMOS Technologies and Future Directions for C...IEDM 2024 Tutorial2_Advances in CMOS Technologies and Future Directions for C...
IEDM 2024 Tutorial2_Advances in CMOS Technologies and Future Directions for C...
organizerofv
 
Into The Box Conference Keynote Day 1 (ITB2025)
Into The Box Conference Keynote Day 1 (ITB2025)Into The Box Conference Keynote Day 1 (ITB2025)
Into The Box Conference Keynote Day 1 (ITB2025)
Ortus Solutions, Corp
 
How analogue intelligence complements AI
How analogue intelligence complements AIHow analogue intelligence complements AI
How analogue intelligence complements AI
Paul Rowe
 
Splunk Security Update | Public Sector Summit Germany 2025
Splunk Security Update | Public Sector Summit Germany 2025Splunk Security Update | Public Sector Summit Germany 2025
Splunk Security Update | Public Sector Summit Germany 2025
Splunk
 
Enhancing ICU Intelligence: How Our Functional Testing Enabled a Healthcare I...
Enhancing ICU Intelligence: How Our Functional Testing Enabled a Healthcare I...Enhancing ICU Intelligence: How Our Functional Testing Enabled a Healthcare I...
Enhancing ICU Intelligence: How Our Functional Testing Enabled a Healthcare I...
Impelsys Inc.
 
Role of Data Annotation Services in AI-Powered Manufacturing
Role of Data Annotation Services in AI-Powered ManufacturingRole of Data Annotation Services in AI-Powered Manufacturing
Role of Data Annotation Services in AI-Powered Manufacturing
Andrew Leo
 
Cybersecurity Identity and Access Solutions using Azure AD
Cybersecurity Identity and Access Solutions using Azure ADCybersecurity Identity and Access Solutions using Azure AD
Cybersecurity Identity and Access Solutions using Azure AD
VICTOR MAESTRE RAMIREZ
 
HCL Nomad Web – Best Practices und Verwaltung von Multiuser-Umgebungen
HCL Nomad Web – Best Practices und Verwaltung von Multiuser-UmgebungenHCL Nomad Web – Best Practices und Verwaltung von Multiuser-Umgebungen
HCL Nomad Web – Best Practices und Verwaltung von Multiuser-Umgebungen
panagenda
 
Linux Support for SMARC: How Toradex Empowers Embedded Developers
Linux Support for SMARC: How Toradex Empowers Embedded DevelopersLinux Support for SMARC: How Toradex Empowers Embedded Developers
Linux Support for SMARC: How Toradex Empowers Embedded Developers
Toradex
 
tecnologias de las primeras civilizaciones.pdf
tecnologias de las primeras civilizaciones.pdftecnologias de las primeras civilizaciones.pdf
tecnologias de las primeras civilizaciones.pdf
fjgm517
 
What is Model Context Protocol(MCP) - The new technology for communication bw...
What is Model Context Protocol(MCP) - The new technology for communication bw...What is Model Context Protocol(MCP) - The new technology for communication bw...
What is Model Context Protocol(MCP) - The new technology for communication bw...
Vishnu Singh Chundawat
 
ThousandEyes Partner Innovation Updates for May 2025
ThousandEyes Partner Innovation Updates for May 2025ThousandEyes Partner Innovation Updates for May 2025
ThousandEyes Partner Innovation Updates for May 2025
ThousandEyes
 
Transcript: #StandardsGoals for 2025: Standards & certification roundup - Tec...
Transcript: #StandardsGoals for 2025: Standards & certification roundup - Tec...Transcript: #StandardsGoals for 2025: Standards & certification roundup - Tec...
Transcript: #StandardsGoals for 2025: Standards & certification roundup - Tec...
BookNet Canada
 
Linux Professional Institute LPIC-1 Exam.pdf
Linux Professional Institute LPIC-1 Exam.pdfLinux Professional Institute LPIC-1 Exam.pdf
Linux Professional Institute LPIC-1 Exam.pdf
RHCSA Guru
 
Quantum Computing Quick Research Guide by Arthur Morgan
Quantum Computing Quick Research Guide by Arthur MorganQuantum Computing Quick Research Guide by Arthur Morgan
Quantum Computing Quick Research Guide by Arthur Morgan
Arthur Morgan
 
Heap, Types of Heap, Insertion and Deletion
Heap, Types of Heap, Insertion and DeletionHeap, Types of Heap, Insertion and Deletion
Heap, Types of Heap, Insertion and Deletion
Jaydeep Kale
 
AI Changes Everything – Talk at Cardiff Metropolitan University, 29th April 2...
AI Changes Everything – Talk at Cardiff Metropolitan University, 29th April 2...AI Changes Everything – Talk at Cardiff Metropolitan University, 29th April 2...
AI Changes Everything – Talk at Cardiff Metropolitan University, 29th April 2...
Alan Dix
 
Procurement Insights Cost To Value Guide.pptx
Procurement Insights Cost To Value Guide.pptxProcurement Insights Cost To Value Guide.pptx
Procurement Insights Cost To Value Guide.pptx
Jon Hansen
 
Manifest Pre-Seed Update | A Humanoid OEM Deeptech In France
Manifest Pre-Seed Update | A Humanoid OEM Deeptech In FranceManifest Pre-Seed Update | A Humanoid OEM Deeptech In France
Manifest Pre-Seed Update | A Humanoid OEM Deeptech In France
chb3
 
HCL Nomad Web – Best Practices and Managing Multiuser Environments
HCL Nomad Web – Best Practices and Managing Multiuser EnvironmentsHCL Nomad Web – Best Practices and Managing Multiuser Environments
HCL Nomad Web – Best Practices and Managing Multiuser Environments
panagenda
 
IEDM 2024 Tutorial2_Advances in CMOS Technologies and Future Directions for C...
IEDM 2024 Tutorial2_Advances in CMOS Technologies and Future Directions for C...IEDM 2024 Tutorial2_Advances in CMOS Technologies and Future Directions for C...
IEDM 2024 Tutorial2_Advances in CMOS Technologies and Future Directions for C...
organizerofv
 
Into The Box Conference Keynote Day 1 (ITB2025)
Into The Box Conference Keynote Day 1 (ITB2025)Into The Box Conference Keynote Day 1 (ITB2025)
Into The Box Conference Keynote Day 1 (ITB2025)
Ortus Solutions, Corp
 
How analogue intelligence complements AI
How analogue intelligence complements AIHow analogue intelligence complements AI
How analogue intelligence complements AI
Paul Rowe
 
Splunk Security Update | Public Sector Summit Germany 2025
Splunk Security Update | Public Sector Summit Germany 2025Splunk Security Update | Public Sector Summit Germany 2025
Splunk Security Update | Public Sector Summit Germany 2025
Splunk
 
Enhancing ICU Intelligence: How Our Functional Testing Enabled a Healthcare I...
Enhancing ICU Intelligence: How Our Functional Testing Enabled a Healthcare I...Enhancing ICU Intelligence: How Our Functional Testing Enabled a Healthcare I...
Enhancing ICU Intelligence: How Our Functional Testing Enabled a Healthcare I...
Impelsys Inc.
 
Role of Data Annotation Services in AI-Powered Manufacturing
Role of Data Annotation Services in AI-Powered ManufacturingRole of Data Annotation Services in AI-Powered Manufacturing
Role of Data Annotation Services in AI-Powered Manufacturing
Andrew Leo
 
Cybersecurity Identity and Access Solutions using Azure AD
Cybersecurity Identity and Access Solutions using Azure ADCybersecurity Identity and Access Solutions using Azure AD
Cybersecurity Identity and Access Solutions using Azure AD
VICTOR MAESTRE RAMIREZ
 
HCL Nomad Web – Best Practices und Verwaltung von Multiuser-Umgebungen
HCL Nomad Web – Best Practices und Verwaltung von Multiuser-UmgebungenHCL Nomad Web – Best Practices und Verwaltung von Multiuser-Umgebungen
HCL Nomad Web – Best Practices und Verwaltung von Multiuser-Umgebungen
panagenda
 
Ad

PHP Development With MongoDB

  • 1. MongoSF - PHP Development With MongoDB Presented By: Fitz Agard - LightCube Solutions LLC April 30, 2010
  • 2. Introductions - Who is this guy? { “name”: “Fitz Agard”, “description”: [“Developer”,”Consultant”,”Data Junkie”, “Educator”, “Engineer”], “location”: “New York”, “companies”:[ {“name”: “LightCube Solutions”, “url”: “www.lightcubesolutions.com”} ], “urls”:[ {“name”: “LinkedIn”, “url”: “http://www.linkedin.com/in/fitzagard”}, {“name”: “Twitter”, “url”: “http://www.twitter.com/fitzhagard”} ], “email”: “[email protected]” } (If the above formatting confused you please see - http://json.org/)
  • 3. Why PHP Developers Should Use MongoDB? PHP Reasons Database Reasons • Enhanced Development Cycle - Itʼs no longer • Document-oriented storage - JSON-style documents with dynamic necessary to go back and forth between the Database schemas offer simplicity and power. Schema and Object. • Full Index Support - Index on any attribute. • Easy Ramp-Up - Queries are just an array away. • Replication & High Availability - Mirror across LANs and WANs. • No Need For ORM - No Schema! • Auto-Sharding - Scale horizontally without compromising functionality. • DBA? What DBA? • Querying - Rich, document-based queries. • Arrays, Array, Arrays! • Fast In-Place Updates - Atomic modifiers for contention-free performance. • Map/Reduce - Flexible aggregation and data processing. • GridFS - Store files of any size.
  • 4. Mongo and PHP in a Nutshell http://us.php.net/manual/en/book.mongo.php Common Methods Conditional Operators • find() • $ne • findOne() • $in • save() • $nin • remove() • $mod • update() • $all • group() • $size • limit() • $exists • skip() • $type • ensureIndex() • $gt • count() • $lt • ...And More • $lte • $gte
  • 5. Mongo and PHP in a Nutshell (Connectivity) http://us2.php.net/manual/en/mongo.connecting.php function __construct() { global $dbname, $dbuser, $dbpass; $this->dbname = $dbname; $this->dbuser = $dbuser; $this->dbpass = $dbpass; // Make the initial connection try { $this->_link = new Mongo(); // Select the DB $this->db = $this->_link->selectDB($this->dbname); // Authenticate $result = $this->db->authenticate($this->dbuser, $this->dbpass); if ($result['ok'] == 0) { // Authentication failed. $this->error = ($result['errmsg'] == 'auth fails') ? 'Database Authentication Failure' : $result['errmsg']; $this->_connected = false; } else { $this->_connected = true; } } catch (Exception $e) { $this->error = (empty($this->error)) ? 'Database Connection Error' : $this->error; } }
  • 6. Mongo and PHP in a Nutshell (Simple Queries) http://us2.php.net/manual/en/mongo.queries.php /* * SELECT * FROM students * WHERE isSlacker = true * AND postalCode IN (10466,10407,10704) * AND gradYear BETWEEN (2010 AND 2014) * ORDER BY lastName DESC */ $collection = $this->db->students; $collection->ensureIndex(array('isSlacker'=>1, 'postalCode'=>1, 'lastName'=>1, 'gradYear'=>-1)); $conditions = array('postalCode'=>array('$in'=>array(10466,10407,10704)), 'isSlacker'=>true, 'gradYear'=>array('$gt'=>2010, '$lt'=>2014)); $results = $collection->find($conditions)->sort(array('lastName'=>1)); $collection = $this->db->grades; //SELECT count(*) FROM grades $total = $collection->count(); //SELECT count(*) FROM grades WHERE grade = 90 $smartyPants = $collection->find(array("grade"=>90))->count();
  • 7. Mongo and PHP in a Nutshell (Using GridFS) http://us2.php.net/manual/en/class.mongogridfs.php $m = new Mongo(); //select Mongo Database $db = $m->selectDB("studentsystem"); //use GridFS class for handling files $grid = $db->getGridFS(); //Optional - capture the name of the uploaded file $name = $_FILES['Filedata']['name']; //load file into MongoDB and get back _id $id = $grid->storeUpload('Filedata',$name); //set a mongodate $date = new MongoDate(); //Use $set to add metadata to a file $metaData = array('$set' => array("comment"=>"This looks like a MongoDB Student", "date"=>$date)); //Just setting up search criteria $criteria = array('_id' => $id); //Update the document with the new info $db->grid->update($criteria, $metaData);
  • 8. Mongo and PHP in a Nutshell (Using GridFS) public function remove($criteria) { //Get the GridFS Object $grid = $this->db->getGridFS(); //Setup some criteria to search for file $id = new MongoID($criteria['_id']); //Remove file $grid->remove(array('_id'=>$id), true); //Get lastError array $errorArray = $db->lastError(); if ($errorArray['ok'] == 1 ) { $retval = true; }else{ //Send back the error message $retval = $errorArray['err']; } return $retval; }
  • 9. Let’s develop a simple student information capture system with mongoDB and PHP!
  • 10. Typical Development Cycle Design Test Develop
  • 11. Typical Design Design (The Schema) Test Develop
  • 12. Our Design Design (The Mongo Model) Test Develop db.students db.teachers firstName: firstName: lastName: lastName: address: isCrazy: address: city: state: postalCode: db.courses grades: name: grade: isImpossible: course: teacher: createdDate: modifiedDate: comment: schedule: course: sysInfo: Whiteboards aren’t this neat but they are just as good! username: password: isSlacker: gradYear:
  • 13. Some Wireframes Design (The View) Test Develop Select Course: - Select One - * Required User Name: * Required Select Student: - Select One - * Required Password: ***************** * Required Grade: First Name: * Required Submit Last Name: * Required Address: * Required City, State, Postal Code: City - State - Postal Code * Required Click if this student is a slacker Imagine the code for this Graduation Date: mm/dd/yyyy Submit
  • 14. Design We’re Developing Test Develop public function studentUpdate() { $mongo_id = new MongoID($_POST['_id']); $data = $this->cleanupData($_POST); $this->col->update(array("_id" => $mongo_id), array('$push' => $data)); return; } $_POST = '4b7c29908ead0e2e1d000000'; $data = array('firstName'=>'Fitz', 'lastName'=>'Agard', 'address'=>array( 'address'=>'123 Data Lane', 'state'=>'New York', Letʼs assume cleanupData only removes 'postalCode'=>10704 unnecessary POST elements like the _id ), 'sysInfo'=>array( 'username'=>'fhagard', 'password'=>sha1('MongoW00t') ), 'isSlacker'=>true, 'gradYear'=>2003 );
  • 15. Design We’re Developing Test Develop public function studentUpdate() { $mongo_id = new MongoID($_POST['_id']); $data = $this->cleanupData($_POST); $this->col->update(array("_id" => $mongo_id), array('$push' => $data)); return; } $_POST = '4b7c29908ead0e2e1d000000'; $data = array('grades'=>array( 'grade'=>'3.8', 'course'=>'4bd0dd44cc93740f3e00251c', 'createDate'=>new MongoDate())); Donʼt forget that cleanupData only removes unnecessary POST elements like the _id
  • 16. Design Test Develop Problem: The client called and asked why we forgot to collect “student infractions” in our design. oops! “oops” - used typically to express mild apology, surprise, or dismay.
  • 17. Development back to Design Design (“oops” is easily fixed) Test Develop db.students firstName: lastName: address: address: city: state: postalCode: infractions: grades: desc: grade: date: course: createdDate: modifiedDate: comment: schedule: course: sysInfo: username: password: Back to the whiteboard (or - napkin, omnigraffle, visio, etc) isSlacker: gradYear:
  • 18. Another Wireframe Design (The View - Again) Test Develop Infraction View Search for Student Input Search Last Name First Name Graduating Year Course Imagine the Editor Controls A ab new code for Format Font Size B i u 1 2 this. 3 Textarea enter text Date Selector __ / __ / ____ Select a date range Submit
  • 19. Design right back to Development Design (The Fix! Do you see it?) Test Develop public function studentUpdate() { $mongo_id = new MongoID($_POST['_id']); $data = $this->cleanupData($_POST); $this->col->update(array("_id" => $mongo_id), array('$push' => $data)); return; } $_POST['_id'] = '4b7c29908ead0e2e1d000000'; $data = array('infractions'=> array('desc'=>'Caught Sharding', 'date'=> new MongoDate())); Answer: The only thing that changed was the view in the last slide. This code is the same!
  • 20. Design and Development In Summary Our Classes/Methods/Views made the schema NoSQL NoORM Arrays! Arrays! Arrays!
  • 21. Design Let’s Test Test Develop What does MongoDB have to do with testing?
  • 22. Design Let’s Test Test Develop Isn’t it a good idea to run unit tests often? Where do you store the results?
  • 23. Idea: PHPUnit to Mongo Design (Test Logging) Test Develop Test logs can go in Mongo Clipping from: http://www.phpunit.de/manual/current/en/logging.html#logging.json
  • 24. Wait, there is MORE!
  • 25. Cursors MongoDates Indexes MapReduce ...Just to name a few... Sharding Exceptions MongoBinData MongoCode MongoRegex
  • 26. No more time. Go here for more: http://us.php.net/manual/en/book.mongo.php http://www.mongodb.org http://www.lightcubesolutions.com
  • 27. { “type”: “Conclusion”, “date”: new Date('04-30-2010'), “comments”: [“Thank You”,”Have Fun Developing”], “location”: “San Francisco”, “speaker”: “Fitz H. Agard”, “contact”: “[email protected]” }