generators.md 23.3 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
After reading this guide, you will know:
P
Pratik Naik 已提交
7

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

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

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

22
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 已提交
23

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

30
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 已提交
31

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

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

39
Since Rails 3.0, generators are built on top of [Thor](https://github.com/erikhuda/thor). Thor provides powerful options for 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 已提交
40

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

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

51
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/erikhuda/thor/master/Thor/Actions.html)
52

53
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 已提交
54 55 56

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

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

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

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

67
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 已提交
68

69
```ruby
P
Pratik Naik 已提交
70 71 72 73 74 75
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
76
```
P
Pratik Naik 已提交
77

78
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 已提交
79

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

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

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

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

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

101
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 已提交
102 103 104

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

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

111
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 已提交
112

113
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 已提交
114

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

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

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

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

And let's execute our generator:

P
Prem Sichanugrist 已提交
133
```bash
134
$ bin/rails generate initializer core_extensions
135
```
P
Pratik Naik 已提交
136

137
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 已提交
138

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

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

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

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

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

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

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

160
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 已提交
161

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

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

P
Prem Sichanugrist 已提交
172
```bash
173
$ bin/rails generate scaffold User name:string
P
Pratik Naik 已提交
174
      invoke  active_record
175
      create    db/migrate/20130924151154_create_users.rb
P
Pratik Naik 已提交
176 177
      create    app/models/user.rb
      invoke    test_unit
M
Mike Moore 已提交
178
      create      test/models/user_test.rb
P
Pratik Naik 已提交
179
      create      test/fixtures/users.yml
180 181
      invoke  resource_route
       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
      invoke    helper
      create      app/helpers/users_helper.rb
195 196 197
      invoke    jbuilder
      create      app/views/users/index.json.jbuilder
      create      app/views/users/show.json.jbuilder
198 199 200 201 202 203 204
      invoke  assets
      invoke    coffee
      create      app/assets/javascripts/users.js.coffee
      invoke    scss
      create      app/assets/stylesheets/users.css.scss
      invoke  scss
      create    app/assets/stylesheets/scaffolds.css.scss
205
```
P
Pratik Naik 已提交
206

X
Xavier Noria 已提交
207
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 已提交
208

209
Our first customization on the workflow will be to stop generating stylesheet, JavaScript and test fixture files for scaffolds. We can achieve that by changing our configuration to the following:
P
Pratik Naik 已提交
210

211
```ruby
P
Pratik Naik 已提交
212 213 214
config.generators do |g|
  g.orm             :active_record
  g.template_engine :erb
215
  g.test_framework  :test_unit, fixture: false
P
Pratik Naik 已提交
216
  g.stylesheets     false
217
  g.javascripts     false
P
Pratik Naik 已提交
218
end
219
```
P
Pratik Naik 已提交
220

221
If we generate another resource with the scaffold generator, we can see that stylesheet, JavaScript and fixture files are not 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 已提交
222

223
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 已提交
224

P
Prem Sichanugrist 已提交
225
```bash
226
$ bin/rails generate generator rails/my_helper
227 228 229 230
      create  lib/generators/rails/my_helper
      create  lib/generators/rails/my_helper/my_helper_generator.rb
      create  lib/generators/rails/my_helper/USAGE
      create  lib/generators/rails/my_helper/templates
231
```
P
Pratik Naik 已提交
232

233 234 235
After that, we can delete both the `templates` directory and the `source_root`
class method call from our new generator, because we are not going to need them.
Add the method below, so our generator looks like the following:
P
Pratik Naik 已提交
236

237
```ruby
238
# lib/generators/rails/my_helper/my_helper_generator.rb
239
class Rails::MyHelperGenerator < Rails::Generators::NamedBase
P
Pratik Naik 已提交
240 241 242 243 244 245 246 247
  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
248
```
P
Pratik Naik 已提交
249

250
We can try out our new generator by creating a helper for products:
P
Pratik Naik 已提交
251

P
Prem Sichanugrist 已提交
252
```bash
253
$ bin/rails generate my_helper products
254
      create  app/helpers/products_helper.rb
255
```
P
Pratik Naik 已提交
256

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

259
```ruby
X
Xavier Noria 已提交
260 261
module ProductsHelper
  attr_reader :products, :product
P
Pratik Naik 已提交
262
end
263
```
P
Pratik Naik 已提交
264

265
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 已提交
266

267
```ruby
P
Pratik Naik 已提交
268 269 270
config.generators do |g|
  g.orm             :active_record
  g.template_engine :erb
271
  g.test_framework  :test_unit, fixture: false
P
Pratik Naik 已提交
272
  g.stylesheets     false
273
  g.javascripts     false
P
Pratik Naik 已提交
274 275
  g.helper          :my_helper
end
276
```
P
Pratik Naik 已提交
277

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

