ProMotion is a RubyMotion gem that makes iOS development more like Ruby and less like Objective-C. It introduces a clean, Ruby-style syntax for building screens that is easy to learn and remember.
class AppDelegate < PM::Delegate
def on_load(app, options)
open RootScreen.new(nav_bar: true)
end
end
class RootScreen < PM::Screen
title "Root Screen"
def push_new_screen
open NewScreen
end
end
class NewScreen < PM::TableScreen
title "Table Screen"
def table_data
[{
cells: [
{ title: "About this app", action: :tapped_about },
{ title: "Log out", action: :log_out }
]
}]
end
endFeatured on the RubyMotion blog: http://blog.rubymotion.com/post/50523137515/introducing-promotion-a-full-featured-rubymotion
Table of Contents generated with DocToc
http://www.clearsightstudio.com/insights/ruby-motion-promotion-tutorial
http://www.clearsightstudio.com/insights/tutorial-make-youtube-video-app-rubymotion-promotion/
Here's a demo app that is used to test new functionality. You might have to change the Gemfile source to pull from Github.
https://github.com/jamonholmgren/promotion-demo
View apps built with ProMotion (feel free to submit yours in a pull request!)
ProMotion is designed to be as intuitive and Ruby-like as possible. For example, here is a typical app folder structure:
app/
screens/
events/
list_events_screen.rb
show_event_screen.rb
edit_event_screen.rb
home_screen.rb
settings_screen.rb
models/
event.rb
views/
buttons/
save_event_button.rb
app_delegate.rb
Create a new RubyMotion project.
motion create myapp
Open it in your favorite editor, then go into your Rakefile and modify the top to look like the following:
# -*- coding: utf-8 -*-
$:.unshift("/Library/RubyMotion/lib")
require 'motion/project/template/ios'
require 'bundler'
Bundler.requireCreate a Gemfile and add the following lines:
source 'https://rubygems.org'
gem "ProMotion", "~> 0.7.5"Run bundle install in Terminal to install ProMotion.
Go into your app/app_delegate.rb file and replace everything with the following:
class AppDelegate < PM::Delegate
def on_load(app, options)
open HomeScreen.new(nav_bar: true)
end
endNote: You can use other keys in on_load when you open a new screen:
modal:[true|false]toolbar:[true|false]
Make sure you remove the didFinishLoadingWithOptions method or call super in it. Otherwise
ProMotion won't get set up and on_load won't be called.
Create a folder in /app named screens. Create a file in that folder named home_screen.rb.
Now drop in this code:
class HomeScreen < PM::Screen
title "Home"
def will_appear
set_attributes self.view, {
backgroundColor: UIColor.whiteColor
}
end
endRun rake. You should now see the simulator open with your home screen and a navigation bar like the image below. Congrats!
- Added Teacup support! Just specify
stylename:in youradd:orset_attributes:property hash. - Added
PM::FormotionScreenfor easy Formotion compatibility. - Massive refactor of
PM::TableScreento make it more reliable and testable. Deprecated some old stuff in there. - Made a new
TableViewCellModulethat makes it easy to set up custom cells. - Refactored the
PM::Delegateclass to make it cleaner and more testable. - Added
PM::PushNotificationclass (this needs more work and testing) and some nicePM::Delegatemethods for registering and handling them. set_nav_bar_left_buttonandset_nav_bar_right_buttonare now justset_nav_bar_button. See API reference.- Speaking of API reference, we now have one. We've moved the bulk of the info to the wiki.
- Added
open_modalalias foropen @screen, modal: true - Added functional (interactive) tests and lots of unit tests. Run
rake spec:functionalorrake spec:unitto run them individually. - Renamed
is_modal?tomodal?,has_nav_bar?tonav_bar?in screens. - Removed MotionTable references.
- Lots of small improvements and bugfixes.
class HomeScreen < PM::Screen
title "Home"
def on_load
# Load data
end
def will_appear
# Set up the elements in your view with add
@label ||= add UILabel.alloc.initWithFrame(CGRectMake(5, 5, 20, 20))
end
def on_appear
# Everything's loaded and visible
end
end# In app/app_delegate.rb
class AppDelegate < PM::Delegate
def on_load(app, options)
open MyHomeScreen.new(nav_bar: true)
end
end# In app/app_delegate.rb
class AppDelegate < PM::Delegate
def on_load(app, options)
open_split_screen MenuScreen, DetailScreen
end
endCreating a tabbed bar with multiple screens. This will set the tab bar as the root view controller for your app, so keep that in mind. It can be done from the AppDelegate#on_load or from a screen (that screen will go away, though).
def on_load(app, options)
@home = MyHomeScreen.new(nav_bar: true)
@settings = SettingsScreen.new
@contact = ContactScreen.new(nav_bar: true)
open_tab_bar @home, @settings, @contact
endFor each screen that belongs to the tab bar, you need to set the tab name and icon in the files. In this example, we would need add the following to the three files (my_home_screen.rb, settings_screen.rb, contact_screen.rb):
def on_load
set_tab_bar_item title: "Tab Name Goes Here", icon: "icons/tab_icon.png" # in resources/icons folder
# or...
set_tab_bar_item system_icon: UITabBarSystemItemContacts
endTo programmatically switch to a different tab, use open_tab.
def some_action
open_tab "Contacts"
endThis method adds the buttons to the top navigation bar of a screen. The action: lets you specify a method to
call when that button is tapped, and you can pass in a UIBarButton style using type:.
set_nav_bar_button :right, title: "Save", action: :save_something, type: UIBarButtonItemStyleDone
set_nav_bar_button :left, title: "Cancel", action: :return_to_some_other_screen, type: UIBarButtonItemStylePlainYou can pass in an image with image:. Don't forget retina and landscape versions of your image!
set_nav_bar_button :left, image: UIImage.imageNamed("cancel-button"), action: :cancel_somethingYou can also pass in a system_icon instead.
set_nav_bar_button :right, system_icon: UIBarButtonSystemItemAdd, action: :add_somethingAdditionally, if you pass an instance of a UIBarButtonItem, the UIBarButton will automatically display that particular button item.
set_nav_bar_button :left, button: UIBarButtonItem.alloc.initWithCustomView(button)If the user taps something and you want to open a new screen, it's easy. Just use open and pass in the screen class
or an instance of that screen.
def settings_button_tapped
# ...with a class...
open SettingsScreen
# ...or with an instance...
@settings_screen = SettingsScreen.new
open @settings_screen
endYou can also open a screen as a modal.
open SettingsScreen.new, modal: true
# Or... (this is equivalent)
open_modal SettingsScreen.newYou can pass in arguments to other screens if they have accessors:
class HomeScreen < PM::Screen
# ...
def settings_button_tapped
open ProfileScreen.new(user: some_user)
end
end
class ProfileScreen < PM::Screen
attr_accessor :user
def on_load
self.user # => some_user instance
end
endClosing a screen is as easy as can be.
# User taps a button, indicating they want to close this screen.
def close_screen_tapped
close
endYou can close a screen (modal or in a nav controller) and pass back arguments to the previous screen's "on_return" method:
class ItemScreen < PM::Screen
# ...
def save_and_close
if @model.save
close(model_saved: true)
end
end
end
class MainScreen < PM::Screen
# ...
def on_return(args = {})
if args[:model_saved]
self.reload_something
end
end
endIt's common to want to open a screen in the same navigation controller if on iPhone but in a separate detail view when on iPad. Here's a good way to do that.
class MenuScreen < PM::TableScreen
# ...
def some_action
open SomeScreen.new, in_detail: true
end
endThe in_detail option tells ProMotion to look for a split screen and open in the detail screen
if it's available. If not, open normally. This also works for in_master:.
Any view item (UIView, UIButton, custom UIView subclasses, etc) can be added to the current view with add.
add accepts a second argument which is a hash of attributes that get applied to the element right after it is
dropped into the view.
add(view, attr={})
add UILabel.new, {
text: "This is awesome!",
font: UIFont.systemFontOfSize(18),
resize: [ :left, :right, :top, :bottom, :width, :height ], # autoresizingMask
left: 5, # These four attributes are used with CGRectMake
top: 5,
width: 20,
height: 20
}Using Teacup? Just provide a stylename.
@element = UIView.alloc.initWithFrame(CGRectMake(0, 0, 20, 20))
add @element, stylename: :my_custom_viewThe set_attributes method is identical to add except that it does not add it to the current view.
If you use snake_case and there isn't an existing method, it'll try camelCase. This allows you to
use snake_case for Objective-C methods.
set_attributes(view, attr={})
set_attributes UIView.new, {
# `background_color` is translated to `backgroundColor` automatically.
background_color: UIColor.whiteColor,
frame: CGRectMake(0, 0, 20, 20)
}You can use add_to to add a view to any other view, not just the main view.
add_to(parent_view, new_view, attr={})
add_to @some_parent_view, UIView.new, {
frame: CGRectMake(0, 0, 20, 20),
backgroundColor: UIColor.whiteColor
}You can create sectioned table screens easily with TableScreen, SectionedTableScreen, and GroupedTableScreen.
class SettingsScreen < PM::GroupedTableScreen
title "Settings"
def on_load
set_nav_bar_right_button("Save", action: :save)
set_tab_bar_item(title: "Settings", icon: "settings.png")
end
# table_data is automatically called. Use this format in the return value.
# It's an array of cell groups, each cell group consisting of a title and an array of cells.
def table_data
[{
title: "Your Account",
cells: [
{ title: "Edit Profile", action: :edit_profile, arguments: { id: 3 } },
{ title: "Log Out", action: :log_out },
{ title: "Notification Settings", action: :notification_settings }
]
}, {
title: "App Stuff",
cells: [
{ title: "About", action: :show_about },
{ title: "Feedback", action: :show_feedback }
]
}]
end
# This method allows you to create a "jumplist", the index on the right side of the table
def table_data_index
# Ruby magic to make an alphabetical array of letters.
# Try this in Objective-C and tell me you want to go back.
return ("A".."Z").to_a
end
# Your table cells, when tapped, will execute the corresponding actions
# and pass in the specified arguments.
def edit_profile(args={})
puts args[:id] # => 3
end
endWe've created a fairly comprehensive wiki with code examples, usage examples, and API reference.
If you need help, feel free to ping me on twitter @jamonholmgren or open an issue on GitHub. Opening an issue is usually the best and we respond to those pretty quickly.
I'm very open to ideas. Tweet me with your ideas or open a ticket (I don't mind!) and let's discuss. It's a good idea to run your idea by the committers before creating a pull request. We'll always consider your ideas carefully but not all ideas will be incorporated.
- Clone the repos into
Your-Project/Vendor/ProMotion - Update your
Gemfileto reference the project asgem 'ProMotion', :path => "vendor/ProMotion/" - Run
bundle - Run
rake cleanand thenrake - Contribute!
- Fork the project
- Create a feature branch
- Code
- Update or create new specs ** NOTE: your PR is far more likely to be merged if you include comprehensive tests! **
- Make sure tests are passing by running
rake spec(you can run functional and unit specs separately withrake spec:functionalandrake spec:unit) - Submit pull request
- Make a million little nitpicky changes that @jamonholmgren wants
- Merged, then fame, adoration, kudos everywhere
- Jamon Holmgren: @jamonholmgren
- Silas Matson: @silasjmatson
- Matt Brewer: @macfanatic
- Mark Rickert: @markrickert
- Many others
- Run
git shortlog -s -n -eto see everyone who has contributed.


