SlideShare a Scribd company logo
Ruby on Rails Presentation to Agile Atlanta Group Originally presented May 10 ‘05 Obie Fernandez Agile Atlanta  Founder / ThoughtWorks  Technologist
Introduction Why present Ruby on Rails to Agile Atlanta? Ruby is an agile language Ruby on Rails is Ruby’s Killer App Ruby on Rails promotes agile practices
Presentation Agenda Brief overview of Ruby Rails Demonstration Description of Rails framework Questions and Answers
Why Ruby? Write more understandable code in less lines Free (Very open license) Extensible
Principles of Ruby Japanese Design Aesthetics Shine Through Focus on human factors Principle of Least Surprise Principle of Succinctness Relevant because these principles were followed closely by the designer of Rails, David H. Hansson  Scandinavian Design Aesthetic
The Principle of Least Surprise This principle is the supreme design goal of Ruby Makes programmers happy and makes Ruby easy to learn Examples What class is an object? o.class Is it Array#size or Array#length? same method – they’re aliased What are the differences between arrays? diff = ary1 – ary2 union = ary1 + ary2
Principle of Succinctness A.K.A.  Principle of Least Effort We don’t like to waste time Especially on XML config files, getters, setters, etc…  The quicker we program, the more we accomplish Sounds reasonable enough, right? Less code means less bugs
Ruby is Truly Object-Oriented All classes derived from  Object i ncluding  Class  (like Java) but there are no primitives (not like Java at all) Ruby uses single-inheritance Mixins give you the power of multiple inheritance without the headaches Modules allow addition of behaviors to a class Reflection is built in along with lots of other highly dynamic metadata features Things like ‘=‘ and ‘+’ that you might think are operators are actually methods (like Smalltalk)
Some Coding Conventions Method Chaining print array.uniq.sort.reverse Method Names include ! and ? ary.sort!  (discuss bang if there is time) Iterators and Blocks vs. Loops files.each { |file| process(file) } Case usage:  Class names begin with a Capital letter Constants are ALL_CAPS Everything else - method call or a local variable Under_score instead of camelCase
Dynamic Programming Duck Typing Based on signatures, not class inheritance Dynamic Dispatch A key concept of OOP: methods are actually messages that are  sent  to an object instance Dynamic Behavior Reflection Scope Reopening (Kind of like AOP) Eval Breakpoint debugger
Enough About Ruby! What about Ruby on Rails?
Rails in a Nutshell  Includes everything needed to create database-driven web applications according to the Model-View-Control pattern of separation. Mostly written by David H. Hannson Talented designer Dream is to change the world A 37signals.com principal – World class designers Over 100 additional contributors to the Rails codebase in 9 months!
The Obligatory Architecture Slide
Demo Todo List Tutorial Project by Vincent Foley http://manuals.rubyonrails.com/read/book/7
Model – View – Controller  Model classes are the "smart" domain objects (such as Account, Product, Person, Post) that hold business logic and know how to persist themselves to a database Views are HTML templates Controllers handle incoming requests (such as Save New Account, Update Product, Show Post) by manipulating the model and directing data to the view
Model Classes Based on Martin Fowler’s ActiveRecord pattern From Patterns of Enterprise Architecture An object that wraps a row in a database table or view, encapsulates the database access, and adds domain logic on that data.
ActiveRecord Convention over Configuration (Applies to all of Rails) No XML files!  Lots of reflection and run-time extension  Magic is not inherently a bad word  Admit the Database Lets you drop down to SQL for odd cases and performance  Doesn‘t attempt to duplicate or replace data definitions
ActiveRecord API Object/Relational Mapping Framework Automatic mapping between columns and class attributes Declarative configuration via macros Dynamic finders Associations, Aggregations, Tree and List Behaviors Locking Lifecycle Callbacks Single-table inheritance supported Eager fetching supported Validation rules More…
ActiveRecord Aggregations Aggregation expresses a  composed of  relationship Define  value  objects by using composed_of method Tells Rails how value objects are created from the attributes of the entity object when the entity is initialized and… how it can be turned back into attributes when the entity is saved to the database Adds a reader and writer method for manipulating a value object Value objects should be immutable and that requirement is enforced by Active Record by freezing any object assigned as a value object. Attempting to change value objects result in a TypeError
ActiveRecord Models  are Multi-talented  actors The ActiveRecord::Acts module has super cool features that enhance your models behavior acts_as_list Provides the capabilities for sorting and reordering a number of objects in list acts_as_tree Model a tree structure by providing a parent association and a children association acts_as_nested_set Similiar to Tree, but with the added feature that you can select the children and all of it’s descendants with a single query!
ActiveRecord Associations Macro-like class methods for tying objects together through foreign keys Each adds a number of methods to the class  Works much the same way as Ruby’s own attr* methods
ActiveRecord Timestamps Magic  timestamps! ActiveRecord objects will automatically record creation and/or update timestamps of database objects if columns with the names created_at / created_on or updated_at / updated_on are present in your db table
ActiveRecord Transactions Simple declarative transaction support on both object and database level # Just database transaction  Account.transaction do david.withdrawal(100) mary.deposit(100)  end  # Object transaction Account.transaction(david, mary) do  david.withdrawal(100) mary.deposit(100)  end
ActiveRecord vs Hibernate Instead of ActiveRecord lets you do
Rails Logging
ActionController API Controllers defined as classes that execute and then either render a template or redirects An action is a public method on the controller Getting data in and out of controllers Request parameters available in the @params hash (and can be multidimensional) Web session exposed as @session hash Cookies exposed as @cookies hash Redirect scope provided by @flash hash (unique to Rails)
Filters and Request Interception The simple way to add Pre and Post processing to actions  Access to the request, response, and instance variables set by other filters or the action Controller inheritance hierarchies share filters downwards, but subclasses can also add new filters Target specific actions with :only and :except options Flexible Filter definition method reference (by symbol) external class inline method (proc)
From Controller to View Rails gives you many rendering options… Default template rendering – follow naming conventions and magic happens Explicitly render to particular action Redirect to another action Render a string response (or no response)
View Template Approaches ERB – Embedded Ruby Similar to JSPs <% and <%= syntax Easy to learn and teach to designers Execute in scope of controller Denoted with .rhtml extension XmlMarkup – Programmatic View Construction Great for writing xhtml and xml content Denoted with .rxml extension Embeddable in ERB templates
ERB Example
XmlMarkup Example
Similar to JSP is a Good Thing? Aren’t Rails programmers going to be tempted to put a bunch of application logic in the templates?  The short answer is no. JSPs are a less painful way to add logic to a screen. Due to the lower pain associated with their use, it is very tempting to add inappropriate code to them That’s simply not the case with Rails! Ruby is an excellent language for view logic (succinct, readable) and Rails is also made out of all Ruby. So there's no longing for a better suited template language and there's no pain relief in misappropriating business logic into the view. - David H. Hansson
Layouts and Partials Templates in app/views/layouts/ with the same name as a controller will be automatically set as that controller’s layout unless explicitly told otherwise Partials are sub-templates that render a single object Partial template files follow convention Easy API support for rendering collections of partials.
Built-in Caching Enhance performance by keeping the result of calculations, renderings, and database calls around for subsequent requests Action Controller offers 3 levels of granularity Page Action Fragment Sweepers are responsible for expiring caches when model objects change
Page Caching Entire action output of is stored as a HTML file that the web server can serve  As much as 100 times faster than going the process of dynamically generating the content Only available to stateless pages where all visitors are treated the same Easy to implement…
Action Caching Entire output of the response is cached Every request still goes to the controller filters are run before the cache is served allows for authentication and other restrictions on whether someone are supposed to see the cache
Fragment Caching Caches parts of templates without caching the entire action Use when elements of an action change frequently and other parts rarely change or are okay to share among requests Four options for storage FileStore – Fragments shared on file system by all processes MemoryStore – Caches fragments in memory per process DrbStore – Fragments cached on a separate, shared process MemCachedStore – Uses Danga’s MemCached open source caching server
Pagination Macro-style automatic fetching of your model for multiple views, or explicit fetching for single actions Included for all controllers Configure as much or as little as desired PaginationHelper module has methods for generating pagination links in your template
Helper Modules Help you spend time writing meaningful code… ActiveRecordHelper AssetTagHelper DateHelper DebugHelper FormHelper(s) JavascriptHelper NumberHelper PaginationHelper TagHelper TextHelper UrlHelper
Helper Methods Examples DateHelper::distance_of_time_in_words Reports the approximate distance in time between to Time objects. For example, if the distance is 47 minutes, it'll return &quot;about 1 hour“ JavascriptHelper::link_to_remote AJAX in one line! Creates link to a remote action that’s called in the background using XMLHttpRequest. The result of that request can then be inserted into the browser’s DOM  JavascriptHelper::periodically_call_remote More AJAX! Links page to a remote action that’s called in the background using XMLHttpRequest. The result of that request can be inserted into the browser’s DOM NumberHelper::human_size, number_to_currency, number_to_phone, etc… You get the picture!
The Quest for  Pretty URLs The responsibility of URL parsing is handled by Rails itself. Why? Not all webservers support rewriting Allows Rails to function “out of the box” on almost all webservers Facilitates definition of custom URLs Linked to URL helper methods such as url_for, link_to, and redirect_to Routing rules defined in config/routes.rb
routes.rb ActionController::Routing::Routes.draw do |map| # Priority based on creation: first created -> highest priority # Keep in mind you can assign values other than :controller and :action # You can have the root of your site routed by hooking up '' # just remember to delete public/index.html. map.connect '', :controller => &quot;bakery&quot; map.connect 'query/:guid', :controller => “global&quot;, :action=>&quot;query&quot; # Allow downloading Web Service WSDL as a file with an extension map.connect ':controller/service.wsdl', :action => 'wsdl' map.connect ':controller/:action/:id’  # Default end
Rails to the Rescue Actions that fail to perform as expected throw exceptions Exceptions can either be rescued… for public view (with a nice user-friendly explanation) for developers view (with tons of debugging information) By default, requests from localhost get developers view
ActiveSupport API Rails utility methods Date conversion Number handling String conversions and inflection Time calculations
ActionMailer API Rails’ built-in email service Write email controllers in same way as web controllers Integrated with templating system
ActionWebService API It’s easy to do web services in Rails Rails has built-in support for SOAP and XML-RPC Struct  base class can be used to represent structured types that don’t have ActiveRecord implementations or to avoid exposing an entire model to callers Examples Define a web services client in one line Add a web service to a controller (next slide)
Defining a WebService
Fixtures Use YAML sample data for testing Each YAML fixture (ie. record) is given a name and is followed by an indented list of key/value pairs in the &quot;key: value&quot; format.  Records are separated by a blank line
Unit Testing Rails includes Ruby’s test/unit Rake pre-configured to run test suite or individual tests Easy to load fixtures into a test case
Rake Ruby’s Build System Familiar to Ant users Your build file is a written in Ruby Basic build script provided with Rails project
Rails Success Story Basecamp (info as of late April ’05) Average lines of code for an action in Basecamp is  5 Written in 9 months Tens of thousands of users 300k dynamic page renders/day Hosted on two app servers with 15 fastcgi processes each + one MySQL server
The Rails Community The developer community around Rails is very helpful and excited Rails Wiki - http://wiki.rubyonrails.com/ Rails Mailing List – very active IRC – Get instant answers to most questions. David and other Rails commiters are all regularly present