P
Prem Sichanugrist 已提交
280
```bash
281
$ bin/rails generate scaffold Article body:text
P
Pratik Naik 已提交
282 283
      [...]
      invoke    my_helper
284
      create      app/helpers/articles_helper.rb
285
```
P
Pratik Naik 已提交
286 287 288

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.

289
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 已提交
290

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

293
```ruby
294
# lib/generators/rails/my_helper/my_helper_generator.rb
295
class Rails::MyHelperGenerator < Rails::Generators::NamedBase
P
Pratik Naik 已提交
296 297 298 299 300 301 302 303 304 305
  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
306
```
P
Pratik Naik 已提交
307

308
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 已提交
309

310
```ruby
V
Vijay Dev 已提交
311
# Search for :helper instead of :my_helper
312
hook_for :test_framework, as: :helper
313
```
P
Pratik Naik 已提交
314 315 316

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

317 318
Customizing Your Workflow by Changing Generators Templates
----------------------------------------------------------
P
Pratik Naik 已提交
319

320
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 已提交
321

322
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 已提交
323

324
```erb
P
Pratik Naik 已提交
325
module <%= class_name %>Helper
M
manishval 已提交
326
  attr_reader :<%= plural_name %>, :<%= plural_name.singularize %>
P
Pratik Naik 已提交
327
end
328
```
P
Pratik Naik 已提交
329

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

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

342
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 已提交
343

V
Vijay Dev 已提交
344
Many scaffold templates in Rails are written in ERB tags which need to be escaped, so that the output is valid ERB code. For example,
345 346 347 348 349 350 351 352 353 354 355

```ruby
<%%= stylesheet_include_tag :application %>
```

when passed through the generator, would generate the following output.

```ruby
<%= stylesheet_include_tag :application %>
```

356 357
Adding Generators Fallbacks
---------------------------
P
Pratik Naik 已提交
358

359
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 已提交
360

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

363
```ruby
P
Pratik Naik 已提交
364 365 366
config.generators do |g|
  g.orm             :active_record
  g.template_engine :erb
367
  g.test_framework  :shoulda, fixture: false
P
Pratik Naik 已提交
368
  g.stylesheets     false
369
  g.javascripts     false
P
Pratik Naik 已提交
370

371
  # Add a fallback!
372
  g.fallbacks[:shoulda] = :test_unit
373
end
374
```
P
Pratik Naik 已提交
375

X
Xavier Noria 已提交
376
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 已提交
377

P
Prem Sichanugrist 已提交
378
```bash
379
$ bin/rails generate scaffold Comment body:text
P
Pratik Naik 已提交
380
      invoke  active_record
381
      create    db/migrate/20130924143118_create_comments.rb
P
Pratik Naik 已提交
382 383
      create    app/models/comment.rb
      invoke    shoulda
M
Mike Moore 已提交
384
      create      test/models/comment_test.rb
P
Pratik Naik 已提交
385
      create      test/fixtures/comments.yml
386
      invoke  resource_route
387
       route    resources :comments
P
Pratik Naik 已提交
388 389 390 391 392 393 394 395 396 397
      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
      invoke    shoulda
M
Mike Moore 已提交
398
      create      test/controllers/comments_controller_test.rb
P
Pratik Naik 已提交
399 400
      invoke    my_helper
      create      app/helpers/comments_helper.rb
401 402 403
      invoke    jbuilder
      create      app/views/comments/index.json.jbuilder
      create      app/views/comments/show.json.jbuilder
404 405 406 407
      invoke  assets
      invoke    coffee
      create      app/assets/javascripts/comments.js.coffee
      invoke    scss
408
```
P
Pratik Naik 已提交
409

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

412 413
Application Templates
---------------------
414

V
Vijay Dev 已提交
415
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).
416

417
```ruby
418 419
gem "rspec-rails", group: "test"
gem "cucumber-rails", group: "test"
V
Vijay Dev 已提交
420 421

if yes?("Would you like to install Devise?")
422 423
  gem "devise"
  generate "devise:install"
V
Vijay Dev 已提交
424 425
  model_name = ask("What would you like the user model to be called? [user]")
  model_name = "user" if model_name.blank?
426
  generate "devise", model_name
V
Vijay Dev 已提交
427
end
428
```
429

430
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.
431

432
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:
433

P
Prem Sichanugrist 已提交
434
```bash
435
$ rails new thud -m template.rb
436
```
437

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

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

P
Prem Sichanugrist 已提交
442
```bash
A
Akira Matsuda 已提交
443
$ rails new thud -m https://gist.github.com/radar/722911/raw/
444
```
445

446 447
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.

448 449
Generator methods
-----------------
450

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

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

