generators.md 24.2 KB
Newer Older
1
**DO NOT READ THIS FILE ON GITHUB, GUIDES ARE PUBLISHED ON http://guides.rubyonrails.org.**
X
Xavier Noria 已提交
2

3 4
Creating and Customizing Rails Generators & Templates
=====================================================
P
Pratik Naik 已提交
5

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

8
After reading this guide, you will know:
P
Pratik Naik 已提交
9

10 11 12
* 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.
13
* How Rails internally generates Rails code from the templates.
14 15 16 17
* 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 已提交
18

19
--------------------------------------------------------------------------------
P
Pratik Naik 已提交
20

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

24
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 已提交
25

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

32
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 已提交
33

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

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

41
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 已提交
42

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

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

53
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)
54

55
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 已提交
56 57 58

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

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

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

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

69
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 已提交
70

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

80
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 已提交
81

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

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

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

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

97
```ruby
P
Pratik Naik 已提交
98
class InitializerGenerator < Rails::Generators::NamedBase
B
bogdanvlviv 已提交
99
  source_root File.expand_path("templates", __dir__)
P
Pratik Naik 已提交
100
end
101
```
P
Pratik Naik 已提交
102

103
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 已提交
104 105 106

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

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

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

115
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 已提交
116

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

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

123
```ruby
P
Pratik Naik 已提交
124
class InitializerGenerator < Rails::Generators::NamedBase
B
bogdanvlviv 已提交
125
  source_root File.expand_path("templates", __dir__)
P
Pratik Naik 已提交
126 127 128 129 130

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

And let's execute our generator:

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

139
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 已提交
140

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

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

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

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

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

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

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

162
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 已提交
163

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

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

P
Prem Sichanugrist 已提交
174
```bash
175
$ bin/rails generate scaffold User name:string
P
Pratik Naik 已提交
176
      invoke  active_record
177
      create    db/migrate/20130924151154_create_users.rb
P
Pratik Naik 已提交
178 179
      create    app/models/user.rb
      invoke    test_unit
M
Mike Moore 已提交
180
      create      test/models/user_test.rb
P
Pratik Naik 已提交
181
      create      test/fixtures/users.yml
182 183
      invoke  resource_route
       route    resources :users
P
Pratik Naik 已提交
184 185 186 187 188 189 190 191 192 193
      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 已提交
194
      create      test/controllers/users_controller_test.rb
P
Pratik Naik 已提交
195 196
      invoke    helper
      create      app/helpers/users_helper.rb
197 198 199
      invoke    jbuilder
      create      app/views/users/index.json.jbuilder
      create      app/views/users/show.json.jbuilder
200 201
      invoke  assets
      invoke    coffee
202
      create      app/assets/javascripts/users.coffee
203
      invoke    scss
204
      create      app/assets/stylesheets/users.scss
205
      invoke  scss
206
      create    app/assets/stylesheets/scaffolds.scss
207
```
P
Pratik Naik 已提交
208

X
Xavier Noria 已提交
209
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 已提交
210

211 212 213 214 215 216 217 218 219
If we want to avoid generating the default `app/assets/stylesheets/scaffolds.scss` file when scaffolding a new resource we can disable `scaffold_stylesheet`:

```ruby
  config.generators do |g|
    g.scaffold_stylesheet false
  end
```

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

221
```ruby
P
Pratik Naik 已提交
222 223 224
config.generators do |g|
  g.orm             :active_record
  g.template_engine :erb
225
  g.test_framework  :test_unit, fixture: false
P
Pratik Naik 已提交
226
  g.stylesheets     false
227
  g.javascripts     false
P
Pratik Naik 已提交
228
end
229
```
P
Pratik Naik 已提交
230

231
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 已提交
232

233
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 已提交
234

P
Prem Sichanugrist 已提交
235
```bash
236
$ bin/rails generate generator rails/my_helper
237 238 239 240
      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
241
```
P
Pratik Naik 已提交
242

243 244 245
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 已提交
246

247
```ruby
248
# lib/generators/rails/my_helper/my_helper_generator.rb
249
class Rails::MyHelperGenerator < Rails::Generators::NamedBase
P
Pratik Naik 已提交
250 251 252 253 254 255 256 257
  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
258
```
P
Pratik Naik 已提交
259

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

P
Prem Sichanugrist 已提交
262
```bash
263
$ bin/rails generate my_helper products
264
      create  app/helpers/products_helper.rb
265
```
P
Pratik Naik 已提交
266

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

269
```ruby
X
Xavier Noria 已提交
270 271
module ProductsHelper
  attr_reader :products, :product
P
Pratik Naik 已提交
272
end
273
```
P
Pratik Naik 已提交
274

275
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 已提交
276

277
```ruby
P
Pratik Naik 已提交
278 279 280
config.generators do |g|
  g.orm             :active_record
  g.template_engine :erb
281
  g.test_framework  :test_unit, fixture: false
P
Pratik Naik 已提交
282
  g.stylesheets     false
283
  g.javascripts     false
P
Pratik Naik 已提交
284 285
  g.helper          :my_helper