More Related Content

PDF
Advanced RESTful Rails
KEY
An Introduction to Ruby on Rails
PPT
Jasig Rubyon Rails
PDF
Ruby On Rails
PPT
Ruby On Rails Tutorial
PDF
Rails 3 Beautiful Code
PDF
JavaScript
PPTX
Beginners' guide to Ruby on Rails
Advanced RESTful Rails
An Introduction to Ruby on Rails
Jasig Rubyon Rails
Ruby On Rails
Ruby On Rails Tutorial
Rails 3 Beautiful Code
JavaScript
Beginners' guide to Ruby on Rails

What's hot (20)

PDF
Ruby on Rails 101 - Presentation Slides for a Five Day Introductory Course
PDF
Ruby on Rails
PDF
2011-02-03 LA RubyConf Rails3 TDD Workshop
PDF
Building Web Interface On Rails
PDF
[2015/2016] Backbone JS
PDF
[2015/2016] JavaScript
PDF
Introduction to Ruby on Rails
PPT
What Is Hobo ?
KEY
25 Real Life Tips In Ruby on Rails Development
PPTX
Getting into ember.js
PDF
Rails Best Practices
PDF
Backbone.js
PDF
FITC - Exploring Art-Directed Responsive Images
PDF
ADF Mobile: 10 Things you don't get from the developers guide
PDF
Rails Best Practices
PPT
MVC Demystified: Essence of Ruby on Rails
PPT
Ruby On Rails Seminar Basis Softexpo Feb2010
PDF
AEM Sightly Template Language
PPTX
Mastering the Sling Rewriter
PPTX
Ruby on Rails 101 - Presentation Slides for a Five Day Introductory Course
Ruby on Rails
2011-02-03 LA RubyConf Rails3 TDD Workshop
Building Web Interface On Rails
[2015/2016] Backbone JS
[2015/2016] JavaScript
Introduction to Ruby on Rails
What Is Hobo ?
25 Real Life Tips In Ruby on Rails Development
Getting into ember.js
Rails Best Practices
Backbone.js
FITC - Exploring Art-Directed Responsive Images
ADF Mobile: 10 Things you don't get from the developers guide
Rails Best Practices
MVC Demystified: Essence of Ruby on Rails
Ruby On Rails Seminar Basis Softexpo Feb2010
AEM Sightly Template Language
Mastering the Sling Rewriter
Ad

