generators.md 21.9 KB
Newer Older
1 2
Creating and Customizing Rails Generators & Templates
=====================================================
P
Pratik Naik 已提交
3

X
Xavier Noria 已提交
4
Rails generators are an essential tool if you plan to improve your workflow. With this guide you will learn how to create generators and customize existing ones.
P
Pratik Naik 已提交
5 6 7

In this guide you will:

8 9 10 11 12 13 14
* Learn how to see which generators are available in your application.
* Create a generator using templates.
* Learn how Rails searches for generators before invoking them.
* Customize your scaffold by creating new generators.
* Customize your scaffold by changing generator templates.
* Learn how to use fallbacks to avoid overwriting a huge set of generators.
* Learn how to create an application template.
P
Pratik Naik 已提交
15

16
--------------------------------------------------------------------------------
P
Pratik Naik 已提交
17

X
Xavier Noria 已提交
18
NOTE: This guide is about generators in Rails 3, previous versions are not covered.
P
Pratik Naik 已提交
19

20 21
First Contact
-------------
P
Pratik Naik 已提交
22

23
When you create an application using the `rails` command, you are in fact using a Rails generator. After that, you can get a list of all available generators by just invoking `rails generate`:
P
Pratik Naik 已提交
24

P
Prem Sichanugrist 已提交
25
```bash
26
$ rails new myapp
P
Pratik Naik 已提交
27
$ cd myapp
28
$ rails generate
29
```
P
Pratik Naik 已提交
30

31
You will get a list of all generators that comes with Rails. If you need a detailed description of the helper generator, for example, you can simply do:
P
Pratik Naik 已提交
32

P
Prem Sichanugrist 已提交
33
```bash
34
$ rails generate helper --help
35
```
P
Pratik Naik 已提交
36

37 38
Creating Your First Generator
-----------------------------
P
Pratik Naik 已提交
39