end
286
```
P
Pratik Naik 已提交
287

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

P
Prem Sichanugrist 已提交
290
```bash
291
$ bin/rails generate scaffold Article body:text
P
Pratik Naik 已提交
292 293
      [...]
      invoke    my_helper
294
      create      app/helpers/articles_helper.rb
295
```
P
Pratik Naik 已提交
296 297 298

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.

299
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 已提交
300

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

303
```ruby
304
# lib/generators/rails/my_helper/my_helper_generator.rb
305
class Rails::MyHelperGenerator < Rails::Generators::NamedBase
P
Pratik Naik 已提交
306 307 308 309 310 311 312 313 314 315
  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
316
```
P
Pratik Naik 已提交
317

318
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 已提交
319

320
```ruby
V
Vijay Dev 已提交
321
# Search for :helper instead of :my_helper
322
hook_for :test_framework, as: :helper
323
```
P
Pratik Naik 已提交
324 325 326

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

327 328
Customizing Your Workflow by Changing Generators Templates
----------------------------------------------------------
P
Pratik Naik 已提交
329

330
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 已提交
331

332
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 已提交
333

334
```erb
P
Pratik Naik 已提交
335
module <%= class_name %>Helper
M
manishval 已提交
336
  attr_reader :<%= plural_name %>, :<%= plural_name.singularize %>
P
Pratik Naik 已提交
337
end
338
```
P
Pratik Naik 已提交
339

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

342
```ruby
P
Pratik Naik 已提交
343 344 345
config.generators do |g|
  g.orm             :active_record
  g.template_engine :erb
346
  g.test_framework  :test_unit, fixture: false
P
Pratik Naik 已提交
347
  g.stylesheets     false
348
  g.javascripts     false
P
Pratik Naik 已提交
349
end
350
```
P
Pratik Naik 已提交
351

352
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 已提交
353

J
Jon Atack 已提交
354 355 356 357 358
Scaffold templates in Rails frequently use ERB tags; these tags need to be
escaped so that the generated output is valid ERB code.

For example, the following escaped ERB tag would be needed in the template
(note the extra `%`)...
359 360

```ruby
361
<%%= stylesheet_include_tag :application %>
362 363
```

J
Jon Atack 已提交
364
...to generate the following output:
365 366 367 368 369

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

370 371
Adding Generators Fallbacks
---------------------------
P
Pratik Naik 已提交
372

373
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 已提交
374

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

377
```ruby
P
Pratik Naik 已提交
378 379 380
config.generators do |g|
  g.orm             :active_record
  g.template_engine :erb
381
  g.test_framework  :shoulda, fixture: false
P
Pratik Naik 已提交
382
  g.stylesheets     false
383
  g.javascripts     false
P
Pratik Naik 已提交
384

385
  # Add a fallback!
386
  g.fallbacks[:shoulda] = :test_unit
387
end
388
```
P
Pratik Naik 已提交
389

X
Xavier Noria 已提交
390
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 已提交
391

P
Prem Sichanugrist 已提交
392
```bash
393
$ bin/rails generate scaffold Comment body:text
P
Pratik Naik 已提交
394
      invoke  active_record
395
      create    db/migrate/20130924143118_create_comments.rb
P
Pratik Naik 已提交
396 397
      create    app/models/comment.rb
      invoke    shoulda
M
Mike Moore 已提交
398
      create      test/models/comment_test.rb
P
Pratik Naik 已提交
399
      create      test/fixtures/comments.yml
400
      invoke  resource_route
401
       route    resources :comments
P
Pratik Naik 已提交
402 403 404 405 406 407 408 409 410 411
      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 已提交
412
      create      test/controllers/comments_controller_test.rb
P
Pratik Naik 已提交
413 414
      invoke    my_helper
      create      app/helpers/comments_helper.rb
415 416 417
      invoke    jbuilder
      create      app/views/comments/index.json.jbuilder
      create      app/views/comments/show.json.jbuilder
418 419
      invoke  assets
      invoke    coffee
420
      create      app/assets/javascripts/comments.coffee
421
      invoke    scss
422
```
P
Pratik Naik 已提交
423

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

426 427
Application Templates
---------------------
428

E
Eric Henziger 已提交
429
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 to 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).
430

431
```ruby
432 433
gem "rspec-rails", group: "test"
gem "cucumber-rails", group: "test"
V
Vijay Dev 已提交
434 435

if yes?("Would you like to install Devise?")
436 437
  gem "devise"
  generate "devise:install"
V
Vijay Dev 已提交
438 439
  model_name = ask("What would you like the user model to be called? [user]")
  model_name = "user" if model_name.blank?
440
  generate "devise", model_name