Similar to Ruby On Rails (20)

PPT
Ruby on rails
PPTX
Ruby on rails for beginers
DOC
Rails interview questions
PDF
Ruby on-rails-101-presentation-slides-for-a-five-day-introductory-course-1194...
KEY
Ruby On Rails Overview
PDF
Lecture #5 Introduction to rails
PDF
Introduction to Rails by Evgeniy Hinyuk
PPT
Ruby on Rails: Building Web Applications Is Fun Again!
PPT
Ruby On Rails
PPT
WorkinOnTheRailsRoad
PPT
Workin ontherailsroad
KEY
Modern Webdevelopment With Ruby On Rails
PPTX
12 Introduction to Rails
PDF
ORUG - Sept 2014 - Lesson When Learning Ruby/Rails
PDF
Ruby Rails Web Development
DOCX
Rails Concept
PPT
Intro to Ruby on Rails
PDF
Aspose pdf
KEY
Why ruby and rails
PDF
Ruby on rails RAD
Ruby on rails
Ruby on rails for beginers
Rails interview questions
Ruby on-rails-101-presentation-slides-for-a-five-day-introductory-course-1194...
Ruby On Rails Overview
Lecture #5 Introduction to rails
Introduction to Rails by Evgeniy Hinyuk
Ruby on Rails: Building Web Applications Is Fun Again!
Ruby On Rails
WorkinOnTheRailsRoad
Workin ontherailsroad
Modern Webdevelopment With Ruby On Rails
12 Introduction to Rails
ORUG - Sept 2014 - Lesson When Learning Ruby/Rails
Ruby Rails Web Development
Rails Concept
Intro to Ruby on Rails
Aspose pdf
Why ruby and rails
Ruby on rails RAD
Ad

