Let's do a basic example of how to work with cborm when doing basic CRUD (Create-Read-Update-Delete). We will generate a ColdBox App, connect it to a database and leverage ActiveEntity for a nice quick CRUD App.
Let's start by creating a ColdBox app and preparing it for usage with ORM:
# Create foldermkdirmyapp--cd# Scaffold Appcoldboxcreateapp# Install cborm, dotenv, and cfconfig so we can get the CFML engine talking to the DB fast.installcborm,commandbox-dotenv,commandbox-cfconfig# Update the .env filecp.env.example.env
Setup Environment
Season the environment file (.env) with your database credentials and make sure that database exists:
Now open the Application.cfc and let's configure the ORM by adding the following in the pseudo constructor and adding two lines of code to the request start so when we reinit the APP we can also reinit the ORM.
Application.cfc
// Locate the cborm module for eventsthis.mappings[ "/cborm" ] =COLDBOX_APP_ROOT_PATH&"modules/cborm";// The default dsn name in the ColdBox scaffoldthis.datasource ="coldbox"; // ORM Settings + Datasourcethis.ormEnabled ="true";this.ormSettings = { cfclocation = [ "models" ],// Where our entities exist logSQL =true,// Remove after development to false. dbcreate ="update",// Generate our DB automanageSession =false,// Let cborm manage it flushAtRequestEnd =false,// Never do this! Let cborm manage it eventhandling =true,// Enable events eventHandler ="cborm.models.EventHandler",// Who handles the events skipcfcWithError =true// Yes, because we must work in all CFML engines};// request startpublic boolean functiononRequestStart( string targetPage ){// If we reinit our app, reinit the ORM tooif( application.cbBootstrap.isFWReinit() )ormReload();// Process ColdBox Requestapplication.cbBootstrap.onRequestStart( arguments.targetPage );returntrue;}
To change the datasource name to something you like then update it here and in the .cfconfig.json file. Once done, issue a server restart and enjoy your new datasource name.
Start Server
Let's start a server and start enjoying the fruits of our labor:
# Start a default Lucee Serverserverstart
If you get a Could not instantiate connection provider: org.lucee.extension.orm.hibernate.jdbc.ConnectionProviderImpl error on startup here. It means that you hit the stupid Lucee bug where on first server start the ORM is not fully deployed. Just issue a server restart to resolve this.
Create Entity - Person.cfc
Let's start by creating a Person object with a few properties, let's use CommandBox for this and our super duper coldbox create orm-entity command:
Since we love to promote tests at Ortus, let's configure our test harness for ORM testing. Open the /tests/Application.cfc and add the following code to setup the ORM and some functions for helping us test.
/tests/Application.cfc
// Locate the cborm module for eventsthis.mappings[ "/cborm" ] = rootPath &"modules/cborm";// ORM Settings + Datasourcethis.datasource ="coldbox"; // The default dsn name in the ColdBox scaffoldthis.ormEnabled ="true";this.ormSettings = { cfclocation = [ "models" ],// Where our entities exist logSQL =true,// Remove after development to false. dbcreate ="update",// Generate our DB automanageSession =false,// Let cborm manage it flushAtRequestEnd =false,// Never do this! Let cborm manage it eventhandling =true,// Enable events eventHandler ="cborm.models.EventHandler",// Who handles the events skipcfcWithError =true// Yes, because we must work in all CFML engines }; public boolean functiononRequestStart( string targetPage ){ormReload();returntrue; }
Now that we have prepared the test harness for ORM testing, let's test out our Person with a simple unit test. We don't over test here because our integration test will be more pragmatic and cover our use cases:
This creates the handlers/persons.cfc with the CRUD actions and a nice index action we will use to present all persons just for fun!
Please note that this also generates the integrations tests as well under /tests/specs/integration/personsTest.cfc
Create
We will get an instance of a Person, populate it with data and save it. We will then return it as a json memento. The new() method will allow you to pass a struct of properties and/or relationships to populate the new Person instance with. Then just call the save() operation on the returned object.
/** * create a person */functioncreate( event, rc, prc ){prc.person =getInstance( "Person" ).new( { name :"Luis", age :40, lastVisit :now() } ).save();returnprc.person.getMemento( includes="id" );}
You might be asking yourself: Where does this magic getMemento() method come from? Well, it comes from the mementifier module wich inspects ORM entities and injects them with this function to allow you to produce raw state from entities. (Please see: https://forgebox.io/view/mementifier)
Read
We will get an instance according to ID and show it's memento in json. There are many ways in the ORM service and Active Entity to get objects by criteria,
/** * show a person */functionshow( event, rc, prc ){returngetInstance( "Person" ).get( rc.id ?:0 ).getMemento( includes="id" );}
In this example, we use the get() method which retrieves a single entity by identifier. Also note the default value of 0 used as well. This means that if the incoming id is null then pass a 0. The orm services will detect the 0 and by default give you a new Person object, the call will not fail. If you want your call to fail so you can show a nice exception for invalid identifiers you can use getOrFail() instead.
/** * show a person */functionshow( event, rc, prc ){returngetInstance( "Person" ).getOrFail( rc.id ?:-1 ).getMemento( includes="id" );}
Update
Now let's retrieve an entity by Id, update it and save it again!
/** * Update a person */functionupdate( event, rc, prc ){prc.person =getInstance( "Person" ).getOrFail( rc.id ?:-1 ).setName( "Bob" ).save();returnprc.person.getMemento( includes="id" );}
Delete
Now let's delete an incoming entity identifier
/** * Delete a Person */functiondelete( event, rc, prc ){try{getInstance( "Person" ).getOrFail( rc.id ?:'' ).delete();// Or use the shorthnd notation which is faster// getIntance( "Person" ).deleteById( rc.id ?: '' ) } catch( any e ){return"Error deleting entity: #e.message# #e.detail#"; }return"Entity Deleted!";}
Note that you have two choices when deleting by identifier:
Get the entity by the ID and then send it to be deleted
Use the deleteById() and pass in the identifier
The latter allows you to bypass any entity loading, and do a pure HQL delete of the entity via it's identifier. The first option is more resource intensive as it has to do a 1+ SQL calls to load the entity and then a final SQL call to delete it.
List All
For extra credit, we will get all instances of Person and render their memento's
/** * List all Persons */functionindex( event, rc, prc ){returngetInstance( "Person" )// List all as array of objects.list( asQuery=false )// Map the entities to mementos.map( function( item ){returnitem.getMemento( includes="id" ); } );}
That's it! We are now rolling with basic CRUD cborm style!
BDD Tests
Here are the full completed BDD tests as well
/tests/specs/integration/personsTest.cfc
component extends="coldbox.system.testing.BaseTestCase" appMapping="/"{functionrun(){describe( "persons Suite",function(){aroundEach( function( spec ) {setup(); transaction{try{arguments.spec.body(); } catch( any e ){ rethrow; } finally{transactionRollback(); } } });it( "index",function(){var event =this.GET( "persons.index" );// expectations go here.expect( event.getRenderedContent() ).toBeJSON(); });it( "create",function(){var event =this.POST("persons.create" );// expectations go here.var person =event.getPrivateValue( "Person" );expect( person ).toBeComponent();expect( person.getId() ).notToBeNull(); });it( "show",function(){// Create mockvar event =this.POST("persons.create" );// Retrieve itvar event =this.GET("persons.show", { id :event.getPrivateValue( "Person" ).getId() } );// expectations go here.var person =event.getPrivateValue( "Person" );expect( person ).toBeComponent();expect( person.getId() ).notToBeNull(); });it( "update",function(){// Create mockvar event =this.POST("persons.create" );var event =this.POST("persons.update", { id :event.getPrivateValue( "Person" ).getId() } );// expectations go here.var person =event.getPrivateValue( "Person" );expect( person ).toBeComponent();expect( person.getId() ).notToBeNull();expect( person.getName() ).toBe( "Bob" ); });it( "delete",function(){// Create mockvar event =this.POST("persons.create" );// Create mockvar event =this.DELETE("persons.delete", { id :event.getPrivateValue( "Person" ).getId() } );expect( event.getRenderedContent() ).toInclude( "Entity Deleted" ); }); }); }}