There are two ways to generate a Ruby model: one is using RhoStudio and the other is with the command-line generator. Under the hood, RhoStudio invokes the command-line tool, so both approaches are equivalent. Together with the model class itself, the generator will output a default set of views that you can customize as needed.
To generate a model, right-click on the application project in the Project Explorer and select New -> RhoMobile model.
In the Model Information window, enter the name for your model: in this case, Product
.
Do not use the following for model names:
Config, Settings, helpers, test, Client, Sync
or any built-in Ruby class name. It is also a good programming practice to avoid using generic names, such as time
or print
. Using descriptive names in your models will help you grow your application more easily in the future
The other required piece of information is the list of attributes, which must be entered as a string with no spaces, each attribute separated by a comma: in this Product
example, name,brand,price,quantity,sku
.
After pressing the Finish button, you’ll see the results of the RhoMobile model generator in the output console.
If you prefer to use the command line or another development environment instead of RhoStudio, the rhodes
tool can be invoked manually. To create the Product
model with name, brand, price, quantity
and sku
as the attributes, switch to the root directory of your application (the one that contains app
as a child) and run:
$ rhodes model Product name,brand,price,quantity,sku
Output from the model generator will contain the following files:
You are free to update all these files to suit your application
Why does the
product.rb
file not mention the attributes at all? Rhodes provides two model storage schemes, called PropertyBag and FixedSchema. FixedSchema stores data for each model in its own database table, with one column per attribute, and requires the model to explicitly list the attributes it supports. PropertyBag stores everything in a single table and is more flexible: it determines the list of attributes dynamically at run time, the model does not need to declare them. The generator outputs PropertyBag models by default; that is why there is no mention of the attributes in the generated model file, PropertyBag does not require them. For a discussion of the benefits and drawbacks of each approach, see Using the local database.
With a property bag model, all data is stored in a single table using the object-attribute-value pattern also referred to as the Entity-attribute-value model.
In a property bag model, Rhom groups objects by their source id and object id. The following example illustrates this idea:
Source ID: 1, Model Name: Account +-----------+----------+--------------+----------------------+ | source_id | attrib | object | value | +-----------+----------+--------------+------- --------------+ | 1 | name | 48f39f63741b | A.G. Parr PLC 37862 | | 1 | industry | 48f39f63741b | Entertainment | | 1 | name | 48f39f230529 | Jones Group | | 1 | industry | 48f39f230529 | Sales | +-----------+----------+--------------+----------------------+
Here, Rhom will expose a class Account
with two attributes: name
and industry
account = Account.find('48f39f63741b') account.name #=> "A.G. Parr PLC 37862" account.industry #=> "Entertainment"
To use a property bag model, simply generate a new model with some attributes:
$ rhodes model product name,brand,price,quantity,sku
This will generate a file called product.rb
which looks like:
class Product include Rhom::PropertyBag # Uncomment the following line to enable sync with Product. # enable :sync #add model specific code here end
There are several features you can enable or disable in the model, below is a complete list:
class SomeModel include Rhom::PropertyBag # rhoconnect settings # Enable sync for this model. # Default is disabled. enable :sync # Set the type of sync this model # will use (default :incremental). # Set to :bulk_only to disable incremental # sync and only use bulk sync. set :sync_type, :bulk_only # Set the sync priority for this model. # 1000 is default, set to lower number # for a higher priority. set :sync_priority, 1 # Instruct Rhom to send all attributes # to RhoConnect when an object is updated. # Default is disabled, only changed attributes # are sent. enable :full_update # RhoConnect provides a simple way to keep data out of redis. # If you have sensitive data that you do not want saved in redis, # add the pass_through option in settings/settings.yml for each source. # Add pass_through to client model definition enable :pass_through # model settings # Define how data is partitioned for this model. # For synced models default is :user. # For non-synced models default is :local # If you have an :app partition # for your RhoConnect source adapter and use bulk sync, # set this to :app also. set :partition, :app # Define blob attributes for the model. # :blob Declare property as a blob type # # :overwrite (optional) Overwrite client copy # of blob with new copy from server. # This is useful when RhoConnect modifies # images sent from Rhodes, for example # zooming or cropping. property :image_url, :blob, :overwrite # You can define your own properties also property :mycustomproperty, 'hello' end
With a fixed schema model, each model has a separate database table and each attribute exists as a column in the table. In this sense, fixed schema models are similar to traditional relational tables.
Using a fixed schema model involves an additional step to using a property bag model.
First, generate the model using the rhodes
command:
$ rhodes model product name,brand,price,quantity,sku
Next, change the include statement in product.rb
to include Rhom::FixedSchema
and add the attributes:
class Product include Rhom::FixedSchema # Uncomment the following line to enable sync with Product. # enable :sync property :name, :string property :brand, :string property :price, :string property :quantity, :string property :sku, :string property :int_prop, :integer property :float_prop, :float property :date_prop, :date #translate to integer type property :time_prop, :time #translate to integer type end
That’s it! Now your model is a fixed schema model, the table will be generated automatically for you when the application launches.
Below is a full list of options available to fixed schema models:
class SomeModel include Rhom::FixedSchema # rhoconnect settings # Enable sync for this model. # Default is disabled. enable :sync # Set the type of sync this model # will use (default :incremental). # Set to :bulk_only to disable incremental # sync and only use bulk sync. set :sync_type, :bulk_only # Set the sync priority for this model. # 1000 is default, set to lower number # for a higher priority. set :sync_priority, 1 # Instruct Rhom to send all attributes # to RhoConnect when an object is updated. # Default is disabled, only changed attributes # are sent. enable :full_update # RhoConnect provides a simple way to keep data out of redis. # If you have sensitive data that you do not want saved in redis, # add the pass_through option in settings/settings.yml for each source. # Add pass_through to client model definition enable :pass_through # model settings # Define how data is partitioned for this model. # Default is :user. If you have an :app partition # for your RhoConnect source adapter and use bulk sync, # set this to :app also. set :partition, :app # Set the current version of the fixed schema. # Your application may use it for data migrations. set :schema_version, '1.0' # Define fixed schema attributes. # :string and :blob types are supported. property :name, :string property :tag, :string property :phone, :string property :image_url, :blob # Define a named index on a set of attributes. # For example, this will create index for name and tag columns. index :by_name_tag, [:name, :tag] # Define a unique named index on a set of attributes. # For example, this will create unique index for the phone column. unique_index :by_phone, [:phone] # Define blob attributes for the model. # :blob Declare property as a blob type # # :overwrite (optional) Overwrite client copy # of blob with new copy from server. # This is useful when RhoConnect modifies # images sent from Rhodes, for example # zooming or cropping. property :image_url, :blob, :overwrite # You can define your own properties also property :mycustomproperty, 'hello' end
Rhom provides an application hook to migrate the data manually. You can also use this hook to run business logic related to updating the database. For example, your application may want to display a customized alert notifying the user that a migration is in progress and it may take a few moments.
To use this hook, first we need to track the :schema_version
in our model:
class Product include Rhom::FixedSchema set :schema_version, '1.1' end
Next, we will implement the following hook in our application.rb
class:
on_migrate_source(old_version, new_src)
This is called on application start when :schema_version
has changed.
class AppApplication < Rho::RhoApplication # old_version String containing old version value (i.e. '1.0') # new_src Hash with source information: # 'schema_version', 'name', 'schema' # new_src['schema']['sql'] contains new schema sql def on_migrate_source(old_version, new_src) # ... do something like alert user ... db = Rho::RHO.get_src_db(new_src['name']) db.execute_sql("ALTER TABLE #{new_src['name']} ADD COLUMN mytest VARCHAR DEFAULT null") true # does not create table end end
To modify schema without recreate table, you can use only ADD COLUMN command, you cannot remove column or change type(This is sqlite limitation)
Return false
to run the custom sql specified by the new_src[‘schema’][‘sql’] string:
def on_migrate_source(old_version, new_src) # ... do something like alert user ... false # create table by source schema - useful only for non-synced models end
For sync sources, you cannot just recreate table without data copy. Because server will not send this data at sync time.
No data migration required, since all attributes are dynamic.
If you want to remove all local data when upgrading to new application version: change app_db_version
in rhoconfig.txt
.
This scenario will work for Property Bag and Fixed Schema models.
Use the create
method to create a new model object and save it to the database.
This is the fastest way to insert a single item into the database. |
user = User.create( :name => 'Alice', :email => 'alice@example.com')
You can also create the new model object without saving it automatically and then explicitly use the save
method. This is useful when you want to update some of the object attributes before saving.
user = User.new(:name => 'Alice') # update the object user.email = 'alice@example.com' user.save
You can retrieve all objects for a model or only those matching given conditions using the find
method.
You can retrieve all objects for a model using the all
parameter.
users = User.find(:all)
You can retrieve all objects matching given conditions using the conditions
parameter.
users = User.find( :all, :conditions => {:name => 'Alice'} )
Because, internally, property bag models store all their values in the same column, this column is defined as varchar
, which means that number comparisons do not work as you would expected. If you need to perform order comparisons on a numeric field in a property bag model, use CAST to convert the value to a number of the desired type:
@accts = Account.find(:all, :conditions => { {:func=> 'CAST', :name=>'rating as INTEGER', :op=>'<'} => 3 } ) #or using sql query: size = 3 @accts = Account.find(:all, :conditions => ["CAST(rating as INTEGER)< ?", "#{size}"], :select => ['rating'] )
You can retrieve objects sorted by one or more attributes using the order
and orderdir
parameters.
# order by one attribute users = User.find( :all, :order => 'name', :orderdir => 'DESC' ) # order by multiple attributes users = User.find( :all, :order => ['name', 'email'], :orderdir => ['ASC', 'DESC'] )
If, for a particular action, you do not need every attribute in an object, you can make your application faster by selecting only the specific attributes you need using the select
parameter.
users = User.find( :all, :select => ['name'] )
this section applies to Ruby only |
You can pass offset
and per_page
parameters to find
method to retrieve objects in chunks.
# get first 10 records users = User.find(:all, :per_page => 10) # get records 21-40 users = User.find(:all, :offset => 20, :per_page => 20)
For convenience, there is a paginate
method which emulates Rails' classic pagination syntax. The default page size is 10.
You can use :conditions
, :order
and select
parameters, similarly to the find
method.
# get first 10 records users = User.paginate(:page => 0) # get records 21-40 users = User.paginate(:page => 1, :per_page => 20)
You can get only the first object matching given conditions using first
instead of all
when calling find
.
user = User.find( :first, :conditions => {:name => 'Alice'} )
You can directly retrieve model object(s) using SQL queries with the findBySql
method. This method works only for fixed schema models.
users = User.findBySql('SELECT * FROM User')
You can get the number of objects matching given conditions using the count
parameter with find
method.
count = User.find( :count, :conditions => {:name => 'Alice'} )
You can update an object’s attributes and save it to the database using the updateAttributes
method
This is the fastest way to add or update item attributes. |
user = User.find(:first, :conditions => {:name => 'Alice'}) user.update_attributes( :name => 'Bob', :email => 'bob@example.com')
To delete one model object use the destroy
method on the object to be deleted.
user = User.find(:first) user.destroy
To delete all objects for a model, or only those matching given conditions, use the delete_all
method.
# delete all objects User.delete_all() # delete only objects matching :conditions User.delete_all(:conditions => {:name => 'Alice'})
Use transactions to group together database operations that must either succeed or fail as a group, without leaving any partially completed operations. You can combine any set of object/model operations like insert/update/delete under a transaction.
db = Rho::Database.new db.startTransaction begin # do multiple operations User.create(:name => 'Alice', :email => 'alice@example.com') User.create(:name => 'Bob', :email => 'bob@example.com') # no errors, so commit all the changes db.commitTransaction rescue # on error rollback all changes db.rollbackTransaction end
You can execute SQL statements directly on the database by using Database.executeSql
method.
begin db = Rho::Database.new(Rho::Application.databaseFilePath('app'),'app'); result = db.executeSql('SELECT * FROM User') # result is an array of hashes, where each hash is a record ensure db.close end :::ruby db.executeBatchSql("UPDATE User set valid=0; Update Account set active=0")
You can use the following method for recovering the database from a bad or corrupt state or if the RhoConnect server returns errors.
Rho::ORM.databaseFullResetEx(:models => ['User'], :reset_client_info => true, :reset_local_models => true)
The list of attributes in a model can be updated as development progresses. If you are using the PropertyBag storage scheme (the default), the only thing you need to do is add the relevant code to the views (index.erb
, edit.erb
, new.erb
and show.erb
) and Rhodes will take care of the rest. If you have switched to FixedSchema, however, you also need to add the appropriate lines in your model .rb
file:
property :<property_name> :<data_type>
In our example Product
model, for example, we could add
property :color, :string
The guide Using the local database contains all the details on which data types are supported, as well as other ways to fine-tune data synchronization.
RhoConnect is the server-side part of RhoMobile Suite that connects your mobile application to external data sources. Whether your data comes from a relational database, NoSQL data store, RESTful web services or any other data source, RhoConnect bridges the gap between mobile clients and server resources. Using RhoConnect frees you from writing error-prone, hard to maintain synchronization code and takes care of all aspects of data sync.
Once your application can store data about a particular model, enabling two-way synchronization with a RhoConnect server is a one-step process: there is only one line to change, in your model file (product.rb
in our example), uncomment the line
enable :sync
As long as your RhoConnect server is properly configured, this is all that is required to benefit from automatic, two-way synchronization. See the RhoConnect Tutorial for in-depth information about the benefits RhoConnect provides, as well as Using the local database to find out how to tune data synchronization according to the needs of your application.
Rhom has a sync association
called belongs_to
which you can use to trigger updates on sync-enabled models. This is useful where you have relationships between backend service objects.
For example, you can have a list of customers who are assigned to a sales person:
class Customer include Rhom::PropertyBag # Declare container model and attribute. belongs_to :salesrep_id, 'SalesRep' end
The value you must use as the identifier to link objects is the object
property
def create @customer = Customer.new(@params['customer']) @customer.save sales_rep = SalesRep.find(...) # find the appropriate sales representative for new customers customer.salesrep_id = @sales_rep.object customer.save redirect :action => :index end
You can also define polymorphic sync associations, or sync associations across multiple classes.
Using array notation:
belongs_to :parent_id, ['Product', 'Case']
Or multiple declarations:
belongs_to :parent_id, 'Product' belongs_to :parent_id, 'Case'
If you are planning to use the bulk sync feature for your associated models, then you should take into consideration the corresponding support on the RhoConnect Server side. See RhoConnect Bulk Sync associations.
If you want to limit model attributes by specific list - you can ‘freeze’ model:
class Customer include Rhom::PropertyBag enable :sync set :freezed, true property :address, :string property :city, :string property :email, :string end
For such models if you try to set a property that has not been explicitly defined, you will get ArgumentError exception:
obj = Customer.new( :wrong_address => 'test') #will raise ArgumentError exception obj = Customer.create( :wrong_address => 'test') #will raise ArgumentError exception obj = Customer.new obj.wrong_address = 'test' #will raise ArgumentError exception obj = Customer.new obj.update_attributes(:wrong_address => 'test') #will raise ArgumentError exception
FixedSchema models are ‘freezed’ by default. This is only supported in Ruby models.
Rhodes provides the following functions for recovering the database from a bad or corrupt state, or if the RhoConnect server returns errors.
Rhom::Rhom.database_full_reset(reset_client_info=false, reset_local_models=true)
Deletes all records from the property bag and model tables.
# reset_client_info If set to true, client_info # table will be cleaned. # # reset_local_models If set to true, local(non-synced models) # will be cleaned. Rhom::Rhom.database_full_reset(false,true)
Rhom::Rhom.database_full_reset_and_logout
Perform a full reset and then logout the RhoConnect client.
Rhom::Rhom.database_full_reset_and_logout
Rhom::Rhom.database_fullclient_reset_and_logout
Equivalent to Rhom::Rhom.database_full_reset(true)
followed by SyncEngine.logout
.
Rhom::Rhom.database_fullclient_reset_and_logout
If you receive a sync error “Unknown client” message in your sync callback, this means that the RhoConnect server no longer knows about the client and a
Rhom::Rhom.database_fullclient_reset_and_logout
is recommended. This error requires proper intervention in your app so you can handle the state before resetting the client. For example, your sync notification could contain the following:
if @params['error_message'].downcase == 'unknown client' puts "Received unknown client, resetting!" Rhom::Rhom.database_fullclient_reset_and_logout end
Rhom::Rhom.database_local_reset
Reset only local(non-sync-enabled) models.
Rhom::Rhom.database_local_reset
Rhom::Rhom.database_full_reset_ex( :models => [model_name1, model_name2], :reset_client_info=>false, :reset_local_models => true)
Deletes all records from the property bag and model tables, if models are set then reset only selected models
# models Array of models names to reset # reset_client_info If set to true, client_info # table will be cleaned. # # reset_local_models If set to true, local(non-synced models) # will be cleaned. Rhom::Rhom.database_full_reset_ex(:models => ['Product', 'Customer'])
find(*args)
(advanced conditions)Rhom also supports advanced find :conditions
. Using advanced :conditions
, rhom can optimize the query for the property bag table.
Let’s say we have the following SQL fragment condition:
Product.find( :all, :conditions => [ "LOWER(description) like ? or LOWER(title) like ?", query, query ], :select => ['title','description'] )
Using advanced :conditions
, this becomes:
Product.find( :all, :conditions => { { :func => 'LOWER', :name => 'description', :op => 'LIKE' } => query, { :func => 'LOWER', :name => 'title', :op => 'LIKE' } => query }, :op => 'OR', :select => ['title','description'] )
You can also use the ‘IN’ operator:
Product.find( :all, :conditions => { { :name => "image_uri", :op => "IN" } => "'15704','15386'" } ) # or use array notation Product.find( :all, :conditions => { { :name => "image_uri", :op => "IN" } => ["15704","15386"] } )
You can also group :conditions
:
cond1 = { :conditions => { { :func => 'UPPER', :name => 'name', :op => 'LIKE' } => query, { :func => 'UPPER', :name => 'industry', :op => 'LIKE' } => query }, :op => 'OR' } cond2 = { :conditions => { { :name => 'description', :op => 'LIKE' } => 'Hello%' } } @accts = Account.find( :all, :conditions => [cond1, cond2], :op => 'AND', :select => ['name','industry','description'] )
To use number comparison conditions in find use CAST : :::ruby @accts = Account.find(:all, :conditions => { {:func=> ‘CAST’, :name=>‘rating as INTEGER’, :op=>‘<’} => 3 } ) #or using sql query: size = 3 @accts = Account.find(:all, :conditions => [“CAST(rating as INTEGER)< ?”, “#{size}”], :select => [‘rating’] )
As of Rhodes version 3.3.3, Rhom data encryption is removed from Rhodes. This feature is only supported in Zebra RhoMobile Suite. If you wish to use this feature, you will need to upgrade to RhoMobile Suite. Your application’s build.yml will also need to be modified to indicate the application type is ‘Rhoelements’. Additionally, a RhoElements license is required.
If your application requires that the local database is encrypted on the filesystem, you can enable it by setting a flag in build.yml
:
encrypt_database: 1
Database encryption is not supported for applications that use bulk sync at this time.