Recently uploaded (20)

PDF
Unit 1 Cost Accounting - Cost sheet
PDF
Types of control:Qualitative vs Quantitative
PDF
WRN_Investor_Presentation_August 2025.pdf
PPT
340036916-American-Literature-Literary-Period-Overview.ppt
PPTX
HR Introduction Slide (1).pptx on hr intro
PDF
SIMNET Inc – 2023’s Most Trusted IT Services & Solution Provider
PDF
A Brief Introduction About Julia Allison
PDF
Business model innovation report 2022.pdf
PDF
Power and position in leadershipDOC-20250808-WA0011..pdf
PDF
How to Get Funding for Your Trucking Business
PDF
MSPs in 10 Words - Created by US MSP Network
PDF
20250805_A. Stotz All Weather Strategy - Performance review July 2025.pdf
DOCX
Euro SEO Services 1st 3 General Updates.docx
PPTX
The Marketing Journey - Tracey Phillips - Marketing Matters 7-2025.pptx
PPTX
Lecture (1)-Introduction.pptx business communication
PDF
kom-180-proposal-for-a-directive-amending-directive-2014-45-eu-and-directive-...
PPTX
New Microsoft PowerPoint Presentation - Copy.pptx
PDF
Deliverable file - Regulatory guideline analysis.pdf
PPTX
CkgxkgxydkydyldylydlydyldlyddolydyoyyU2.pptx
PPT
Chapter four Project-Preparation material
Unit 1 Cost Accounting - Cost sheet
Types of control:Qualitative vs Quantitative
WRN_Investor_Presentation_August 2025.pdf
340036916-American-Literature-Literary-Period-Overview.ppt
HR Introduction Slide (1).pptx on hr intro
SIMNET Inc – 2023’s Most Trusted IT Services & Solution Provider
A Brief Introduction About Julia Allison
Business model innovation report 2022.pdf
Power and position in leadershipDOC-20250808-WA0011..pdf
How to Get Funding for Your Trucking Business
MSPs in 10 Words - Created by US MSP Network
20250805_A. Stotz All Weather Strategy - Performance review July 2025.pdf
Euro SEO Services 1st 3 General Updates.docx
The Marketing Journey - Tracey Phillips - Marketing Matters 7-2025.pptx
Lecture (1)-Introduction.pptx business communication
kom-180-proposal-for-a-directive-amending-directive-2014-45-eu-and-directive-...
New Microsoft PowerPoint Presentation - Copy.pptx
Deliverable file - Regulatory guideline analysis.pdf
CkgxkgxydkydyldylydlydyldlyddolydyoyyU2.pptx
Chapter four Project-Preparation material