40
Since Rails 3.0, generators are built on top of [Thor](https://github.com/wycats/thor). Thor provides powerful options parsing and a great API for manipulating files. For instance, let's build a generator that creates an initializer file named `initializer.rb` inside `config/initializers`.
P
Pratik Naik 已提交
41

42
The first step is to create a file at `lib/generators/initializer_generator.rb` with the following content:
P
Pratik Naik 已提交
43

44
```ruby
P
Pratik Naik 已提交
45 46 47 48 49
class InitializerGenerator < Rails::Generators::Base
  def create_initializer_file
    create_file "config/initializers/initializer.rb", "# Add initialization content here"
  end
end
50
```
P
Pratik Naik 已提交
51

52
NOTE: `create_file` is a method provided by `Thor::Actions`. Documentation for `create_file` and other Thor methods can be found in [Thor's documentation](http://rdoc.info/github/wycats/thor/master/Thor/Actions.html)
53

54
Our new generator is quite simple: it inherits from `Rails::Generators::Base` and has one method definition. When a generator is invoked, each public method in the generator is executed sequentially in the order that it is defined. Finally, we invoke the `create_file` method that will create a file at the given destination with the given content. If you are familiar with the Rails Application Templates API, you'll feel right at home with the new generators API.
P
Pratik Naik 已提交
55 56 57

To invoke our new generator, we just need to do:

P
Prem Sichanugrist 已提交
58
```bash
59
$ rails generate initializer
60
```
P
Pratik Naik 已提交
61 62 63

Before we go on, let's see our brand new generator description:

P
Prem Sichanugrist 已提交
64
```bash
65
$ rails generate initializer --help
66
```
P
Pratik Naik 已提交
67

68
Rails is usually able to generate good descriptions if a generator is namespaced, as `ActiveRecord::Generators::ModelGenerator`, but not in this particular case. We can solve this problem in two ways. The first one is calling `desc` inside our generator:
P
Pratik Naik 已提交
69

70
```ruby
P
Pratik Naik 已提交
71 72 73 74 75 76
class InitializerGenerator < Rails::Generators::Base
  desc "This generator creates an initializer file at config/initializers"
  def create_initializer_file
    create_file "config/initializers/initializer.rb", "# Add initialization content here"
  end
end
77
```
P
Pratik Naik 已提交
78

79
Now we can see the new description by invoking `--help` on the new generator. The second way to add a description is by creating a file named `USAGE` in the same directory as our generator. We are going to do that in the next step.
P
Pratik Naik 已提交
80

81 82
Creating Generators with Generators
-----------------------------------
P
Pratik Naik 已提交
83

X
Xavier Noria 已提交
84
Generators themselves have a generator:
P
Pratik Naik 已提交
85

P
Prem Sichanugrist 已提交
86
```bash
87
$ rails generate generator initializer
P
Pratik Naik 已提交
88 89 90 91
      create  lib/generators/initializer
      create  lib/generators/initializer/initializer_generator.rb
      create  lib/generators/initializer/USAGE
      create  lib/generators/initializer/templates
92
```
P
Pratik Naik 已提交
93

X
Xavier Noria 已提交
94
This is the generator just created:
P
Pratik Naik 已提交
95

96
```ruby
P
Pratik Naik 已提交
97
class InitializerGenerator < Rails::Generators::NamedBase
J
José Valim 已提交
98
  source_root File.expand_path("../templates", __FILE__)
P
Pratik Naik 已提交
99
end
100
```
P
Pratik Naik 已提交
101

102
First, notice that we are inheriting from `Rails::Generators::NamedBase` instead of `Rails::Generators::Base`. This means that our generator expects at least one argument, which will be the name of the initializer, and will be available in our code in the variable `name`.
P
Pratik Naik 已提交
103 104 105

We can see that by invoking the description of this new generator (don't forget to delete the old generator file):

P
Prem Sichanugrist 已提交
106
```bash
107
$ rails generate initializer --help
P
Pratik Naik 已提交
108
Usage:
109
  rails generate initializer NAME [options]
110
```
P
Pratik Naik 已提交
111

112
We can also see that our new generator has a class method called `source_root`. This method points to where our generator templates will be placed, if any, and by default it points to the created directory `lib/generators/initializer/templates`.
X
Xavier Noria 已提交
113

114
In order to understand what a generator template means, let's create the file `lib/generators/initializer/templates/initializer.rb` with the following content:
P
Pratik Naik 已提交
115

116
```ruby
P
Pratik Naik 已提交
117
# Add initialization content here
118
```
P
Pratik Naik 已提交
119 120 121

And now let's change the generator to copy this template when invoked:

122
```ruby
P
Pratik Naik 已提交
123
class InitializerGenerator < Rails::Generators::NamedBase
J
José Valim 已提交
124
  source_root File.expand_path("../templates", __FILE__)
P
Pratik Naik 已提交
125 126 127 128 129

  def copy_initializer_file
    copy_file "initializer.rb", "config/initializers/#{file_name}.rb"
  end
end
130
```
P
Pratik Naik 已提交
131 132 133

And let's execute our generator:

P
Prem Sichanugrist 已提交
134
```bash
X
Xavier Noria 已提交
135
$ rails generate initializer core_extensions
136
```
P
Pratik Naik 已提交
137

138
We can see that now an initializer named core_extensions was created at `config/initializers/core_extensions.rb` with the contents of our template. That means that `copy_file` copied a file in our source root to the destination path we gave. The method `file_name` is automatically created when we inherit from `Rails::Generators::NamedBase`.
P
Pratik Naik 已提交
139

140
The methods that are available for generators are covered in the [final section](#generator-methods) of this guide.
141

142 143
Generators Lookup
-----------------
P
Pratik Naik 已提交
144

145
When you run `rails generate initializer core_extensions` Rails requires these files in turn until one is found:
P
Pratik Naik 已提交
146

P
Prem Sichanugrist 已提交
147
```bash
J
José Valim 已提交
148 149 150 151
rails/generators/initializer/initializer_generator.rb
generators/initializer/initializer_generator.rb
rails/generators/initializer_generator.rb
generators/initializer_generator.rb
152
```
P
Pratik Naik 已提交
153

X
Xavier Noria 已提交
154 155
If none is found you get an error message.

156
INFO: The examples above put files under the application's `lib` because said directory belongs to `$LOAD_PATH`.
P
Pratik Naik 已提交
157

158 159
Customizing Your Workflow
-------------------------
P
Pratik Naik 已提交
160

161
Rails own generators are flexible enough to let you customize scaffolding. They can be configured in `config/application.rb`, these are some defaults:
P
Pratik Naik 已提交
162

163
```ruby
P
Pratik Naik 已提交
164 165 166
config.generators do |g|
  g.orm             :active_record
  g.template_engine :erb
167
  g.test_framework  :test_unit, fixture: true
P
Pratik Naik 已提交
168
end
169
```
P
Pratik Naik 已提交
170

171
Before we customize our workflow, let's first see what our scaffold looks like:
P
Pratik Naik 已提交
172

P
Prem Sichanugrist 已提交
173
```bash
174
$ rails generate scaffold User name:string
P
Pratik Naik 已提交
175 176 177 178
      invoke  active_record
      create    db/migrate/20091120125558_create_users.rb
      create    app/models/user.rb
      invoke    test_unit
M
Mike Moore 已提交
179
      create      test/models/user_test.rb
P
Pratik Naik 已提交
180
      create      test/fixtures/users.yml
X
Xavier Noria 已提交
181
       route  resources :users
P
Pratik Naik 已提交
182 183 184 185 186 187 188 189 190 191
      invoke  scaffold_controller
      create    app/controllers/users_controller.rb
      invoke    erb
      create      app/views/users
      create      app/views/users/index.html.erb
      create      app/views/users/edit.html.erb
      create      app/views/users/show.html.erb
      create      app/views/users/new.html.erb
      create      app/views/users/_form.html.erb
      invoke    test_unit
M
Mike Moore 已提交
192
      create      test/controllers/users_controller_test.rb
P
Pratik Naik 已提交
193 194 195
      invoke    helper
      create      app/helpers/users_helper.rb
      invoke      test_unit
M
Mike Moore 已提交
196
      create        test/helpers/users_helper_test.rb
P
Pratik Naik 已提交
197
      invoke  stylesheets
198
      create    app/assets/stylesheets/scaffold.css
199
```
P
Pratik Naik 已提交
200

X
Xavier Noria 已提交
201
Looking at this output, it's easy to understand how generators work in Rails 3.0 and above. The scaffold generator doesn't actually generate anything, it just invokes others to do the work. This allows us to add/replace/remove any of those invocations. For instance, the scaffold generator invokes the scaffold_controller generator, which invokes erb, test_unit and helper generators. Since each generator has a single responsibility, they are easy to reuse, avoiding code duplication.
P
Pratik Naik 已提交
202

X
Xavier Noria 已提交
203
Our first customization on the workflow will be to stop generating stylesheets and test fixtures for scaffolds. We can achieve that by changing our configuration to the following:
P
Pratik Naik 已提交
204

205
```ruby
P
Pratik Naik 已提交
206 207 208
config.generators do |g|
  g.orm             :active_record
  g.template_engine :erb
209
  g.test_framework  :test_unit, fixture: false
P
Pratik Naik 已提交
210 211
  g.stylesheets     false
end
212
```
P
Pratik Naik 已提交
213

214
If we generate another resource with the scaffold generator, we can see that neither stylesheets nor fixtures are created anymore. If you want to customize it further, for example to use DataMapper and RSpec instead of Active Record and TestUnit, it's just a matter of adding their gems to your application and configuring your generators.
P
Pratik Naik 已提交
215

216
To demonstrate this, we are going to create a new helper generator that simply adds some instance variable readers. First, we create a generator within the rails namespace, as this is where rails searches for generators used as hooks:
P
Pratik Naik 已提交
217

P
Prem Sichanugrist 已提交
218
```bash
219
$ rails generate generator rails/my_helper
220
```
P
Pratik Naik 已提交
221

222
After that, we can delete both the `templates` directory and the `source_root` class method from our new generators, because we are not going to need them. So our new generator looks like the following:
P
Pratik Naik 已提交
223

224
```ruby
225
class Rails::MyHelperGenerator < Rails::Generators::NamedBase
P
Pratik Naik 已提交
226 227 228 229 230 231 232 233
  def create_helper_file
    create_file "app/helpers/#{file_name}_helper.rb", <<-FILE
module #{class_name}Helper
  attr_reader :#{plural_name}, :#{plural_name.singularize}
end
    FILE
  end
end
234
```
P
Pratik Naik 已提交
235 236 237

We can try out our new generator by creating a helper for users:

P
Prem Sichanugrist 已提交
238
```bash
X
Xavier Noria 已提交
239
$ rails generate my_helper products
240
```
P
Pratik Naik 已提交
241

242
And it will generate the following helper file in `app/helpers`:
P
Pratik Naik 已提交
243

244
```ruby
X
Xavier Noria 已提交
245 246
module ProductsHelper
  attr_reader :products, :product
P
Pratik Naik 已提交
247
end
248
```
P
Pratik Naik 已提交
249

250
Which is what we expected. We can now tell scaffold to use our new helper generator by editing `config/application.rb` once again:
P
Pratik Naik 已提交
251

252
```ruby
P
Pratik Naik 已提交
253 254 255
config.generators do |g|
  g.orm             :active_record
  g.template_engine :erb
256
  g.test_framework  :test_unit, fixture: false
P
Pratik Naik 已提交
257 258 259
  g.stylesheets     false
  g.helper          :my_helper
end
260
```
P
Pratik Naik 已提交
261

X
Xavier Noria 已提交
262
and see it in action when invoking the generator:
P
Pratik Naik 已提交
263

P
Prem Sichanugrist 已提交
264
```bash
265
$ rails generate scaffold Post body:text
P
Pratik Naik 已提交
266 267 268
      [...]
      invoke    my_helper
      create      app/helpers/posts_helper.rb
269
```
P
Pratik Naik 已提交
270 271 272

We can notice on the output that our new helper was invoked instead of the Rails default. However one thing is missing, which is tests for our new generator and to do that, we are going to reuse old helpers test generators.

273
Since Rails 3.0, this is easy to do due to the hooks concept. Our new helper does not need to be focused in one specific test framework, it can simply provide a hook and a test framework just needs to implement this hook in order to be compatible.
P
Pratik Naik 已提交
274

X
Xavier Noria 已提交
275
To do that, we can change the generator this way:
P
Pratik Naik 已提交
276

277
```ruby
278
class Rails::MyHelperGenerator < Rails::Generators::NamedBase
P
Pratik Naik 已提交
279 280 281 282 283 284 285 286 287 288
  def create_helper_file
    create_file "app/helpers/#{file_name}_helper.rb", <<-FILE
module #{class_name}Helper
  attr_reader :#{plural_name}, :#{plural_name.singularize}
end
    FILE
  end

  hook_for :test_framework
end
289
```
P
Pratik Naik 已提交
290

291
Now, when the helper generator is invoked and TestUnit is configured as the test framework, it will try to invoke both `Rails::TestUnitGenerator` and `TestUnit::MyHelperGenerator`. Since none of those are defined, we can tell our generator to invoke `TestUnit::Generators::HelperGenerator` instead, which is defined since it's a Rails generator. To do that, we just need to add:
P
Pratik Naik 已提交
292

293
```ruby
V
Vijay Dev 已提交
294
# Search for :helper instead of :my_helper
295
hook_for :test_framework, as: :helper
296
```
P
Pratik Naik 已提交
297 298 299

And now you can re-run scaffold for another resource and see it generating tests as well!

300 301
Customizing Your Workflow by Changing Generators Templates
----------------------------------------------------------
P
Pratik Naik 已提交
302

303
In the step above we simply wanted to add a line to the generated helper, without adding any extra functionality. There is a simpler way to do that, and it's by replacing the templates of already existing generators, in that case `Rails::Generators::HelperGenerator`.
P
Pratik Naik 已提交
304

305
In Rails 3.0 and above, generators don't just look in the source root for templates, they also search for templates in other paths. And one of them is `lib/templates`. Since we want to customize `Rails::Generators::HelperGenerator`, we can do that by simply making a template copy inside `lib/templates/rails/helper` with the name `helper.rb`. So let's create that file with the following content:
P
Pratik Naik 已提交
306

307
```erb
P
Pratik Naik 已提交
308 309 310
module <%= class_name %>Helper
  attr_reader :<%= plural_name %>, <%= plural_name.singularize %>
end
311
```
P
Pratik Naik 已提交
312

313
and revert the last change in `config/application.rb`:
P
Pratik Naik 已提交
314

315
```ruby
P
Pratik Naik 已提交
316 317 318
config.generators do |g|
  g.orm             :active_record
  g.template_engine :erb
319
  g.test_framework  :test_unit, fixture: false
P
Pratik Naik 已提交
320 321
  g.stylesheets     false
end
322
```
P
Pratik Naik 已提交
323

324
If you generate another resource, you can see that we get exactly the same result! This is useful if you want to customize your scaffold templates and/or layout by just creating `edit.html.erb`, `index.html.erb` and so on inside `lib/templates/erb/scaffold`.
P
Pratik Naik 已提交
325

326 327
Adding Generators Fallbacks
---------------------------
P
Pratik Naik 已提交
328

329
One last feature about generators which is quite useful for plugin generators is fallbacks. For example, imagine that you want to add a feature on top of TestUnit like [shoulda](https://github.com/thoughtbot/shoulda) does. Since TestUnit already implements all generators required by Rails and shoulda just wants to overwrite part of it, there is no need for shoulda to reimplement some generators again, it can simply tell Rails to use a `TestUnit` generator if none was found under the `Shoulda` namespace.
P
Pratik Naik 已提交
330

331
We can easily simulate this behavior by changing our `config/application.rb` once again:
P
Pratik Naik 已提交
332

333
```ruby
P
Pratik Naik 已提交
334 335 336
config.generators do |g|
  g.orm             :active_record
  g.template_engine :erb
337
  g.test_framework  :shoulda, fixture: false
P
Pratik Naik 已提交
338 339
  g.stylesheets     false

340
  # Add a fallback!
341
  g.fallbacks[:shoulda] = :test_unit
342
end
343
```
P
Pratik Naik 已提交
344

X
Xavier Noria 已提交
345
Now, if you create a Comment scaffold, you will see that the shoulda generators are being invoked, and at the end, they are just falling back to TestUnit generators:
P
Pratik Naik 已提交
346

P
Prem Sichanugrist 已提交
347
```bash
348
$ rails generate scaffold Comment body:text
P
Pratik Naik 已提交
349 350 351 352
      invoke  active_record
      create    db/migrate/20091120151323_create_comments.rb
      create    app/models/comment.rb
      invoke    shoulda
M
Mike Moore 已提交
353
      create      test/models/comment_test.rb
P
Pratik Naik 已提交
354
      create      test/fixtures/comments.yml
355
       route    resources :comments
P
Pratik Naik 已提交
356 357 358 359 360 361 362 363 364 365 366
      invoke  scaffold_controller
      create    app/controllers/comments_controller.rb
      invoke    erb
      create      app/views/comments
      create      app/views/comments/index.html.erb
      create      app/views/comments/edit.html.erb
      create      app/views/comments/show.html.erb
      create      app/views/comments/new.html.erb
      create      app/views/comments/_form.html.erb
      create      app/views/layouts/comments.html.erb
      invoke    shoulda
M
Mike Moore 已提交
367
      create      test/controllers/comments_controller_test.rb
P
Pratik Naik 已提交
368 369 370
      invoke    my_helper
      create      app/helpers/comments_helper.rb
      invoke      shoulda
M
Mike Moore 已提交
371
      create        test/helpers/comments_helper_test.rb
372
```
P
Pratik Naik 已提交
373

374
Fallbacks allow your generators to have a single responsibility, increasing code reuse and reducing the amount of duplication.
P
Pratik Naik 已提交
375

376 377
Application Templates
---------------------
378

V
Vijay Dev 已提交
379
Now that you've seen how generators can be used _inside_ an application, did you know they can also be used to _generate_ applications too? This kind of generator is referred as a "template". This is a brief overview of the Templates API. For detailed documentation see the [Rails Application Templates guide](rails_application_templates.html).
380

381
```ruby
382 383
gem "rspec-rails", group: "test"
gem "cucumber-rails", group: "test"
V
Vijay Dev 已提交
384 385

if yes?("Would you like to install Devise?")
386 387
  gem "devise"
  generate "devise:install"
V
Vijay Dev 已提交
388 389
  model_name = ask("What would you like the user model to be called? [user]")
  model_name = "user" if model_name.blank?
390
  generate "devise", model_name
V
Vijay Dev 已提交
391
end
392
```
393

394
In the above template we specify that the application relies on the `rspec-rails` and `cucumber-rails` gem so these two will be added to the `test` group in the `Gemfile`. Then we pose a question to the user about whether or not they would like to install Devise. If the user replies "y" or "yes" to this question, then the template will add Devise to the `Gemfile` outside of any group and then runs the `devise:install` generator. This template then takes the users input and runs the `devise` generator, with the user's answer from the last question being passed to this generator.
395

396
Imagine that this template was in a file called `template.rb`. We can use it to modify the outcome of the `rails new` command by using the `-m` option and passing in the filename:
397

P
Prem Sichanugrist 已提交
398
```bash
399
$ rails new thud -m template.rb
400
```
401

402
This command will generate the `Thud` application, and then apply the template to the generated output.
403

404
Templates don't have to be stored on the local system, the `-m` option also supports online templates:
405

P
Prem Sichanugrist 已提交
406
```bash
407
$ rails new thud -m https://gist.github.com/722911.txt
408
```
409

410 411
Whilst the final section of this guide doesn't cover how to generate the most awesome template known to man, it will take you through the methods available at your disposal so that you can develop it yourself. These same methods are also available for generators.

412 413
Generator methods
-----------------
414

V
Vijay Dev 已提交
415
The following are methods available for both generators and templates for Rails.
416

417
NOTE: Methods provided by Thor are not covered this guide and can be found in [Thor's documentation](http://rdoc.info/github/wycats/thor/master/Thor/Actions.html)
418

419
### `gem`
420 421 422

Specifies a gem dependency of the application.

423
```ruby
424 425
gem "rspec", group: "test", version: "2.1.0"
gem "devise", "1.1.5"
426
```
427 428 429

Available options are:

430 431 432
* `:group` - The group in the `Gemfile` where this gem should go.
* `:version` - The version string of the gem you want to use. Can also be specified as the second argument to the method.
* `:git` - The URL to the git repository for this gem.
433 434 435

Any additional options passed to this method are put on the end of the line:

436
```ruby
437
gem "devise", git: "git://github.com/plataformatec/devise", branch: "master"
438
```
439

440
The above code will put the following line into `Gemfile`:
441

442
```ruby
443
gem "devise", git: "git://github.com/plataformatec/devise", branch: "master"
444
```
445

446
### `gem_group`
447 448 449

Wraps gem entries inside a group:

450
```ruby
451 452 453
gem_group :development, :test do
  gem "rspec-rails"
end
454
```
455

456
### `add_source`
457

458
Adds a specified source to `Gemfile`:
459

460
```ruby
V
Vijay Dev 已提交
461
add_source "http://gems.github.com"
462
```
463

464
### `inject_into_file`
465 466 467

Injects a block of code into a defined position in your file.

468
```ruby
469
inject_into_file 'name_of_file.rb', after: "#The code goes below this line. Don't forget the Line break at the end\n" do <<-'RUBY'
470 471 472
  puts "Hello World"
RUBY
end
473
```
474

475
### `gsub_file`
476 477 478

Replaces text inside a file.

479
```ruby
V
Vijay Dev 已提交
480
gsub_file 'name_of_file.rb', 'method.to_be_replaced', 'method.the_replacing_code'
481
```
482 483 484

Regular Expressions can be used to make this method more precise. You can also use append_file and prepend_file in the same way to place code at the beginning and end of a file respectively.

485
### `application`
486

487
Adds a line to `config/application.rb` directly after the application class definition.
488

489
```ruby
V
Vijay Dev 已提交
490
application "config.asset_host = 'http://example.com'"
491
```
492 493 494

This method can also take a block:

495
```ruby
V
Vijay Dev 已提交
496 497 498
application do
  "config.asset_host = 'http://example.com'"
end
499
```
500 501 502

Available options are:

503
* `:env` - Specify an environment for this configuration option. If you wish to use this option with the block syntax the recommended syntax is as follows:
504

505
```ruby
506
application(nil, env: "development") do
V
Vijay Dev 已提交
507 508
  "config.asset_host = 'http://localhost:3000'"
end
509
```
510

511
### `git`
512 513 514

Runs the specified git command:

515
```ruby
V
Vijay Dev 已提交
516
git :init
517 518 519
git add: "."
git commit: "-m First commit!"
git add: "onefile.rb", rm: "badfile.cxx"
520
```
521 522 523

The values of the hash here being the arguments or options passed to the specific git command. As per the final example shown here, multiple git commands can be specified at a time, but the order of their running is not guaranteed to be the same as the order that they were specified in.

524
### `vendor`
525

526
Places a file into `vendor` which contains the specified code.
527

528
```ruby
529
vendor "sekrit.rb", '#top secret stuff'
530
```
531 532 533

This method also takes a block:

534
```ruby
535
vendor "seeds.rb" do
V
Vijay Dev 已提交
536 537
  "puts 'in ur app, seeding ur database'"
end
538
```
539

540
### `lib`
541

542
Places a file into `lib` which contains the specified code.
543

544
```ruby
545
lib "special.rb", "p Rails.root"
546
```
547 548 549

This method also takes a block:

550
```ruby
551
lib "super_special.rb" do
V
Vijay Dev 已提交
552 553
  puts "Super special!"
end
554
```
555

556
### `rakefile`
557

558
Creates a Rake file in the `lib/tasks` directory of the application.
559

560
```ruby
561
rakefile "test.rake", "hello there"
562
```
563 564 565

This method also takes a block:

566
```ruby
567
rakefile "test.rake" do
V
Vijay Dev 已提交
568
  %Q{
569
    task rock: :environment do
V
Vijay Dev 已提交
570 571 572 573
      puts "Rockin'"
    end
  }
end
574
```
575

576
### `initializer`
577

578
Creates an initializer in the `config/initializers` directory of the application:
579

580
```ruby
581
initializer "begin.rb", "puts 'this is the beginning'"
582
```
583 584 585

This method also takes a block:

586
```ruby
587
initializer "begin.rb" do
V
Vijay Dev 已提交
588 589
  puts "Almost done!"
end
590
```
591

592
### `generate`
593 594 595

Runs the specified generator where the first argument is the generator name and the remaining arguments are passed directly to the generator.

596
```ruby
597
generate "scaffold", "forums title:string description:text"
598
```
599 600


601
### `rake`
602 603 604

Runs the specified Rake task.

605
```ruby
606
rake "db:migrate"
607
```
608 609 610

Available options are:

611 612
* `:env` - Specifies the environment in which to run this rake task.
* `:sudo` - Whether or not to run this task using `sudo`. Defaults to `false`.
613

614
### `capify!`
615

616
Runs the `capify` command from Capistrano at the root of the application which generates Capistrano configuration.
617

618
```ruby
V
Vijay Dev 已提交
619
capify!
620
```
621

622
### `route`
623

624
Adds text to the `config/routes.rb` file:
625

626
```ruby
627
route "resources :people"
628
```
629

630
### `readme`
631

632
Output the contents of a file in the template's `source_path`, usually a README.
633

634
```ruby
635
readme "README"
636
```