render :js => "alert('Hello Rails');" +
From 4bb13a2bfb7a2fc666c74038c1e72ea10544dfae Mon Sep 17 00:00:00 2001
From: Mike Gunderloy
+redirect_to now fully supports URI schemes (so, for example, you can redirect to a svn+ssh: URI) +
+-The included Prototype javascript library has been upgraded to version 1.6.0.2. +The included Prototype javascript library has been upgraded to version 1.6.0.3.
-redirect_to now fully supports URI schemes (so, for example, you can redirect to a svn+ssh: URI) +redirect_to now fully supports URI schemes (so, for example, you can redirect to a svn+ssh: URI). +
++render now supports a :js option to render plain vanilla javascript with the right mime type.
Rails can render vanilla JavaScript (as an alternative to using update with n .rjs file):
render :js => "alert('Hello Rails');" +
This will send the supplied string to the browser with a MIME type of text/javascript.
Calls to the render method generally accept four options:
render :xml => photo, :location => photo_url(photo)
To find the current layout, Rails first looks for a file in app/views/layouts with the same base name as the controller. For example, rendering actions from the PhotosController class will use /app/views/layouts/photos.html.erb. If there is no such controller-specific layout, Rails will use /app/views/layouts/application.html.erb. If there is no .erb layout, Rails will use a .builder layout if one exists. Rails also provides several ways to more precisely assign specific layouts to individual controllers and actions.
You can override the automatic layout conventions in your controllers by using the layout declaration in the controller. For example:
Sooner or later, most Rails developers will see the error message "Can only render or redirect once per action". While this is annoying, it's relatively easy to fix. Usually it happens because of a fundamental misunderstanding of the way that render works.
For example, here's some code that will trigger this error:
+November 1, 2008: Added :js option for render by Mike Gunderloy +
+October 16, 2008: Ready for publication by Mike Gunderloy
Although the same partial will be rendered into both views, the label on the submit button is controlled by a local variable passed into the partial.
Every partial also has a local variable with the same name as the partial (minus the underscore). By default, it will look for an instance variable with the same name as the partial in the parent. You can pass an object in to this local variable via the :object option:
Every partial also has a local variable with the same name as the partial (minus the underscore). You can pass an object in to this local variable via the :object option:
<%= render :partial => "customer", :object => @new_customer %>
Within the customer partial, the @customer variable will refer to @new_customer from the parent view.
+![]() |
+In previous versions of Rails, the default local variable would look for an instance variable with the same name as the partial in the parent. This behavior is deprecated in Rails 2.2 and will be removed in a future version. | +
If you have an instance of a model to render into a partial, you can use a shorthand syntax:
posts_controller.rb:
class PostsController < ApplicationController # ... end - -class SpecialPostsController < PostsController +
special_posts_controller.rb:
class SpecialPostsController < PostsController layout "special" # ... end - -class OldPostsController < SpecialPostsController +
old_posts_controller.rb:
class OldPostsController < SpecialPostsController layout nil def show @@ -1195,26 +1214,33 @@ http://www.gnu.org/software/src-highlite -->This would look for a partial named _link_area.html.erb and render it using the layout _graybar.html.erb. Note that layouts for partials follow the same leading-underscore naming as regular partials, and are placed in the same folder with the partial that they belong to (not in the master layouts folder).
3.4.4. Passing Local Variables
+You can also pass local variables into partials, making them even more powerful and flexible. For example, you can use this technique to reduce duplication between new and edit pages, while still keeping a bit of distinct content:
new.html.erb:
+-new.html.erb: - -<h1>New zone</h1> +<h1>New zone</h1> <%= error_messages_for :zone %> <%= render :partial => "form", :locals => { :button_label => "Create zone", :zone => @zone } %> - -edit.html.erb: - -<h1>Editing zone</h1> ++edit.html.erb:
+++<h1>Editing zone</h1> <%= error_messages_for :zone %> <%= render :partial => "form", :locals => { :button_label => "Update zone", :zone => @zone } %> - -_form.html.erb: - -<% form_for(@zone) do |f| %> ++_form.html.erb:
+-- cgit v1.2.3 From a3aa0c17ef8594a0084511f4852be7b5dc66e5e2 Mon Sep 17 00:00:00 2001 From: Mike Gunderloy+<% form_for(zone) do |f| %> <p> <b>Zone name</b><br /> <%= f.text_field :name %> @@ -1253,19 +1279,22 @@ http://www.gnu.org/software/src-highlite -->Assuming that the @customer instance variable contains an instance of the Customer model, this will use _customer.html.erb to render it.
3.4.5. Rendering Collections
+Partials are very useful in rendering collections. When you pass a collection to a partial via the :collection option, the partial will be inserted once for each member in the collection:
index.html.erb:
+-index.html.erb: - -<h1>Products</h1> +<h1>Products</h1> <%= render :partial => "product", :collection => @products %> - -_product.html.erb: - -<p>Product Name: <%= product.name %></p> ++_product.html.erb:
++<p>Product Name: <%= product.name %></p>When a partial is called with a pluralized collection, then the individual instances of the partial have access to the member of the collection being rendered via a variable named after the partial. In this case, the partial is _product, and within the +_product partial, you can refer to product to get the instance that is being rendered. To use a custom local variable name within the partial, specify the :as option in the call to the partial:
@@ -1286,38 +1315,48 @@ http://www.gnu.org/software/src-highlite -->Rails will render the _product_ruler partial (with no data passed in to it) between each pair of _product partials.
+There's also a shorthand syntax available for rendering collections. For example, if @products is a collection of products, you can render the collection this way:
index.html.erb:
+-index.html.erb: - -<h1>Products</h1> +<h1>Products</h1> <%= render :partial => @products %> - -_product.html.erb: - -<p>Product Name: <%= product.name %></p> ++_product.html.erb:
++<p>Product Name: <%= product.name %></p>+Rails determines the name of the partial to use by looking at the model name in the collection. In fact, you can even create a heterogeneous collection and render it this way, and Rails will choose the proper partial for each member of the collection:
index.html.erb:
+-index.html.erb: - -<h1>Contacts</h1> +<h1>Contacts</h1> <%= render :partial => [customer1, employee1, customer2, employee2] %> - -_customer.html.erb: - -<p>Name: <%= customer.name %></p> - -_employee.html.erb: - -<p>Name: <%= employee.name %></p> ++_customer.html.erb:
+++<p>Name: <%= customer.name %></p> ++_employee.html.erb:
++<p>Name: <%= employee.name %></p>In this case, Rails will use the customer or employee partials as appropriate for each member of the collection.
Date: Sat, 1 Nov 2008 13:41:18 -0500 Subject: Marking Getting Started and Security guides as finished. --- railties/doc/guides/html/getting_started_with_rails.html | 5 +++++ railties/doc/guides/html/index.html | 16 ---------------- railties/doc/guides/html/security.html | 14 ++++++++++++++ 3 files changed, 19 insertions(+), 16 deletions(-) (limited to 'railties/doc/guides/html') diff --git a/railties/doc/guides/html/getting_started_with_rails.html b/railties/doc/guides/html/getting_started_with_rails.html index d9a1779d56..797ae2fb3a 100644 --- a/railties/doc/guides/html/getting_started_with_rails.html +++ b/railties/doc/guides/html/getting_started_with_rails.html @@ -2010,6 +2010,11 @@ The Rails wiki diff --git a/railties/doc/guides/html/security.html b/railties/doc/guides/html/security.html index a135d9b486..390efb5435 100644 --- a/railties/doc/guides/html/security.html +++ b/railties/doc/guides/html/security.html @@ -310,6 +310,9 @@ ul#navMain {
- +
+November 1, 2008: First approved version by Mike Gunderloy +
+- +
diff --git a/railties/doc/guides/html/index.html b/railties/doc/guides/html/index.html index f84442d10c..306257678b 100644 --- a/railties/doc/guides/html/index.html +++ b/railties/doc/guides/html/index.html @@ -219,14 +219,6 @@ ul#navMain {October 16, 2008: Revised based on feedback from Pratik Naik by Mike Gunderloy (not yet approved for publication)
Models
@@ -326,14 +318,6 @@ Enjoy.Additional resources ++ Changelog +
+November 1, 2008: First approved version by Heiko Webers +
+Rails has built-in support to debug RJS, to active it, set ActionView::Base.debug_rjs to true, this will specify whether RJS responses should be wrapped in a try/catch block that alert()s the caught exception (and then re-raises it).
To enable it, add the following in the Rails::Initializer do |config| block inside environment.rb:
config.action_view[:debug_rjs] = true +
Or, at any time, setting ActionView::Base.debug_rjs to true:
ActionView::Base.debug_rjs = true +
+![]() |
+For more information on debugging javascript refer to Firebug, the popular debugger for Firefox. | +
A Ruby application (on Rails or not), can leak memory whether in the Ruby code but also in the C code.
In this section, you will learn how to find and fix this leaks by using Bleak House and Valgrind debugging tools.
Bleak House is a library for finding memory leaks.
If a Ruby object does not go out of scope, the Ruby Garbage Collector won't sweep it since it is referenced somewhere, this leaks can grow slowly and your application will consume more and more memory gradually affecting the overall system performance. This tool will help you find leaks on the Ruby heap.
To install it run:
sudo gem install bleak_house+
Then setup you application for profiling, add the following at the bottom of config/environment.rb:
require 'bleak_house' if ENV['BLEAK_HOUSE'] +
Start a server instance with Bleak House integration:
RAILS_ENV=production BLEAK_HOUSE=1 ruby-bleak-house ./script/server+
Make sure to run a couple hundred requests to get better data samples, hit CTRL-C. The server will stop and Bleak House will produce a dumpfile in /tmp:
** BleakHouse: working... +** BleakHouse: complete +** Bleakhouse: run 'bleak /tmp/bleak.5979.0.dump' to analyze. +
To analyze it, just run the listed command. The top 20 leakiest lines will be listed:
191691 total objects + Final heap size 191691 filled, 220961 free + Displaying top 20 most common line/class pairs + 89513 __null__:__null__:__node__ + 41438 __null__:__null__:String + 2348 /opt/local//lib/ruby/site_ruby/1.8/rubygems/specification.rb:557:Array + 1508 /opt/local//lib/ruby/gems/1.8/specifications/gettext-1.90.0.gemspec:14:String + 1021 /opt/local//lib/ruby/gems/1.8/specifications/heel-0.2.0.gemspec:14:String + 951 /opt/local//lib/ruby/site_ruby/1.8/rubygems/version.rb:111:String + 935 /opt/local//lib/ruby/site_ruby/1.8/rubygems/specification.rb:557:String + 834 /opt/local//lib/ruby/site_ruby/1.8/rubygems/version.rb:146:Array + ... +
This way you can find where you application is leaking memory and fix it.
If BleakHouse doesn't report any heap growth but you still have memory growth, you might have a broken C extension, or real leak in the interpreter, try using Valgrind.
Valgrind is a Linux (only works on Linux) application for detecting C-based memory leaks and race conditions.
There are Valgrind tools that can automatically detect many memory management and threading bugs, and profile your programs in detail. For example, a C extension in the interpreter calls malloc() but is doesn't properly call free(), this memory won't be available until the app terminates.
For further information on how to install and using with Ruby, refer to the Valgrind and Ruby Evan Weaver's article.
To make life easier Rails offer plugins, some of them will help you to find errors and debug your application. Here is a list of useful plugins for debugging:
+Footnotes: Every Rails page has footnotes that link give request information and link back to your source via TextMate. +
++Query Trace: Adds query origin tracing to your logs. +
++Query Stats: A Rails plugin to track database queries. +
++Query Reviewer: This rails plugin not only runs "EXPLAIN" before each of your select queries in development, but provides a small DIV in the rendered output of each page with the summary of query warnings that it analyzed. +
++Exception Notifier: Provides a mailer object and a default set of templates for sending email notifications when errors occur in a Rails application. +
++Exception Logger: Logs your Rails exceptions in the database and provides a funky web interface to manage them. +
++November 3, 2008: Added RJS, memory leaks and plugins chapters by Emilio Tagua +
+October 19, 2008: Copy editing pass by Mike Gunderloy
rake db:rollback STEP=3
will run the down method fron the last 3 migrations.
will run the down method from the last 3 migrations.
The db:migrate:redo task is a shortcut for doing a rollback and then migrating back up again. As with the db:rollback task you can use the STEP parameter if you need to go more than one version back, for example
@posts = Post.find(:all) (rdb:7)
Now it's time to play and dig into your application. A good place to start is by asking the debugger for help… so type: help (You didn't see that coming, right?)
Now it's time to explore and dig into your application. A good place to start is by asking the debugger for help… so type: help (You didn't see that coming, right?)
(rdb:7) help @@ -1021,17 +1021,17 @@ set listsize 25
A Ruby application (on Rails or not), can leak memory whether in the Ruby code but also in the C code.
In this section, you will learn how to find and fix this leaks by using Bleak House and Valgrind debugging tools.
Bleak House is a library for finding memory leaks.
If a Ruby object does not go out of scope, the Ruby Garbage Collector won't sweep it since it is referenced somewhere, this leaks can grow slowly and your application will consume more and more memory gradually affecting the overall system performance. This tool will help you find leaks on the Ruby heap.
A Ruby application (on Rails or not), can leak memory - either in the Ruby code or at the C code level.
In this section, you will learn how to find and fix such leaks by using Bleak House and Valgrind debugging tools.
BleakHouse is a library for finding memory leaks.
If a Ruby object does not go out of scope, the Ruby Garbage Collector won't sweep it since it is referenced somewhere. Leaks like this can grow slowly and your application will consume more and more memory, gradually affecting the overall system performance. This tool will help you find leaks on the Ruby heap.
To install it run:
sudo gem install bleak_house
Then setup you application for profiling, add the following at the bottom of config/environment.rb:
Then setup you application for profiling. Then add the following at the bottom of config/environment.rb:
require 'bleak_house' if ENV['BLEAK_HOUSE']
Start a server instance with Bleak House integration:
Start a server instance with BleakHouse integration:
RAILS_ENV=production BLEAK_HOUSE=1 ruby-bleak-house ./script/server
Make sure to run a couple hundred requests to get better data samples, hit CTRL-C. The server will stop and Bleak House will produce a dumpfile in /tmp:
Make sure to run a couple hundred requests to get better data samples, then press CTRL-C. The server will stop and Bleak House will produce a dumpfile in /tmp:
This way you can find where you application is leaking memory and fix it.
If BleakHouse doesn't report any heap growth but you still have memory growth, you might have a broken C extension, or real leak in the interpreter, try using Valgrind.
This way you can find where your application is leaking memory and fix it.
If BleakHouse doesn't report any heap growth but you still have memory growth, you might have a broken C extension, or real leak in the interpreter. In that case, try using Valgrind to investigate further.
Valgrind is a Linux (only works on Linux) application for detecting C-based memory leaks and race conditions.
Valgrind is a Linux-only application for detecting C-based memory leaks and race conditions.
There are Valgrind tools that can automatically detect many memory management and threading bugs, and profile your programs in detail. For example, a C extension in the interpreter calls malloc() but is doesn't properly call free(), this memory won't be available until the app terminates.
For further information on how to install and using with Ruby, refer to the Valgrind and Ruby Evan Weaver's article.
For further information on how to install Valgrind and use with Ruby, refer to Valgrind and Ruby by Evan Weaver.
To make life easier Rails offer plugins, some of them will help you to find errors and debug your application. Here is a list of useful plugins for debugging:
There are some Rails plugins to help you to find errors and debug your application. Here is a list of useful plugins for debugging:
@@ -1101,7 +1101,7 @@ http://www.gnu.org/software/src-highlite -->
-Query Reviewer: This rails plugin not only runs "EXPLAIN" before each of your select queries in development, but provides a small DIV in the rendered output of each page with the summary of query warnings that it analyzed. +Query Reviewer: This rails plugin not only runs "EXPLAIN" before each of your select queries in development, but provides a small DIV in the rendered output of each page with the summary of warnings for each query that it analyzed.
-November 3, 2008: Added RJS, memory leaks and plugins chapters by Emilio Tagua +November 3, 2008: Accepted for publication. Added RJS, memory leaks and plugins chapters by Emilio Tagua
Here's an example of the log generated by this method:
Processing PostsController#create (for 127.0.0.1 at 2008-09-08 11:52:54) [POST] ++Processing PostsController#create (for 127.0.0.1 at 2008-09-08 11:52:54) [POST] Session ID: BAh7BzoMY3NyZl9pZCIlMDY5MWU1M2I1ZDRjODBlMzkyMWI1OTg2NWQyNzViZjYiCmZsYXNoSUM6J0FjdGl vbkNvbnRyb2xsZXI6OkZsYXNoOjpGbGFzaEhhc2h7AAY6CkB1c2VkewA=--b18cd92fba90eacf8137e5f6b3b06c4d724596a4 Parameters: {"commit"=>"Create", "post"=>{"title"=>"Debugging Rails", @@ -547,8 +535,8 @@ Post should be valid: true 'I''m learning how to print in logs!!!', 'f', '2008-09-08 14:52:54') The post was saved and now is the user is going to be redirected... Redirected to #<Post:0x20af760> -Completed in 0.01224 (81 reqs/sec) | DB: 0.00044 (3%) | 302 Found [http://localhost/posts] -
Adding extra logging like this makes it easy to search for unexpected or unusual behavior in your logs. If you add extra logging, be sure to make sensible use of log levels, to avoid filling your production logs with useless trivia.
If you see the message in the console or logs:
***** Debugger requested, but was not available: Start server with --debugger to enable ***** -
***** Debugger requested, but was not available: Start server with --debugger to enable *****+
Make sure you have started your web server with the option —debugger:
set autolist set forcestep -set listsize 25 -
Make sure to run a couple hundred requests to get better data samples, then press CTRL-C. The server will stop and Bleak House will produce a dumpfile in /tmp:
** BleakHouse: working... ** BleakHouse: complete -** Bleakhouse: run 'bleak /tmp/bleak.5979.0.dump' to analyze. -
To analyze it, just run the listed command. The top 20 leakiest lines will be listed:
191691 total objects Final heap size 191691 filled, 220961 free Displaying top 20 most common line/class pairs @@ -1071,8 +1047,8 @@ http://www.gnu.org/software/src-highlite --> 951 /opt/local//lib/ruby/site_ruby/1.8/rubygems/version.rb:111:String 935 /opt/local//lib/ruby/site_ruby/1.8/rubygems/specification.rb:557:String 834 /opt/local//lib/ruby/site_ruby/1.8/rubygems/version.rb:146:Array - ... -
This way you can find where your application is leaking memory and fix it.
If BleakHouse doesn't report any heap growth but you still have memory growth, you might have a broken C extension, or real leak in the interpreter. In that case, try using Valgrind to investigate further.
SELECT * FROM +clients+ WHERE (+clients+.+id+ IN (1,2))
>> Client.find(1,2) => [#<Client id: 1, name: => "Ryan", locked: false, orders_count: 2, created_at: "2008-09-28 15:38:50", updated_at: "2008-09-28 15:38:50">, #<Client id: 2, name: => "Michael", locked: false, orders_count: 3, - created_at: "2008-09-28 13:12:40", updated_at: "2008-09-28 13:12:40">] -
Note that if you pass in a list of numbers that the result will be returned as an array, not as a single Client object.
If you wanted to find the first client you would simply type Client.first and that would find the first client created in your clients table:
>> Client.first => #<Client id: 1, name: => "Ryan", locked: false, orders_count: 2, - created_at: "2008-09-28 15:38:50", updated_at: "2008-09-28 15:38:50"> -
If you were running script/server you might see the following output:
Indicating the query that Rails has performed on your database.
To find the last client you would simply type Client.find(:last) and that would find the last client created in your clients table:
>> Client.find(:last) => #<Client id: 2, name: => "Michael", locked: false, orders_count: 3, - created_at: "2008-09-28 13:12:40", updated_at: "2008-09-28 13:12:40"> -
To find all the clients you would simply type Client.all and that would find all the clients in your clients table:
>> Client.all => [#<Client id: 1, name: => "Ryan", locked: false, orders_count: 2, created_at: "2008-09-28 15:38:50", updated_at: "2008-09-28 15:38:50">, #<Client id: 2, name: => "Michael", locked: false, orders_count: 3, - created_at: "2008-09-28 13:12:40", updated_at: "2008-09-28 13:12:40">] -
As alternatives to calling Client.first, Client.last, and Client.all, you can use the class methods Client.first, Client.last, and Client.all instead. Client.first, Client.last and Client.all just call their longer counterparts: Client.find(:first), Client.find(:last) and Client.find(:all) respectively.
Be aware that Client.first/Client.find(:first) and Client.last/Client.find(:last) will both return a single object, where as Client.all/Client.find(:all) will return an array of Client objects, just as passing in an array of ids to find will do also.
This could possibly cause your database server to raise an unexpected error, for example MySQL will throw back this error:
Got a packet bigger than 'max_allowed_packet' bytes: _query_ -
Got a packet bigger than 'max_allowed_packet' bytes: _query_+
Where query is the actual query used to get that error.
In this example it would be better to use greater-than and less-than operators in SQL, like so:
Fixtures can also be described using the all-too-familiar comma-separated value (CSV) file format. These files, just like YAML fixtures, are placed in the test/fixtures directory, but these end with the .csv file extension (as in celebrity_holiday_figures.csv).
A CSV fixture looks like this:
id, username, password, stretchable, comments 1, sclaus, ihatekids, false, I like to say ""Ho! Ho! Ho!"" 2, ebunny, ihateeggs, true, Hoppity hop y'all -3, tfairy, ilovecavities, true, "Pull your teeth, I will" -
The first line is the header. It is a comma-separated list of fields. The rest of the file is the payload: 1 record per line. A few notes about this format:
In Rails, unit tests are what you write to test your models.
When you create a model using script/generate, among other things it creates a test stub in the test/unit folder, as well as a fixture for the model:
$ script/generate model Post ... create app/models/post.rb create test/unit/post_test.rb create test/fixtures/posts.yml -... -
The default test stub in test/unit/post_test.rb looks like this:
$ ruby unit/post_test.rb -n test_truth Loaded suite unit/post_test @@ -648,8 +639,8 @@ Started . Finished in 0.023513 seconds. -1 tests, 1 assertions, 0 failures, 0 errors -
The . (dot) above indicates a passing test. When a test fails you see an F; when a test throws an error you see an E in its place. The last line of the output is the summary.
To see how a test failure is reported, you can add a failing test to the post_test.rb test case:
If you haven't added any data to the test fixture for posts, this test will fail. You can see this by running it:
$ ruby unit/post_test.rb Loaded suite unit/post_test Started @@ -681,8 +669,8 @@ test_should_have_atleast_one_post(PostTest) /opt/local/lib/ruby/gems/1.8/gems/activesupport-2.1.1/lib/active_support/testing/setup_and_teardown.rb:33:in `run']: <nil> expected to not be nil. -2 tests, 2 assertions, 1 failures, 0 errors -
In the output, F denotes a failure. You can see the corresponding trace shown under 1) along with the name of the failing test. The next few lines contain the stack trace followed by a message which mentions the actual value and the expected value by the assertion. The default assertion messages provide just enough information to help pinpoint the error. To make the assertion failure message more readable every assertion provides an optional message parameter, as shown here:
Running this test shows the friendlier assertion message:
$ ruby unit/post_test.rb Loaded suite unit/post_test Started @@ -714,8 +699,8 @@ test_should_have_atleast_one_post(PostTest) Should not be nil as Posts table should have atleast one post. <nil> expected to not be nil. -2 tests, 2 assertions, 1 failures, 0 errors -
To see how an error gets reported, here's a test containing an error:
Now you can see even more output in the console from running the tests:
$ ruby unit/post_test.rb Loaded suite unit/post_test Started @@ -756,8 +738,8 @@ NameError: undefined local variable or method `some_undefined_variable' for #< /opt/local/lib/ruby/gems/1.8/gems/activesupport-2.1.1/lib/active_support/testing/setup_and_teardown.rb:33:in `__send__' /opt/local/lib/ruby/gems/1.8/gems/activesupport-2.1.1/lib/active_support/testing/setup_and_teardown.rb:33:in `run' -3 tests, 2 assertions, 1 failures, 1 errors -
Notice the E in the output. It denotes a test with error.
+![]() |
+For more details on the routing process, see Rails Routing from the Outside In. | +
A controller is a Ruby class which inherits from ActionController::Base and has methods just like any other class. Usually these methods correspond to actions in MVC, but they can just as well be helpful methods which can be called by actions. When your application receives a request, the routing will determine which controller and action to run. Then an instance of that controller will be created and the method corresponding to the action (the method with the same name as the action) gets run.
A controller is a Ruby class which inherits from ApplicationController and has methods just like any other class. Usually these methods correspond to actions in MVC, but they can just as well be helpful methods which can be called by actions. When your application receives a request, the routing will determine which controller and action to run. Then Rails creates an instance of that controller and runs the method corresponding to the action (the method with the same name as the action).
class ClientsController < ActionController::Base +class ClientsController < ApplicationController # Actions are public methods def new @@ -321,7 +374,7 @@ private end
Private methods in a controller are also used as filters, which will be covered later in this guide.
As an example, if the user goes to /clients/new in your application to add a new client, a ClientsController instance will be created and the new method will be run. Note that the empty method from the example above could work just fine because Rails will by default render the new.html.erb view unless the action says otherwise. The new method could make available to the view a @client instance variable by creating a new Client:
As an example, if the user goes to /clients/new in your application to add a new client, Rails will create a ClientsController instance will be created and run the new method. Note that the empty method from the example above could work just fine because Rails will by default render the new.html.erb view unless the action says otherwise. The new method could make available to the view a @client instance variable by creating a new Client:
The Layouts & rendering guide explains this in more detail.
ApplicationController inherits from ActionController::Base, which defines a number of helpful methods. This guide will cover some of these, but if you're curious to see what's in there, you can see all of them in the API documentation or in the source itself.
You will probably want to access data sent in by the user or other parameters in your controller actions. There are two kinds of parameters possible in a web application. The first are parameters that are sent as part of the URL, query string parameters. The query string is everything after "?" in the URL. The second type of parameter is usually referred to as POST data. This information usually comes from a HTML form which has been filled in by the user. It's called POST data because it can only be sent as part of an HTTP POST request. Rails does not make any distinction between query string parameters and POST parameters, and both are available in the params hash in your controller:
You will probably want to access data sent in by the user or other parameters in your controller actions. There are two kinds of parameters possible in a web application. The first are parameters that are sent as part of the URL, called query string parameters. The query string is everything after "?" in the URL. The second type of parameter is usually referred to as POST data. This information usually comes from a HTML form which has been filled in by the user. It's called POST data because it can only be sent as part of an HTTP POST request. Rails does not make any distinction between query string parameters and POST parameters, and both are available in the params hash in your controller:
class ClientsController < ActionController::Base - # This action uses query string parameters because it gets run by a HTTP GET request, - # but this does not make any difference to the way in which the parameters are accessed. - # The URL for this action would look like this in order to list activated clients: /clients?status=activated + # This action uses query string parameters because it gets run by a HTTP + # GET request, but this does not make any difference to the way in which + # the parameters are accessed. The URL for this action would look like this + # in order to list activated clients: /clients?status=activated def index if params[:status] = "activated" @clients = Client.activated @@ -370,11 +425,11 @@ http://www.gnu.org/software/src-highlite --> end
The params hash is not limited to one-dimensional keys and values. It can contain arrays and (nested) hashes. To send an array of values, append "[]" to the key name:
GET /clients?ids[]=1&ids[2]&ids[]=3+
GET /clients?ids[]=1&ids[]=2&ids[]=3
The value of params[:ids] will now be ["1", "2", "3"]. Note that parameter values are always strings; Rails makes no attempt to guess or cast the type.
To send a hash you include the key name inside the brackets:
The value of params[:client] when this form is submitted will be {:name ⇒ "Acme", :phone ⇒ "12345", :address ⇒ {:postcode ⇒ "12345", :city ⇒ "Carrot City"}}. Note the nested hash in params[:client][:address].
The params hash will always contain the :controller and :action keys, but you should use the methods controller_name and action_name instead to access these values. Any other parameters defined by the routing, such as :id will also be available.
The params hash will always contain the :controller and :action keys, but you should use the methods controller_name and action_name instead to access these values. Any other parameters defined by the routing, such as :id will also be available. As an example, consider a listing of clients where the list can show either active or inactive clients. We can add a route which captures the :status parameter in a "pretty" URL:
# ... +map.connect "/clients/:status", :controller => "clients", :action => "index", :foo => "bar" +# ... +
In this case, when a user opens the URL /clients/active, params[:status] will be set to "active". When this route is used, params[:foo] will also be set to "bar" just like it was passed in the query string in the same way params[:action] will contain "index".
You can set global default parameters that will be used when generating URLs with default_url_options. To do this, define a method with that name in your controller:
class ApplicationController < ActionController::Base + + #The options parameter is the hash passed in to url_for + def default_url_options(options) + {:locale => I18n.locale} + end + +end+
These options will be used as a starting-point when generating, so it's possible they'll be overridden by url_for. Because this method is defined in the controller, you can define it on ApplicationController so it would be used for all URL generation, or you could define it on only one controller for all URLs generated there.
All session stores store the session id in a cookie - there is no other way of passing it to the server. Most stores also use this key to locate the session data on the server.
The default and recommended store, the Cookie Store, does not store session data on the server, but in the cookie itself. The data is cryptographically signed to make it tamper-proof, but it is not encrypted, so anyone with access to it can read its contents. It can only store about 4kB of data - much less than the others - but this is usually enough. Storing large amounts of data is discouraged no matter which session store your application uses. Expecially discouraged is storing complex objects (anything other than basic Ruby objects, the primary example being model instances) in the session, as the server might not be able to reassemble them between requests, which will result in an error. The Cookie Store has the added advantage that it does not require any setting up beforehand - Rails will generate a "secret key" which will be used to sign the cookie when you create the application.
All session stores store either the session ID or the entire session in a cookie - Rails does not allow the session ID to be passed in any other way. Most stores also use this key to locate the session data on the server.
The default and recommended store, the Cookie Store, does not store session data on the server, but in the cookie itself. The data is cryptographically signed to make it tamper-proof, but it is not encrypted, so anyone with access to it can read its contents but not edit it. It can only store about 4kB of data - much less than the others - but this is usually enough. Storing large amounts of data is discouraged no matter which session store your application uses. You should especially avoid storing complex objects (anything other than basic Ruby objects, the primary example being model instances) in the session, as the server might not be able to reassemble them between requests, which will result in an error. The Cookie Store has the added advantage that it does not require any setting up beforehand - Rails will generate a "secret key" which will be used to sign the cookie when you create the application.
Read more about session storage in the Security Guide.
If you need a different session storage mechanism, you can change it in the config/environment.rb file:
# Set to one of [:active_record_store, :drb_store, :mem_cache_store, :cookie_store] config.action_controller.session_store = :active_record_store
Sometimes you don't need a session, and you can turn it off to avoid the unnecessary overhead. To do this, use the session class method in your controller:
Sometimes you don't need a session. In this case, you can turn it off to avoid the unnecessary overhead. To do this, use the session class method in your controller:
Or even a single action:
Or even for specified actions:
In your controller you can access the session through the session instance method.
![]() |
-Be careful when using (or just don't use) "outside" data (params, cookies, etc) to locate the file on disk, as this is a security risk as someone could gain access to files they are not meant to have access to. | +Be careful when using (or just don't use) "outside" data (params, cookies, etc) to locate the file on disk, as this is a security risk that might allow someone to gain access to files they are not meant to see. |
While send_data works just fine, if you are creating a RESTful application having separate actions for file downloads is usually not necessary. In REST terminology, the PDF file from the example above can be considered just another representation of the client resource. Rails provides an easy and quite sleek way of doing "RESTful downloads". Let's try to rewrite the example so that the PDF download is a part of the show action:
While send_data works just fine, if you are creating a RESTful application having separate actions for file downloads is usually not necessary. In REST terminology, the PDF file from the example above can be considered just another representation of the client resource. Rails provides an easy and quite sleek way of doing "RESTful downloads". Here's how you can rewrite the example so that the PDF download is a part of the show action, without any streaming:
In order for this example to work, we have to add the PDF MIME type to Rails. This can be done by adding the following line to the file config/initializers/mime_types.rb:
In order for this example to work, you have to add the PDF MIME type to Rails. This can be done by adding the following line to the file config/initializers/mime_types.rb:
GET /clients/1.pdf
Rails keeps a log file for each environment (development, test and production) in the "log" folder. These are extremely useful when debugging what's actually going on in your application, but in a live application you may not want every bit of information to be stored in the log file. The filter_parameter_logging method can be used to filter out sensitive information from the log. It works by replacing certain values in the params hash with "[FILTERED]" as they are written to the log. As an example, let's see how to filter all parameters with keys that include "password":
Rails keeps a log file for each environment (development, test and production) in the "log" folder. These are extremely useful when debugging what's actually going on in your application, but in a live application you may not want every bit of information to be stored in the log file. The filter_parameter_logging method can be used to filter out sensitive information from the log. It works by replacing certain values in the params hash with "[FILTERED]" as they are written to the log. As an example, let's see how to filter all parameters with keys that include "password":
The method works recursively through all levels of the params hash and takes an optional second parameter which is used as the replacement string if present. It can also take a block which receives each key in return and replaces those for which the block returns true.
Most likely your application is going to contain bugs or otherwise throw an exception that needs to be handled. For example, if the user follows a link to a resource that no longer exists in the database, Active Record will throw the ActiveRecord::RecordNotFound exception. Rails' default exception handling displays a 500 Server Error message for all exceptions. If the request was made locally, a nice traceback and some added information gets displayed so you can figure out what went wrong and deal with it. If the request was remote Rails will just display a simple "500 Server Error" message to the user, or a "404 Not Found" if there was a routing error or a record could not be found. Sometimes you might want to customize how these errors are caught and how they're displayed to the user. There are several levels of exception handling available in a Rails application:
By default a production application will render either a 404 or a 500 error message. These messages are contained in static HTML files in the public folder, in 404.html and 500.html respectively. You can customize these files to add some extra information and layout, but remember that they are static; i.e. you can't use RHTML or layouts in them, just plain HTML.
If you want to do something a bit more elaborate when catching errors, you can use rescue_from, which handles exceptions of a certain type (or multiple types) in an entire controller and its subclasses. When an exception occurs which is caught by a rescue_from directive, the exception object is passed to the handler. The handler can be a method or a Proc object passed to the :with option. You can also use a block directly instead of an explicit Proc object.
Let's see how we can use rescue_from to intercept all ActiveRecord::RecordNotFound errors and do something with them.
If you want to do something a bit more elaborate when catching errors, you can use rescue_from, which handles exceptions of a certain type (or multiple types) in an entire controller and its subclasses. When an exception occurs which is caught by a rescue_from directive, the exception object is passed to the handler. The handler can be a method or a Proc object passed to the :with option. You can also use a block directly instead of an explicit Proc object.
Here's how you can use rescue_from to intercept all ActiveRecord::RecordNotFound errors and do something with them.
class Person < ActiveRecord::Base +end +
We can see how it works by looking at the following script/console output:
>> p = Person.new(:name => "John Doe", :birthdate => Date.parse("09/03/1979")) +=> #<Person id: nil, name: "John Doe", birthdate: "1979-09-03", created_at: nil, updated_at: nil> +>> p.new_record? +=> true +>> p.save +=> true +>> p.new_record? +=> false+
Saving new records means sending an SQL insert operation to the database, while saving existing records (by calling either save, update_attribute or update_attributes) will result in a SQL update operation. Active Record will use this facts to perform validations upon your objects, avoiding then to be recorded to the database if their inner state is invalid in some way. You can specify validations that will be beformed every time a object is saved, just when you're creating a new record or when you're updating an existing one.
For verifying if an object is valid, Active Record uses the valid? method, which basically looks inside the object to see if it has any validation errors. These errors live in a collection that can be accessed through the errors instance method. The proccess is really simple: If the errors method returns an empty collection, the object is valid and can be saved. Each time a validation fails, an error message is added to the errors collection.
Active Record offers many pre-defined validation helpers that you can use directly inside your class definitions. These helpers create validations rules that are commonly used in most of the applications that you'll write, so you don't need to recreate it everytime, avoiding code duplication, keeping everything organized and boosting your productivity. Everytime a validation fails, an error message is added to the object's errors collection, this message being associated with the field being validated.
All these helpers accept the :on and :message options, which define when the validation should be applied and what message should be added to the errors collection when it fails, respectively. The :on option takes one the values :save (it's the default), :create or :update. There is a default error message for each one of the validation helpers. These messages are used when the :message option isn't used. Let's take a look at each one of the available helpers, listed in alphabetic order.
Validates that a checkbox has been checked for agreement purposes. It's normally used when the user needs to agree with your application's terms of service, confirm reading some clauses or any similar concept. This validation is very specific to web applications and actually this acceptance does not need to be recorded anywhere in your database (if you don't have a field for it, the helper will just create a virtual attribute).
class Person < ActiveRecord::Base + validates_acceptance_of :terms_of_service +end +
The default error message for validates_acceptance_of is "must be accepted"
validates_acceptance_of can receive an :accept option, which determines the value that will be considered acceptance. It defaults to "1", but you can change it.
class Person < ActiveRecord::Base + validates_acceptance_of :terms_of_service, :accept => 'yes' +end +
There are two kinds of Active Record objects: those that correspond to a row inside your database and those who do not. When you create a fresh object, using the new method, that object does not belong to the database yet. Once you call save upon that object it'll be recorded to it's table. Active Record uses the new_record? instance method to discover if an object is already in the database or not. Saving new records means sending an SQL insert operation to the database, while saving existing records (by calling either save, update_attribute or update_attributes) will result in a SQL update operation. Active Record will use this facts to perform validations upon your objects, avoiding then to be recorded to the database if their inner state is invalid in some way. You can specify validations that will be beformed every time a object is saved, just when you're creating a new record or when you're updating an existing one.
You should use this helper when your model has associations with other models and they also need to be validated. When you try to save your object, valid? will be called upon each one of the associated objects.
class Library < ActiveRecord::Base + has_many :books + validates_associated :books +end +
This validation will work with all the association types.
+![]() |
+Pay attention not to use validates_associated on both ends of your associations, because this will lead to several recursive calls and blow up the method calls' stack. | +
The default error message for validates_associated is "is invalid". Note that the errors for each failed validation in the associated objects will be set there and not in this model.
The default error message for validates_associated is "is invalid". Note that the errors for each failed validation in the associated objects will be set there and not in this model.
You should use this helper when you have two text fields that should receive exactly the same content, like when you want to confirm an email address or password. This validation creates a virtual attribute, using the name of the field that has to be confirmed with _confirmation appended.
class Person < ActiveRecord::Base + validates_confirmation_of :email +end +
In your view template you could use something like
<%= text_field :person, :email %> +<%= text_field :person, :email_confirmation %>+
The default error message for validates_confirmation_of is "doesn't match confirmation"
<%= text_field :person, :email %> <%= text_field :person, :email_confirmation %>+
+![]() |
+This check is performed only if email_confirmation is not nil, and by default only on save. To require confirmation, make sure to add a presence check for the confirmation attribute: | +
class Person < ActiveRecord::Base + validates_confirmation_of :email + validates_presence_of :email_confirmation +end +
The default error message for validates_confirmation_of is "doesn't match confirmation"
Active Record offers many pre-defined validation helpers that you can use directly inside your class definitions. These helpers create validations rules that are commonly used in most of the applications that you'll write, so you don't need to recreate it everytime, avoiding code duplication, keeping everything organized and boosting your productivity. Everytime a validation fails, an error message is added to the object's errors collection, this message being associated with the field being validated.
Each helper accepts an arbitrary number of attributes, received as symbols, so with a single line of code you can add the same kind of validation to several attributes.
All these helpers accept the :on and :message options, which define when the validation should be applied and what message should be added to the errors collection when it fails, respectively. The :on option takes one the values :save (it's the default), :create or :update. There is a default error message for each one of the validation helpers. These messages are used when the :message option isn't used. Let's take a look at each one of the available helpers, listed in alphabetic order.
Validates that a checkbox has been checked for agreement purposes. It's normally used when the user needs to agree with your application's terms of service, confirm reading some clauses or any similar concept. This validation is very specific to web applications and actually this acceptance does not need to be recorded anywhere in your database (if you don't have a field for it, the helper will just create a virtual attribute).
On the controller side, there are a couple of changes that will help tidy up your routes.
Shallow route nesting provides a solution to the well-known difficulty of using deeply-nested resources. With shallow nesting, you need only supply enough information to uniquely identify the resource that you want to work with - but you can supply more information.
Shallow route nesting provides a solution to the well-known difficulty of using deeply-nested resources. With shallow nesting, you need only supply enough information to uniquely identify the resource that you want to work with.
This guide covers the configuration and initialization features available to Rails applications. By referring to this guide, you will be able to:
+Adjust the behavior of your Rails applications +
++Add additional code to be run at application start time +
+preinitializers +environment.rb first +env-specific files +initializers (load_application_initializers) +after-initializer
organization, controlling load order+
+November 5, 2008: Rough outline by Mike Gunderloy +
+actionmailer/lib/action_mailer/base.rb +257: cattr_accessor :logger +267: cattr_accessor :smtp_settings +273: cattr_accessor :sendmail_settings +276: cattr_accessor :raise_delivery_errors +282: cattr_accessor :perform_deliveries +285: cattr_accessor :deliveries +288: cattr_accessor :default_charset +291: cattr_accessor :default_content_type +294: cattr_accessor :default_mime_version +297: cattr_accessor :default_implicit_parts_order +299: cattr_reader :protected_instance_variables
actionmailer/Rakefile +36: rdoc.options << —line-numbers << —inline-source << -A cattr_accessor=object
actionpack/lib/action_controller/base.rb +263: cattr_reader :protected_instance_variables +273: cattr_accessor :asset_host +279: cattr_accessor :consider_all_requests_local +285: cattr_accessor :allow_concurrency +317: cattr_accessor :param_parsers +321: cattr_accessor :default_charset +325: cattr_accessor :logger +329: cattr_accessor :resource_action_separator +333: cattr_accessor :resources_path_names +337: cattr_accessor :request_forgery_protection_token +341: cattr_accessor :optimise_named_routes +351: cattr_accessor :use_accept_header +361: cattr_accessor :relative_url_root
actionpack/lib/action_controller/caching/pages.rb +55: cattr_accessor :page_cache_directory +58: cattr_accessor :page_cache_extension
actionpack/lib/action_controller/caching.rb +37: cattr_reader :cache_store +48: cattr_accessor :perform_caching
actionpack/lib/action_controller/dispatcher.rb +98: cattr_accessor :error_file_path
actionpack/lib/action_controller/mime_type.rb +24: cattr_reader :html_types, :unverifiable_types
actionpack/lib/action_controller/rescue.rb +36: base.cattr_accessor :rescue_responses +40: base.cattr_accessor :rescue_templates
actionpack/lib/action_controller/session/active_record_store.rb +60: cattr_accessor :data_column_name +170: cattr_accessor :connection +173: cattr_accessor :table_name +177: cattr_accessor :session_id_column +181: cattr_accessor :data_column +282: cattr_accessor :session_class
actionpack/lib/action_controller/vendor/html-scanner/html/sanitizer.rb +44: cattr_accessor :included_tags, :instance_writer ⇒ false
actionpack/lib/action_view/base.rb +189: cattr_accessor :debug_rjs +193: cattr_accessor :warn_cache_misses
actionpack/lib/action_view/helpers/active_record_helper.rb +7: cattr_accessor :field_error_proc
actionpack/lib/action_view/helpers/form_helper.rb +805: cattr_accessor :default_form_builder
actionpack/lib/action_view/template_handlers/erb.rb +47: cattr_accessor :erb_trim_mode
actionpack/test/active_record_unit.rb +5: cattr_accessor :able_to_connect +6: cattr_accessor :connected
actionpack/test/controller/filters_test.rb +286: cattr_accessor :execution_log
actionpack/test/template/form_options_helper_test.rb +3:TZInfo::Timezone.cattr_reader :loaded_zones
activemodel/lib/active_model/errors.rb +28: cattr_accessor :default_error_messages
activemodel/Rakefile +19: rdoc.options << —line-numbers << —inline-source << -A cattr_accessor=object
activerecord/lib/active_record/attribute_methods.rb +9: base.cattr_accessor :attribute_types_cached_by_default, :instance_writer ⇒ false +11: base.cattr_accessor :time_zone_aware_attributes, :instance_writer ⇒ false
activerecord/lib/active_record/base.rb +394: cattr_accessor :logger, :instance_writer ⇒ false +443: cattr_accessor :configurations, :instance_writer ⇒ false +450: cattr_accessor :primary_key_prefix_type, :instance_writer ⇒ false +456: cattr_accessor :table_name_prefix, :instance_writer ⇒ false +461: cattr_accessor :table_name_suffix, :instance_writer ⇒ false +467: cattr_accessor :pluralize_table_names, :instance_writer ⇒ false +473: cattr_accessor :colorize_logging, :instance_writer ⇒ false +478: cattr_accessor :default_timezone, :instance_writer ⇒ false +487: cattr_accessor :schema_format , :instance_writer ⇒ false +491: cattr_accessor :timestamped_migrations , :instance_writer ⇒ false
activerecord/lib/active_record/connection_adapters/abstract/connection_specification.rb +11: cattr_accessor :connection_handler, :instance_writer ⇒ false
activerecord/lib/active_record/connection_adapters/mysql_adapter.rb +166: cattr_accessor :emulate_booleans
activerecord/lib/active_record/fixtures.rb +498: cattr_accessor :all_loaded_fixtures
activerecord/lib/active_record/locking/optimistic.rb +38: base.cattr_accessor :lock_optimistically, :instance_writer ⇒ false
activerecord/lib/active_record/migration.rb +259: cattr_accessor :verbose
activerecord/lib/active_record/schema_dumper.rb +13: cattr_accessor :ignore_tables
activerecord/lib/active_record/serializers/json_serializer.rb +4: base.cattr_accessor :include_root_in_json, :instance_writer ⇒ false
activerecord/Rakefile +142: rdoc.options << —line-numbers << —inline-source << -A cattr_accessor=object
activerecord/test/cases/lifecycle_test.rb +61: cattr_reader :last_inherited
activerecord/test/cases/mixin_test.rb +9: cattr_accessor :forced_now_time
activeresource/lib/active_resource/base.rb +206: cattr_accessor :logger
activeresource/Rakefile +43: rdoc.options << —line-numbers << —inline-source << -A cattr_accessor=object
activesupport/lib/active_support/buffered_logger.rb +17: cattr_accessor :silencer
activesupport/lib/active_support/cache.rb +81: cattr_accessor :logger
activesupport/lib/active_support/core_ext/class/attribute_accessors.rb +5:# cattr_accessor :hair_colors +10: def cattr_reader(*syms) +29: def cattr_writer(*syms) +50: def cattr_accessor(*syms) +51: cattr_reader(*syms) +52: cattr_writer(*syms)
activesupport/lib/active_support/core_ext/logger.rb +34: cattr_accessor :silencer
activesupport/test/core_ext/class/attribute_accessor_test.rb +6: cattr_accessor :foo +7: cattr_accessor :bar, :instance_writer ⇒ false
activesupport/test/core_ext/module/synchronization_test.rb +6: @target.cattr_accessor :mutex, :instance_writer ⇒ false
railties/doc/guides/html/creating_plugins.html +786: cattr_accessor <span style="color: #990000">:</span>yaffle_text_field<span style="color: #990000">,</span> <span style="color: #990000">:</span>yaffle_date_field +860: cattr_accessor <span style="color: #990000">:</span>yaffle_text_field<span style="color: #990000">,</span> <span style="color: #990000">:</span>yaffle_date_field
railties/lib/rails_generator/base.rb +93: cattr_accessor :logger
railties/Rakefile +265: rdoc.options << —line-numbers << —inline-source << —accessor << cattr_accessor=object
railties/test/rails_info_controller_test.rb +12: cattr_accessor :local_request
Rakefile +32: rdoc.options << -A cattr_accessor=object