Ruby On Rails

  • 1. Ruby on Rails Presentation to Agile Atlanta Group Originally presented May 10 ‘05 Obie Fernandez Agile Atlanta Founder / ThoughtWorks Technologist
  • 2. Introduction Why present Ruby on Rails to Agile Atlanta? Ruby is an agile language Ruby on Rails is Ruby’s Killer App Ruby on Rails promotes agile practices
  • 3. Presentation Agenda Brief overview of Ruby Rails Demonstration Description of Rails framework Questions and Answers
  • 4. Why Ruby? Write more understandable code in less lines Free (Very open license) Extensible
  • 5. Principles of Ruby Japanese Design Aesthetics Shine Through Focus on human factors Principle of Least Surprise Principle of Succinctness Relevant because these principles were followed closely by the designer of Rails, David H. Hansson Scandinavian Design Aesthetic
  • 6. The Principle of Least Surprise This principle is the supreme design goal of Ruby Makes programmers happy and makes Ruby easy to learn Examples What class is an object? o.class Is it Array#size or Array#length? same method – they’re aliased What are the differences between arrays? diff = ary1 – ary2 union = ary1 + ary2
  • 7. Principle of Succinctness A.K.A. Principle of Least Effort We don’t like to waste time Especially on XML config files, getters, setters, etc… The quicker we program, the more we accomplish Sounds reasonable enough, right? Less code means less bugs
  • 8. Ruby is Truly Object-Oriented All classes derived from Object i ncluding Class (like Java) but there are no primitives (not like Java at all) Ruby uses single-inheritance Mixins give you the power of multiple inheritance without the headaches Modules allow addition of behaviors to a class Reflection is built in along with lots of other highly dynamic metadata features Things like ‘=‘ and ‘+’ that you might think are operators are actually methods (like Smalltalk)
  • 9. Some Coding Conventions Method Chaining print array.uniq.sort.reverse Method Names include ! and ? ary.sort! (discuss bang if there is time) Iterators and Blocks vs. Loops files.each { |file| process(file) } Case usage: Class names begin with a Capital letter Constants are ALL_CAPS Everything else - method call or a local variable Under_score instead of camelCase
  • 10. Dynamic Programming Duck Typing Based on signatures, not class inheritance Dynamic Dispatch A key concept of OOP: methods are actually messages that are sent to an object instance Dynamic Behavior Reflection Scope Reopening (Kind of like AOP) Eval Breakpoint debugger
  • 11. Enough About Ruby! What about Ruby on Rails?
  • 12. Rails in a Nutshell Includes everything needed to create database-driven web applications according to the Model-View-Control pattern of separation. Mostly written by David H. Hannson Talented designer Dream is to change the world A 37signals.com principal – World class designers Over 100 additional contributors to the Rails codebase in 9 months!
  • 14. Demo Todo List Tutorial Project by Vincent Foley http://manuals.rubyonrails.com/read/book/7
  • 15. Model – View – Controller Model classes are the &quot;smart&quot; domain objects (such as Account, Product, Person, Post) that hold business logic and know how to persist themselves to a database Views are HTML templates Controllers handle incoming requests (such as Save New Account, Update Product, Show Post) by manipulating the model and directing data to the view
  • 16. Model Classes Based on Martin Fowler’s ActiveRecord pattern From Patterns of Enterprise Architecture An object that wraps a row in a database table or view, encapsulates the database access, and adds domain logic on that data.
  • 17. ActiveRecord Convention over Configuration (Applies to all of Rails) No XML files! Lots of reflection and run-time extension Magic is not inherently a bad word Admit the Database Lets you drop down to SQL for odd cases and performance Doesn‘t attempt to duplicate or replace data definitions
  • 18. ActiveRecord API Object/Relational Mapping Framework Automatic mapping between columns and class attributes Declarative configuration via macros Dynamic finders Associations, Aggregations, Tree and List Behaviors Locking Lifecycle Callbacks Single-table inheritance supported Eager fetching supported Validation rules More…
  • 19. ActiveRecord Aggregations Aggregation expresses a composed of relationship Define value objects by using composed_of method Tells Rails how value objects are created from the attributes of the entity object when the entity is initialized and… how it can be turned back into attributes when the entity is saved to the database Adds a reader and writer method for manipulating a value object Value objects should be immutable and that requirement is enforced by Active Record by freezing any object assigned as a value object. Attempting to change value objects result in a TypeError
  • 20. ActiveRecord Models are Multi-talented actors The ActiveRecord::Acts module has super cool features that enhance your models behavior acts_as_list Provides the capabilities for sorting and reordering a number of objects in list acts_as_tree Model a tree structure by providing a parent association and a children association acts_as_nested_set Similiar to Tree, but with the added feature that you can select the children and all of it’s descendants with a single query!
  • 21. ActiveRecord Associations Macro-like class methods for tying objects together through foreign keys Each adds a number of methods to the class Works much the same way as Ruby’s own attr* methods
  • 22. ActiveRecord Timestamps Magic timestamps! ActiveRecord objects will automatically record creation and/or update timestamps of database objects if columns with the names created_at / created_on or updated_at / updated_on are present in your db table
  • 23. ActiveRecord Transactions Simple declarative transaction support on both object and database level # Just database transaction Account.transaction do david.withdrawal(100) mary.deposit(100) end # Object transaction Account.transaction(david, mary) do david.withdrawal(100) mary.deposit(100) end
  • 24. ActiveRecord vs Hibernate Instead of ActiveRecord lets you do
  • 26. ActionController API Controllers defined as classes that execute and then either render a template or redirects An action is a public method on the controller Getting data in and out of controllers Request parameters available in the @params hash (and can be multidimensional) Web session exposed as @session hash Cookies exposed as @cookies hash Redirect scope provided by @flash hash (unique to Rails)
  • 27. Filters and Request Interception The simple way to add Pre and Post processing to actions Access to the request, response, and instance variables set by other filters or the action Controller inheritance hierarchies share filters downwards, but subclasses can also add new filters Target specific actions with :only and :except options Flexible Filter definition method reference (by symbol) external class inline method (proc)
  • 28. From Controller to View Rails gives you many rendering options… Default template rendering – follow naming conventions and magic happens Explicitly render to particular action Redirect to another action Render a string response (or no response)
  • 29. View Template Approaches ERB – Embedded Ruby Similar to JSPs <% and <%= syntax Easy to learn and teach to designers Execute in scope of controller Denoted with .rhtml extension XmlMarkup – Programmatic View Construction Great for writing xhtml and xml content Denoted with .rxml extension Embeddable in ERB templates
  • 32. Similar to JSP is a Good Thing? Aren’t Rails programmers going to be tempted to put a bunch of application logic in the templates? The short answer is no. JSPs are a less painful way to add logic to a screen. Due to the lower pain associated with their use, it is very tempting to add inappropriate code to them That’s simply not the case with Rails! Ruby is an excellent language for view logic (succinct, readable) and Rails is also made out of all Ruby. So there's no longing for a better suited template language and there's no pain relief in misappropriating business logic into the view. - David H. Hansson
  • 33. Layouts and Partials Templates in app/views/layouts/ with the same name as a controller will be automatically set as that controller’s layout unless explicitly told otherwise Partials are sub-templates that render a single object Partial template files follow convention Easy API support for rendering collections of partials.
  • 34. Built-in Caching Enhance performance by keeping the result of calculations, renderings, and database calls around for subsequent requests Action Controller offers 3 levels of granularity Page Action Fragment Sweepers are responsible for expiring caches when model objects change
  • 35. Page Caching Entire action output of is stored as a HTML file that the web server can serve As much as 100 times faster than going the process of dynamically generating the content Only available to stateless pages where all visitors are treated the same Easy to implement…
  • 36. Action Caching Entire output of the response is cached Every request still goes to the controller filters are run before the cache is served allows for authentication and other restrictions on whether someone are supposed to see the cache
  • 37. Fragment Caching Caches parts of templates without caching the entire action Use when elements of an action change frequently and other parts rarely change or are okay to share among requests Four options for storage FileStore – Fragments shared on file system by all processes MemoryStore – Caches fragments in memory per process DrbStore – Fragments cached on a separate, shared process MemCachedStore – Uses Danga’s MemCached open source caching server
  • 38. Pagination Macro-style automatic fetching of your model for multiple views, or explicit fetching for single actions Included for all controllers Configure as much or as little as desired PaginationHelper module has methods for generating pagination links in your template
  • 39. Helper Modules Help you spend time writing meaningful code… ActiveRecordHelper AssetTagHelper DateHelper DebugHelper FormHelper(s) JavascriptHelper NumberHelper PaginationHelper TagHelper TextHelper UrlHelper
  • 40. Helper Methods Examples DateHelper::distance_of_time_in_words Reports the approximate distance in time between to Time objects. For example, if the distance is 47 minutes, it'll return &quot;about 1 hour“ JavascriptHelper::link_to_remote AJAX in one line! Creates link to a remote action that’s called in the background using XMLHttpRequest. The result of that request can then be inserted into the browser’s DOM JavascriptHelper::periodically_call_remote More AJAX! Links page to a remote action that’s called in the background using XMLHttpRequest. The result of that request can be inserted into the browser’s DOM NumberHelper::human_size, number_to_currency, number_to_phone, etc… You get the picture!
  • 41. The Quest for Pretty URLs The responsibility of URL parsing is handled by Rails itself. Why? Not all webservers support rewriting Allows Rails to function “out of the box” on almost all webservers Facilitates definition of custom URLs Linked to URL helper methods such as url_for, link_to, and redirect_to Routing rules defined in config/routes.rb
  • 42. routes.rb ActionController::Routing::Routes.draw do |map| # Priority based on creation: first created -> highest priority # Keep in mind you can assign values other than :controller and :action # You can have the root of your site routed by hooking up '' # just remember to delete public/index.html. map.connect '', :controller => &quot;bakery&quot; map.connect 'query/:guid', :controller => “global&quot;, :action=>&quot;query&quot; # Allow downloading Web Service WSDL as a file with an extension map.connect ':controller/service.wsdl', :action => 'wsdl' map.connect ':controller/:action/:id’ # Default end
  • 43. Rails to the Rescue Actions that fail to perform as expected throw exceptions Exceptions can either be rescued… for public view (with a nice user-friendly explanation) for developers view (with tons of debugging information) By default, requests from localhost get developers view
  • 44. ActiveSupport API Rails utility methods Date conversion Number handling String conversions and inflection Time calculations
  • 45. ActionMailer API Rails’ built-in email service Write email controllers in same way as web controllers Integrated with templating system
  • 46. ActionWebService API It’s easy to do web services in Rails Rails has built-in support for SOAP and XML-RPC Struct base class can be used to represent structured types that don’t have ActiveRecord implementations or to avoid exposing an entire model to callers Examples Define a web services client in one line Add a web service to a controller (next slide)
  • 48. Fixtures Use YAML sample data for testing Each YAML fixture (ie. record) is given a name and is followed by an indented list of key/value pairs in the &quot;key: value&quot; format. Records are separated by a blank line
  • 49. Unit Testing Rails includes Ruby’s test/unit Rake pre-configured to run test suite or individual tests Easy to load fixtures into a test case
  • 50. Rake Ruby’s Build System Familiar to Ant users Your build file is a written in Ruby Basic build script provided with Rails project
  • 51. Rails Success Story Basecamp (info as of late April ’05) Average lines of code for an action in Basecamp is 5 Written in 9 months Tens of thousands of users 300k dynamic page renders/day Hosted on two app servers with 15 fastcgi processes each + one MySQL server
  • 52. The Rails Community The developer community around Rails is very helpful and excited Rails Wiki - http://wiki.rubyonrails.com/ Rails Mailing List – very active IRC – Get instant answers to most questions. David and other Rails commiters are all regularly present