455
### `gem`
456 457 458

Specifies a gem dependency of the application.

459
```ruby
460 461
gem "rspec", group: "test", version: "2.1.0"
gem "devise", "1.1.5"
462
```
463 464 465

Available options are:

466 467 468
* `: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.
469 470 471

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

472
```ruby
473
gem "devise", git: "git://github.com/plataformatec/devise", branch: "master"
474
```
475

476
The above code will put the following line into `Gemfile`:
477

478
```ruby
479
gem "devise", git: "git://github.com/plataformatec/devise", branch: "master"
480
```
481

482
### `gem_group`
483 484 485

Wraps gem entries inside a group:

486
```ruby
487 488 489
gem_group :development, :test do
  gem "rspec-rails"
end
490
```
491

492
### `add_source`
493

494
Adds a specified source to `Gemfile`:
495

496
```ruby
V
Vijay Dev 已提交
497
add_source "http://gems.github.com"
498
```
499

500
### `inject_into_file`
501 502 503

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

504
```ruby
505
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'
506 507 508
  puts "Hello World"
RUBY
end
509
```
510

511
### `gsub_file`
512 513 514

Replaces text inside a file.

515
```ruby
V
Vijay Dev 已提交
516
gsub_file 'name_of_file.rb', 'method.to_be_replaced', 'method.the_replacing_code'
517
```
518

519
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.
520

521
### `application`
522

523
Adds a line to `config/application.rb` directly after the application class definition.
524

525
```ruby
V
Vijay Dev 已提交
526
application "config.asset_host = 'http://example.com'"
527
```
528 529 530

This method can also take a block:

531
```ruby
V
Vijay Dev 已提交
532 533 534
application do
  "config.asset_host = 'http://example.com'"
end
535
```
536 537 538

Available options are:

539
* `: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:
540

541
```ruby
542
application(nil, env: "development") do
V
Vijay Dev 已提交
543 544
  "config.asset_host = 'http://localhost:3000'"
end
545
```
546

547
### `git`
548 549 550

Runs the specified git command:

551
```ruby
V
Vijay Dev 已提交
552
git :init
553 554 555
git add: "."
git commit: "-m First commit!"
git add: "onefile.rb", rm: "badfile.cxx"
556
```
557 558 559

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.

560
### `vendor`
561

562
Places a file into `vendor` which contains the specified code.
563

564
```ruby
565
vendor "sekrit.rb", '#top secret stuff'
566
```
567 568 569

This method also takes a block:

570
```ruby
571
vendor "seeds.rb" do
572
  "puts 'in your app, seeding your database'"
V
Vijay Dev 已提交
573
end
574
```
575

576
### `lib`
577

578
Places a file into `lib` which contains the specified code.
579

580
```ruby
581
lib "special.rb", "p Rails.root"
582
```
583 584 585

This method also takes a block:

586
```ruby
587
lib "super_special.rb" do
V
Vijay Dev 已提交
588 589
  puts "Super special!"
end
590
```
591

592
### `rakefile`
593

594
Creates a Rake file in the `lib/tasks` directory of the application.
595

596
```ruby
597
rakefile "test.rake", "hello there"
598
```
599 600 601

This method also takes a block:

602
```ruby
603
rakefile "test.rake" do
V
Vijay Dev 已提交
604
  %Q{
605
    task rock: :environment do
V
Vijay Dev 已提交
606 607 608 609
      puts "Rockin'"
    end
  }
end
610
```
611

612
### `initializer`
613

614
Creates an initializer in the `config/initializers` directory of the application:
615

616
```ruby
617
initializer "begin.rb", "puts 'this is the beginning'"
618
```
619

620
This method also takes a block, expected to return a string:
621

622
```ruby
623
initializer "begin.rb" do
624
  "puts 'this is the beginning'"
V
Vijay Dev 已提交
625
end
626
```
627

628
### `generate`
629 630 631

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

632
```ruby
633
generate "scaffold", "forums title:string description:text"
634
```
635 636


637
### `rake`
638 639 640

Runs the specified Rake task.

641
```ruby
642
rake "db:migrate"
643
```
644 645 646

Available options are:

647 648
* `:env` - Specifies the environment in which to run this rake task.
* `:sudo` - Whether or not to run this task using `sudo`. Defaults to `false`.
649

650
### `capify!`
651

652
Runs the `capify` command from Capistrano at the root of the application which generates Capistrano configuration.
653

654
```ruby
V
Vijay Dev 已提交
655
capify!
656
```
657

658
### `route`
659

660
Adds text to the `config/routes.rb` file:
661

662
```ruby
663
route "resources :people"
664
```
665

666
### `readme`
667

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

670
```ruby
671
readme "README"
672
```