V
Vijay Dev 已提交
441
end
442
```
443

444
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.
445

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

P
Prem Sichanugrist 已提交
448
```bash
449
$ rails new thud -m template.rb
450
```
451

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

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

P
Prem Sichanugrist 已提交
456
```bash
A
Akira Matsuda 已提交
457
$ rails new thud -m https://gist.github.com/radar/722911/raw/
458
```
459

460 461
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.

462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481
Adding Command Line Arguments
-----------------------------
Rails generators can be easily modified to accept custom command line arguments. This functionality comes from [Thor](http://www.rubydoc.info/github/erikhuda/thor/master/Thor/Base/ClassMethods#class_option-instance_method):

```
class_option :scope, type: :string, default: 'read_products'
```

Now our generator can be invoked as follows:

```bash
rails generate initializer --scope write_products
```

The command line arguments are accessed through the `options` method inside the generator class. e.g:

```ruby
@scope = options['scope']
```

482 483
Generator methods
-----------------
484

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

487
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)
488

489
### `gem`
490 491 492

Specifies a gem dependency of the application.

493
```ruby
494 495
gem "rspec", group: "test", version: "2.1.0"
gem "devise", "1.1.5"
496
```
497 498 499

Available options are:

500 501 502
* `: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.
503 504 505

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

506
```ruby
507
gem "devise", git: "git://github.com/plataformatec/devise", branch: "master"
508
```
509

510
The above code will put the following line into `Gemfile`:
511

512
```ruby
513
gem "devise", git: "git://github.com/plataformatec/devise", branch: "master"
514
```
515

516
### `gem_group`
517 518 519

Wraps gem entries inside a group:

520
```ruby
521 522 523
gem_group :development, :test do
  gem "rspec-rails"
end
524
```
525

526
### `add_source`
527

528
Adds a specified source to `Gemfile`:
529

530
```ruby
V
Vijay Dev 已提交
531
add_source "http://gems.github.com"
532
```
533

534 535 536 537 538 539 540 541
This method also takes a block:

```ruby
add_source "http://gems.github.com" do
  gem "rspec-rails"
end
```

542
### `inject_into_file`
543 544 545

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

546
```ruby
547
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'
548 549 550
  puts "Hello World"
RUBY
end
551
```
552

553
### `gsub_file`
554 555 556

Replaces text inside a file.

557
```ruby
V
Vijay Dev 已提交
558
gsub_file 'name_of_file.rb', 'method.to_be_replaced', 'method.the_replacing_code'
559
```
560

561
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.
562

563
### `application`
564

565
Adds a line to `config/application.rb` directly after the application class definition.
566

567
```ruby
V
Vijay Dev 已提交
568
application "config.asset_host = 'http://example.com'"
569
```
570 571 572

This method can also take a block:

573
```ruby
V
Vijay Dev 已提交
574 575 576
application do
  "config.asset_host = 'http://example.com'"
end
577
```
578 579 580

Available options are:

581
* `: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:
582

583
```ruby
584
application(nil, env: "development") do
V
Vijay Dev 已提交
585 586
  "config.asset_host = 'http://localhost:3000'"
end
587
```
588

589
### `git`
590 591 592

Runs the specified git command:

593
```ruby
V
Vijay Dev 已提交
594
git :init
595 596 597
git add: "."
git commit: "-m First commit!"
git add: "onefile.rb", rm: "badfile.cxx"
598
```
599 600 601

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.

602
### `vendor`
603

604
Places a file into `vendor` which contains the specified code.
605

606
```ruby
607
vendor "sekrit.rb", '#top secret stuff'
608
```
609 610 611

This method also takes a block:

612
```ruby
613
vendor "seeds.rb" do
614
  "puts 'in your app, seeding your database'"
V
Vijay Dev 已提交
615
end
616
```
617

618
### `lib`
619

620
Places a file into `lib` which contains the specified code.
621

622
```ruby
623
lib "special.rb", "p Rails.root"
624
```
625 626 627

This method also takes a block:

628
```ruby
629
lib "super_special.rb" do
630
  "puts 'Super special!'"
V
Vijay Dev 已提交
631
end
632
```
633

634
### `rakefile`
635

636
Creates a Rake file in the `lib/tasks` directory of the application.
637

638
```ruby
639
rakefile "test.rake", 'task(:hello) { puts "Hello, there" }'
640
```
641 642 643

This method also takes a block:

644
```ruby
645
rakefile "test.rake" do
V
Vijay Dev 已提交
646
  %Q{
647
    task rock: :environment do
V
Vijay Dev 已提交
648 649 650 651
      puts "Rockin'"
    end
  }
end
652
```
653

654
### `initializer`
655

656
Creates an initializer in the `config/initializers` directory of the application:
657

658
```ruby
659
initializer "begin.rb", "puts 'this is the beginning'"
660
```
661

662
This method also takes a block, expected to return a string:
663

664
```ruby
665
initializer "begin.rb" do
666
  "puts 'this is the beginning'"
V
Vijay Dev 已提交
667
end
668
```
669

670
### `generate`
671 672 673

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

674
```ruby
675
generate "scaffold", "forums title:string description:text"
676
```
677 678


679
### `rake`
680 681 682

Runs the specified Rake task.

683
```ruby
684
rake "db:migrate"
685
```
686 687 688

Available options are:

689 690
* `:env` - Specifies the environment in which to run this rake task.
* `:sudo` - Whether or not to run this task using `sudo`. Defaults to `false`.
691

692
### `route`
693

694
Adds text to the `config/routes.rb` file:
695

696
```ruby
697
route "resources :people"
698
```
699

700
### `readme`
701

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

704
```ruby
705
readme "README"
706
```