Editor's Notes

  • #2: &lt;rdf:RDF xmlns=&amp;quot;http://web.resource.org/cc/&amp;quot; xmlns:dc=&amp;quot;http://purl.org/dc/elements/1.1/&amp;quot; xmlns:rdf=&amp;quot;http://www.w3.org/1999/02/22-rdf-syntax-ns#&amp;quot;&gt; &lt;Work rdf:about=&amp;quot;&amp;quot;&gt; &lt;dc:title&gt;Ruby on Rails&lt;/dc:title&gt; &lt;dc:date&gt;2005&lt;/dc:date&gt; &lt;dc:description&gt;Powerpoint Presentation: Introduction to Ruby and Ruby on Rails given to the Agile Atlanta user group on 5/10/2005 &lt;/dc:description&gt; &lt;dc:creator&gt;&lt;Agent&gt; &lt;dc:title&gt;Obed Fernandez&lt;/dc:title&gt; &lt;/Agent&gt;&lt;/dc:creator&gt; &lt;dc:rights&gt;&lt;Agent&gt; &lt;dc:title&gt;Obed Fernandez&lt;/dc:title&gt; &lt;/Agent&gt;&lt;/dc:rights&gt; &lt;license rdf:resource=&amp;quot;http://creativecommons.org/licenses/by-sa/2.0/&amp;quot; /&gt; &lt;/Work&gt; &lt;License rdf:about=&amp;quot;http://creativecommons.org/licenses/by-sa/2.0/&amp;quot;&gt; &lt;permits rdf:resource=&amp;quot;http://web.resource.org/cc/Reproduction&amp;quot; /&gt; &lt;permits rdf:resource=&amp;quot;http://web.resource.org/cc/Distribution&amp;quot; /&gt; &lt;requires rdf:resource=&amp;quot;http://web.resource.org/cc/Notice&amp;quot; /&gt; &lt;requires rdf:resource=&amp;quot;http://web.resource.org/cc/Attribution&amp;quot; /&gt; &lt;permits rdf:resource=&amp;quot;http://web.resource.org/cc/DerivativeWorks&amp;quot; /&gt; &lt;requires rdf:resource=&amp;quot;http://web.resource.org/cc/ShareAlike&amp;quot; /&gt; &lt;/License&gt; &lt;/rdf:RDF&gt;