Froze rails gems
[depot.git] / vendor / rails / railties / doc / guides / source / association_basics.txt
1 A Guide to Active Record Associations
2 =====================================
3
4 This guide covers the association features of Active Record. By referring to this guide, you will be able to:
5
6 * Declare associations between Active Record models
7 * Understand the various types of Active Record associations
8 * Use the methods added to your models by creating associations
9
10 == Why Associations?
11
12 Why do we need associations between models? Because they make common operations simpler and easier in your code. For example, consider a simple Rails application that includes a model for customers and a model for orders. Each customer can have many orders. Without associations, the model declarations would look like this:
13
14 [source, ruby]
15 -------------------------------------------------------
16 class Customer < ActiveRecord::Base
17 end
18
19 class Order < ActiveRecord::Base
20 end
21 -------------------------------------------------------
22
23 Now, suppose we wanted to add a new order for an existing customer. We'd need to do something like this:
24
25 [source, ruby]
26 -------------------------------------------------------
27 @order = Order.create(:order_date => Time.now, :customer_id => @customer.id)
28 -------------------------------------------------------
29
30 Or consider deleting a customer, and ensuring that all of its orders get deleted as well:
31
32 [source, ruby]
33 -------------------------------------------------------
34 @orders = Order.find_by_customer_id(@customer.id)
35 @orders.each do |order|
36 order.destroy
37 end
38 @customer.destroy
39 -------------------------------------------------------
40
41 With Active Record associations, we can streamline these - and other - operations by declaratively telling Rails that there is a connection between the two models. Here's the revised code for setting up customers and orders:
42
43 [source, ruby]
44 -------------------------------------------------------
45 class Customer < ActiveRecord::Base
46 has_many :orders
47 end
48
49 class Order < ActiveRecord::Base
50 belongs_to :customer
51 end
52 -------------------------------------------------------
53
54 With this change, creating a new order for a particular customer is easier:
55
56 [source, ruby]
57 -------------------------------------------------------
58 @order = @customer.orders.create(:order_date => Time.now)
59 -------------------------------------------------------
60
61 Deleting a customer and all of its orders is _much_ easier:
62
63 [source, ruby]
64 -------------------------------------------------------
65 @customer.destroy
66 -------------------------------------------------------
67
68 To learn more about the different types of associations, read the next section of this Guide. That's followed by some tips and tricks for working with associations, and then by a complete reference to the methods and options for associations in Rails.
69
70 == The Types of Associations
71
72 In Rails, an _association_ is a connection between two Active Record models. Associations are implemented using macro-style calls, so that you can declaratively add features to your models. For example, by declaring that one model +belongs_to+ another, you instruct Rails to maintain Primary Key-Foreign Key information between instances of the two models, and you also get a number of utility methods added to your model. Rails supports six types of association:
73
74 * +belongs_to+
75 * +has_one+
76 * +has_many+
77 * +has_many :through+
78 * +has_one :through+
79 * +has_and_belongs_to_many+
80
81 In the remainder of this guide, you'll learn how to declare and use the various forms of associations. But first, a quick introduction to the situations where each association type is appropriate.
82
83 === The +belongs_to+ Association
84
85 A +belongs_to+ association sets up a one-to-one connection with another model, such that each instance of the declaring model "belongs to" one instance of the other model. For example, if your application includes customers and orders, and each order can be assigned to exactly one customer, you'd declare the order model this way:
86
87 [source, ruby]
88 -------------------------------------------------------
89 class Order < ActiveRecord::Base
90 belongs_to :customer
91 end
92 -------------------------------------------------------
93
94 image:images/belongs_to.png[belongs_to Association Diagram]
95
96 === The +has_one+ Association
97
98 A +has_one+ association also sets up a one-to-one connection with another model, but with somewhat different semantics (and consequences). This association indicates that each instance of a model contains or possesses one instance of another model. For example, if each supplier in your application has only one account, you'd declare the supplier model like this:
99
100 [source, ruby]
101 -------------------------------------------------------
102 class Supplier < ActiveRecord::Base
103 has_one :account
104 end
105 -------------------------------------------------------
106
107 image:images/has_one.png[has_one Association Diagram]
108
109 === The +has_many+ Association
110
111 A +has_many+ association indicates a one-to-many connection with another model. You'll often find this association on the "other side" of a +belongs_to+ association. This association indicates that each instance of the model has zero or more instances of another model. For example, in an application containing customers and orders, the customer model could be declared like this:
112
113 [source, ruby]
114 -------------------------------------------------------
115 class Customer < ActiveRecord::Base
116 has_many :orders
117 end
118 -------------------------------------------------------
119
120 NOTE: The name of the other model is pluralized when declaring a +has_many+ association.
121
122 image:images/has_many.png[has_many Association Diagram]
123
124 === The +has_many :through+ Association
125
126 A +has_many :through+ association is often used to set up a many-to-many connection with another model. This association indicates that the declaring model can be matched with zero or more instances of another model by proceeding _through_ a third model. For example, consider a medical practice where patients make appointments to see physicians. The relevant association declarations could look like this:
127
128 [source, ruby]
129 -------------------------------------------------------
130 class Physician < ActiveRecord::Base
131 has_many :appointments
132 has_many :patients, :through => :appointments
133 end
134
135 class Appointment < ActiveRecord::Base
136 belongs_to :physician
137 belongs_to :patient
138 end
139
140 class Patient < ActiveRecord::Base
141 has_many :appointments
142 has_many :physicians, :through => :appointments
143 end
144 -------------------------------------------------------
145
146 image:images/has_many_through.png[has_many :through Association Diagram]
147
148 The +has_many :through+ association is also useful for setting up "shortcuts" through nested :+has_many+ associations. For example, if a document has many sections, and a section has many paragraphs, you may sometimes want to get a simple collection of all paragraphs in the document. You could set that up this way:
149
150 [source, ruby]
151 -------------------------------------------------------
152 class Document < ActiveRecord::Base
153 has_many :sections
154 has_many :paragraphs, :through => :sections
155 end
156
157 class Section < ActiveRecord::Base
158 belongs_to :document
159 has_many :paragraphs
160 end
161
162 class Paragraph < ActiveRecord::Base
163 belongs_to :section
164 end
165 -------------------------------------------------------
166
167 === The +has_one :through+ Association
168
169 A +has_one :through+ association sets up a one-to-one connection with another model. This association indicates that the declaring model can be matched with one instance of another model by proceeding _through_ a third model. For example, if each supplier has one account, and each account is associated with one account history, then the customer model could look like this:
170
171 [source, ruby]
172 -------------------------------------------------------
173 class Supplier < ActiveRecord::Base
174 has_one :account
175 has_one :account_history, :through => :account
176 end
177
178 class Account < ActiveRecord::Base
179 belongs_to :supplier
180 has_one :account_history
181 end
182
183 class AccountHistory < ActiveRecord::Base
184 belongs_to :account
185 end
186 -------------------------------------------------------
187
188 image:images/has_one_through.png[has_one :through Association Diagram]
189
190 === The +has_and_belongs_to_many+ Association
191
192 A +has_and_belongs_to_many+ association creates a direct many-to-many connection with another model, with no intervening model. For example, if your application includes assemblies and parts, with each assembly having many parts and each part appearing in many assemblies, you could declare the models this way:
193
194 [source, ruby]
195 -------------------------------------------------------
196 class Assembly < ActiveRecord::Base
197 has_and_belongs_to_many :parts
198 end
199
200 class Part < ActiveRecord::Base
201 has_and_belongs_to_many :assemblies
202 end
203 -------------------------------------------------------
204
205 image:images/habtm.png[has_and_belongs_to_many Association Diagram]
206
207 === Choosing Between +belongs_to+ and +has_one+
208
209 If you want to set up a 1-1 relationship between two models, you'll need to add +belongs_to+ to one, and +has_one+ to the other. How do you know which is which?
210
211 The distinction is in where you place the foreign key (it goes on the table for the class declaring the +belongs_to+ association), but you should give some thought to the actual meaning of the data as well. The +has_one+ relationship says that one of something is yours - that is, that something points back to you. For example, it makes more sense to say that a supplier owns an account than that an account owns a supplier. This suggests that the correct relationships are like this:
212
213 [source, ruby]
214 -------------------------------------------------------
215 class Supplier < ActiveRecord::Base
216 has_one :account
217 end
218
219 class Account < ActiveRecord::Base
220 belongs_to :supplier
221 end
222 -------------------------------------------------------
223
224 The corresponding migration might look like this:
225
226 [source, ruby]
227 -------------------------------------------------------
228 class CreateSuppliers < ActiveRecord::Migration
229 def self.up
230 create_table :suppliers do |t|
231 t.string :name
232 t.timestamps
233 end
234
235 create_table :accounts do |t|
236 t.integer :supplier_id
237 t.string :account_number
238 t.timestamps
239 end
240 end
241
242 def self.down
243 drop_table :accounts
244 drop_table :suppliers
245 end
246 end
247 -------------------------------------------------------
248
249 NOTE: Using +t.integer :supplier_id+ makes the foreign key naming obvious and implicit. In current versions of Rails, you can abstract away this implementation detail by using +t.references :supplier+ instead.
250
251 === Choosing Between +has_many :through+ and +has_and_belongs_to_many+
252
253 Rails offers two different ways to declare a many-to-many relationship between models. The simpler way is to use +has_and_belongs_to_many+, which allows you to make the association directly:
254
255 [source, ruby]
256 -------------------------------------------------------
257 class Assembly < ActiveRecord::Base
258 has_and_belongs_to_many :parts
259 end
260
261 class Part < ActiveRecord::Base
262 has_and_belongs_to_many :assemblies
263 end
264 -------------------------------------------------------
265
266 The second way to declare a many-to-many relationship is to use +has_many :through+. This makes the association indirectly, through a join model:
267
268 [source, ruby]
269 -------------------------------------------------------
270 class Assembly < ActiveRecord::Base
271 has_many :manifests
272 has_many :parts, :through => :manifests
273 end
274
275 class Manifest < ActiveRecord::Base
276 belongs_to :assembly
277 belongs_to :part
278 end
279
280 class Part < ActiveRecord::Base
281 has_many :manifests
282 has_many :assemblies, :through => :manifests
283 end
284 -------------------------------------------------------
285
286 The simplest rule of thumb is that you should set up a +has_many :through+ relationship if you need to work with the relationship model as an independent entity. If you don't need to do anything with the relationship model, it may be simpler to set up a +has_and_belongs_to_many+ relationship (though you'll need to remember to create the joining table).
287
288 You should use +has_many :through+ if you need validations, callbacks, or extra attributes on the join model.
289
290 === Polymorphic Associations
291
292 A slightly more advanced twist on associations is the _polymorphic association_. With polymorphic associations, a model can belong to more than one other model, on a single association. For example, you might have a picture model that belongs to either an employee model or a product model. Here's how this could be declared:
293
294 [source, ruby]
295 -------------------------------------------------------
296 class Picture < ActiveRecord::Base
297 belongs_to :imageable, :polymorphic => true
298 end
299
300 class Employee < ActiveRecord::Base
301 has_many :pictures, :as => :imageable
302 end
303
304 class Product < ActiveRecord::Base
305 has_many :pictures, :as => :imageable
306 end
307 -------------------------------------------------------
308
309 You can think of a polymorphic +belongs_to+ declaration as setting up an interface that any other model can use. From an instance of the +Employee+ model, you can retrieve a collection of pictures: +@employee.pictures+. Similarly, you can retrieve +@product.pictures+. If you have an instance of the +Picture+ model, you can get to its parent via +@picture.imageable+. To make this work, you need to declare both a foreign key column and a type column in the model that declares the polymorphic interface:
310
311 [source, ruby]
312 -------------------------------------------------------
313 class CreatePictures < ActiveRecord::Migration
314 def self.up
315 create_table :pictures do |t|
316 t.string :name
317 t.integer :imageable_id
318 t.string :imageable_type
319 t.timestamps
320 end
321 end
322
323 def self.down
324 drop_table :pictures
325 end
326 end
327 -------------------------------------------------------
328
329 This migration can be simplified by using the +t.references+ form:
330
331 [source, ruby]
332 -------------------------------------------------------
333 class CreatePictures < ActiveRecord::Migration
334 def self.up
335 create_table :pictures do |t|
336 t.string :name
337 t.references :imageable, :polymorphic => true
338 t.timestamps
339 end
340 end
341
342 def self.down
343 drop_table :pictures
344 end
345 end
346 -------------------------------------------------------
347
348 image:images/polymorphic.png[Polymorphic Association Diagram]
349
350 === Self Joins
351
352 In designing a data model, you will sometimes find a model that should have a relation to itself. For example, you may want to store all employees in a single database model, but be able to trace relationships such as manager and subordinates. This situation can be modeled with self-joining associations:
353
354 [source, ruby]
355 -------------------------------------------------------
356 class Employee < ActiveRecord::Base
357 has_many :subordinates, :class_name => "User", :foreign_key => "manager_id"
358 belongs_to :manager, :class_name => "User"
359 end
360 -------------------------------------------------------
361
362 With this setup, you can retrieve +@employee.subordinates+ and +@employee.manager+.
363
364 == Tips, Tricks, and Warnings
365
366 Here are a few things you should know to make efficient use of Active Record associations in your Rails applications:
367
368 * Controlling caching
369 * Avoiding name collisions
370 * Updating the schema
371 * Controlling association scope
372
373 === Controlling Caching
374
375 All of the association methods are built around caching that keeps the result of the most recent query available for further operations. The cache is even shared across methods. For example:
376
377 [source, ruby]
378 -------------------------------------------------------
379 customer.orders # retrieves orders from the database
380 customer.orders.size # uses the cached copy of orders
381 customer.orders.empty? # uses the cached copy of orders
382 -------------------------------------------------------
383
384 But what if you want to reload the cache, because data might have been changed by some other part of the application? Just pass +true+ to the association call:
385
386 [source, ruby]
387 -------------------------------------------------------
388 customer.orders # retrieves orders from the database
389 customer.orders.size # uses the cached copy of orders
390 customer.orders(true).empty? # discards the cached copy of orders and goes back to the database
391 -------------------------------------------------------
392
393 === Avoiding Name Collisions
394
395 You are not free to use just any name for your associations. Because creating an association adds a method with that name to the model, it is a bad idea to give an association a name that is already used for an instance method of +ActiveRecord::Base+. The association method would override the base method and break things. For instance, +attributes+ or +connection+ are bad names for associations.
396
397 === Updating the Schema
398
399 Associations are extremely useful, but they are not magic. You are responsible for maintaining your database schema to match your associations. In practice, this means two things. First, you need to create foreign keys as appropriate:
400
401 [source, ruby]
402 -------------------------------------------------------
403 class Order < ActiveRecord::Base
404 belongs_to :customer
405 end
406 -------------------------------------------------------
407
408 This declaration needs to be backed up by the proper foreign key declaration on the orders table:
409
410 [source, ruby]
411 -------------------------------------------------------
412 class CreateOrders < ActiveRecord::Migration
413 def self.up
414 create_table :orders do |t|
415 t.order_date :datetime
416 t.order_number :string
417 t.customer_id :integer
418 end
419 end
420
421 def self.down
422 drop_table :orders
423 end
424 end
425 -------------------------------------------------------
426
427 If you create an association some time after you build the underlying model, you need to remember to create an +add_column+ migration to provide the necessary foreign key.
428
429 Second, if you create a +has_and_belongs_to_many+ association, you need to explicitly create the joining table. Unless the name of the join table is explicitly specified by using the +:join_table+ option, Active Record create the name by using the lexical order of the class names. So a join between customer and order models will give the default join table name of "customers_orders" because "c" outranks "o" in lexical ordering.
430
431 WARNING: The precedence between model names is calculated using the +<+ operator for +String+. This means that if the strings are of different lengths, and the strings are equal when compared up to the shortest length, then the longer string is considered of higher lexical precedence than the shorter one. For example, one would expect the tables "paper_boxes" and "papers" to generate a join table name of "papers_paper_boxes" because of the length of the name "paper_boxes", but it in fact generates a join table name of "paper_boxes_papers".
432
433 Whatever the name, you must manually generate the join table with an appropriate migration. For example, consider these associations:
434
435 [source, ruby]
436 -------------------------------------------------------
437 class Assembly < ActiveRecord::Base
438 has_and_belongs_to_many :parts
439 end
440
441 class Part < ActiveRecord::Base
442 has_and_belongs_to_many :assemblies
443 end
444 -------------------------------------------------------
445
446 These need to be backed up by a migration to create the +assemblies_parts+ table. This table should be created without a primary key:
447
448 [source, ruby]
449 -------------------------------------------------------
450 class CreateAssemblyPartJoinTable < ActiveRecord::Migration
451 def self.up
452 create_table :assemblies_parts, :id => false do |t|
453 t.integer :assembly_id
454 t.integer :part_id
455 end
456 end
457
458 def self.down
459 drop_table :assemblies_parts
460 end
461 end
462 -------------------------------------------------------
463
464 === Controlling Association Scope
465
466 By default, associations look for objects only within the current module's scope. This can be important when you declare Active Record models within a module. For example:
467
468 [source, ruby]
469 -------------------------------------------------------
470 module MyApplication
471 module Business
472 class Supplier < ActiveRecord::Base
473 has_one :account
474 end
475
476 class Account < ActiveRecord::Base
477 belongs_to :supplier
478 end
479 end
480 end
481 -------------------------------------------------------
482
483 This will work fine, because both the +Supplier+ and the +Account+ class are defined within the same scope. But this will not work, because +Supplier+ and +Account+ are defined in different scopes:
484
485 [source, ruby]
486 -------------------------------------------------------
487 module MyApplication
488 module Business
489 class Supplier < ActiveRecord::Base
490 has_one :account
491 end
492 end
493
494 module Billing
495 class Account < ActiveRecord::Base
496 belongs_to :supplier
497 end
498 end
499 end
500 -------------------------------------------------------
501
502 To associate a model with a model in a different scope, you must specify the complete class name in your association declaration:
503
504 [source, ruby]
505 -------------------------------------------------------
506 module MyApplication
507 module Business
508 class Supplier < ActiveRecord::Base
509 has_one :account, :class_name => "MyApplication::Billing::Account"
510 end
511 end
512
513 module Billing
514 class Account < ActiveRecord::Base
515 belongs_to :supplier, :class_name => "MyApplication::Business::Supplier"
516 end
517 end
518 end
519 -------------------------------------------------------
520
521 == Detailed Association Reference
522
523 The following sections give the details of each type of association, including the methods that they add and the options that you can use when declaring an association.
524
525 === The +belongs_to+ Association
526
527 The +belongs_to+ association creates a one-to-one match with another model. In database terms, this association says that this class contains the foreign key. If the other class contains the foreign key, then you should use +has_one+ instead.
528
529 ==== Methods Added by +belongs_to+
530
531 When you declare a +belongs_to+ assocation, the declaring class automatically gains five methods related to the association:
532
533 * +_association_(force_reload = false)+
534 * +_association_=(associate)+
535 * +_association_.nil?+
536 * +build___association__(attributes = {})+
537 * +create___association__(attributes = {})+
538
539 In all of these methods, +_association_+ is replaced with the symbol passed as the first argument to +belongs_to+. For example, given the declaration:
540
541 [source, ruby]
542 -------------------------------------------------------
543 class Order < ActiveRecord::Base
544 belongs_to :customer
545 end
546 -------------------------------------------------------
547
548 Each instance of the order model will have these methods:
549
550 [source, ruby]
551 -------------------------------------------------------
552 customer
553 customer=
554 customer.nil?
555 build_customer
556 create_customer
557 -------------------------------------------------------
558
559 ===== +_association_(force_reload = false)+
560
561 The +_association_+ method returns the associated object, if any. If no associated object is found, it returns +nil+.
562
563 [source, ruby]
564 -------------------------------------------------------
565 @customer = @order.customer
566 -------------------------------------------------------
567
568 If the associated object has already been retrieved from the database for this object, the cached version will be returned. To override this behavior (and force a database read), pass +true+ as the +force_reload+ argument.
569
570 ===== +_association_=(associate)+
571
572 The +_association_=+ method assigns an associated object to this object. Behind the scenes, this means extracting the primary key from the associate object and setting this object's foreign key to the same value.
573
574 [source, ruby]
575 -------------------------------------------------------
576 @order.customer = @customer
577 -------------------------------------------------------
578
579 ===== +_association_.nil?+
580
581 The +_association_.nil?+ method returns +true+ if there is no associated object.
582
583 [source, ruby]
584 -------------------------------------------------------
585 if @order.customer.nil?
586 @msg = "No customer found for this order"
587 end
588 -------------------------------------------------------
589
590 ===== +build___association__(attributes = {})+
591
592 The +build__\_association__+ method returns a new object of the associated type. This object will be instantiated from the passed attributes, and the link through this object's foreign key will be set, but the associated object will _not_ yet be saved.
593
594 [source, ruby]
595 -------------------------------------------------------
596 @customer = @order.build_customer({:customer_number => 123, :customer_name => "John Doe"})
597 -------------------------------------------------------
598
599 ===== +create___association__(attributes = {})+
600
601 The +create__\_association__+ method returns a new object of the associated type. This object will be instantiated from the passed attributes, and the link through this object's foreign key will be set. In addition, the associated object _will_ be saved (assuming that it passes any validations).
602
603 [source, ruby]
604 -------------------------------------------------------
605 @customer = @order.create_customer({:customer_number => 123, :customer_name => "John Doe"})
606 -------------------------------------------------------
607
608 ==== Options for +belongs_to+
609
610 In many situations, you can use the default behavior of +belongs_to+ without any customization. But despite Rails' emphasis of convention over customization, you can alter that behavior in a number of ways. This section covers the options that you can pass when you create a +belongs_to+ association. For example, an association with several options might look like this:
611
612 [source, ruby]
613 -------------------------------------------------------
614 class Order < ActiveRecord::Base
615 belongs_to :customer, :counter_cache => true, :conditions => "active = 1"
616 end
617 -------------------------------------------------------
618
619 The +belongs_to+ association supports these options:
620
621 // * +:accessible+
622 * +:class_name+
623 * +:conditions+
624 * +:counter_cache+
625 * +:dependent+
626 * +:foreign_key+
627 * +:include+
628 * +:polymorphic+
629 * +:readonly+
630 * +:select+
631 * +:validate+
632
633 // ===== +:accessible+
634 //
635 // The +:accessible+ option is the association version of +ActiveRecord::Base#attr_accessible+. If you set the +:accessible+ option to true, then mass // assignment is allowed for this association.
636 //
637 ===== +:class_name+
638
639 If the name of the other model cannot be derived from the association name, you can use the +:class_name+ option to supply the model name. For example, if an order belongs to a customer, but the actual name of the model containing customers is +Patron+, you'd set things up this way:
640
641 [source, ruby]
642 -------------------------------------------------------
643 class Order < ActiveRecord::Base
644 belongs_to :customer, :class_name => "Patron"
645 end
646 -------------------------------------------------------
647
648 ===== +:conditions+
649
650 The +:conditions+ option lets you specify the conditions that the associated object must meet (in the syntax used by a SQL +WHERE+ clause).
651
652 [source, ruby]
653 -------------------------------------------------------
654 class Order < ActiveRecord::Base
655 belongs_to :customer, :conditions => "active = 1"
656 end
657 -------------------------------------------------------
658
659 ===== +:counter_cache+
660
661 The +:counter_cache+ option can be used to make finding the number of belonging objects more efficient. Consider these models:
662
663 [source, ruby]
664 -------------------------------------------------------
665 class Order < ActiveRecord::Base
666 belongs_to :customer
667 end
668 class Customer < ActiveRecord::Base
669 has_many :orders
670 end
671 -------------------------------------------------------
672
673 With these declarations, asking for the value of +@customer.orders.size+ requires making a call to the database to perform a +COUNT(*)+ query. To avoid this call, you can add a counter cache to the _belonging_ model:
674
675 [source, ruby]
676 -------------------------------------------------------
677 class Order < ActiveRecord::Base
678 belongs_to :customer, :counter_cache => true
679 end
680 class Customer < ActiveRecord::Base
681 has_many :orders
682 end
683 -------------------------------------------------------
684
685 With this declaration, Rails will keep the cache value up to date, and then return that value in response to the +.size+ method.
686
687 Although the +:counter_cache+ option is specified on the model that includes the +belongs_to+ declaration, the actual column must be added to the _associated_ model. In the case above, you would need to add a column named +orders_count+ to the +Customer+ model. You can override the default column name if you need to:
688
689 [source, ruby]
690 -------------------------------------------------------
691 class Order < ActiveRecord::Base
692 belongs_to :customer, :counter_cache => :count_of_orders
693 end
694 class Customer < ActiveRecord::Base
695 has_many :orders
696 end
697 -------------------------------------------------------
698
699 Counter cache columns are added to the containing model's list of read-only attributes through +attr_readonly+.
700
701 ===== +:dependent+
702
703 If you set the +:dependent+ option to +:destroy+, then deleting this object will call the destroy method on the associated object to delete that object. If you set the +:dependent+ option to +:delete+, then deleting this object will delete the associated object _without_ calling its +destroy+ method.
704
705 WARNING: You should not specify this option on a +belongs_to+ association that is connected with a +has_many+ association on the other class. Doing so can lead to orphaned records in your database.
706
707 ===== +:foreign_key+
708
709 By convention, Rails guesses that the column used to hold the foreign key on this model is the name of the association with the suffix +_id+ added. The +:foreign_key+ option lets you set the name of the foreign key directly:
710
711 [source, ruby]
712 -------------------------------------------------------
713 class Order < ActiveRecord::Base
714 belongs_to :customer, :class_name => "Patron", :foreign_key => "patron_id"
715 end
716 -------------------------------------------------------
717
718 TIP: In any case, Rails will not create foreign key columns for you. You need to explicitly define them as part of your migrations.
719
720 ===== +:include+
721
722 You can use the :include option to specify second-order associations that should be eager-loaded when this association is used. For example, consider these models:
723
724 [source, ruby]
725 -------------------------------------------------------
726 class LineItem < ActiveRecord::Base
727 belongs_to :order
728 end
729 class Order < ActiveRecord::Base
730 belongs_to :customer
731 has_many :line_items
732 end
733 class Customer < ActiveRecord::Base
734 has_many :orders
735 end
736 -------------------------------------------------------
737
738 If you frequently retrieve customers directly from line items (+@line_item.order.customer+), then you can make your code somewhat more efficient by including customers in the association from line items to orders:
739
740 [source, ruby]
741 -------------------------------------------------------
742 class LineItem < ActiveRecord::Base
743 belongs_to :order, :include => :customer
744 end
745 class Order < ActiveRecord::Base
746 belongs_to :customer
747 has_many :line_items
748 end
749 class Customer < ActiveRecord::Base
750 has_many :orders
751 end
752 -------------------------------------------------------
753
754 NOTE: There's no need to use +:include+ for immediate associations - that is, if you have +Order belongs_to :customer+, then the customer is eager-loaded automatically when it's needed.
755
756 ===== +:polymorphic+
757
758 Passing +true+ to the +:polymorphic+ option indicates that this is a polymorphic association. Polymorphic associations were discussed in detail earlier in this guide.
759
760 ===== +:readonly+
761
762 If you set the +:readonly+ option to +true+, then the associated object will be read-only when retrieved via the association.
763
764 ===== +:select+
765
766 The +:select+ option lets you override the SQL +SELECT+ clause that is used to retrieve data about the associated object. By default, Rails retrieves all columns.
767
768 TIP: If you set the +:select+ option on a +belongs_to+ association, you should also set the +foreign_key+ option to guarantee the correct results.
769
770 ===== +:validate+
771
772 If you set the +:validate+ option to +true+, then associated objects will be validated whenever you save this object. By default, this is +false+: associated objects will not be validated when this object is saved.
773
774 ==== When are Objects Saved?
775
776 Assigning an object to a +belongs_to+ association does _not_ automatically save the object. It does not save the associated object either.
777
778 === The has_one Association
779
780 The +has_one+ association creates a one-to-one match with another model. In database terms, this association says that the other class contains the foreign key. If this class contains the foreign key, then you should use +belongs_to+ instead.
781
782 ==== Methods Added by +has_one+
783
784 When you declare a +has_one+ association, the declaring class automatically gains five methods related to the association:
785
786 * +_association_(force_reload = false)+
787 * +_association_=(associate)+
788 * +_association_.nil?+
789 * +build___association__(attributes = {})+
790 * +create___association__(attributes = {})+
791
792 In all of these methods, +_association_+ is replaced with the symbol passed as the first argument to +has_one+. For example, given the declaration:
793
794 [source, ruby]
795 -------------------------------------------------------
796 class Supplier < ActiveRecord::Base
797 has_one :account
798 end
799 -------------------------------------------------------
800
801 Each instance of the +Supplier+ model will have these methods:
802
803 [source, ruby]
804 -------------------------------------------------------
805 account
806 account=
807 account.nil?
808 build_account
809 create_account
810 -------------------------------------------------------
811
812 ===== +_association_(force_reload = false)+
813
814 The +_association_+ method returns the associated object, if any. If no associated object is found, it returns +nil+.
815
816 [source, ruby]
817 -------------------------------------------------------
818 @account = @supplier.account
819 -------------------------------------------------------
820
821 If the associated object has already been retrieved from the database for this object, the cached version will be returned. To override this behavior (and force a database read), pass +true+ as the +force_reload+ argument.
822
823 ===== +_association_=(associate)+
824
825 The +_association_=+ method assigns an associated object to this object. Behind the scenes, this means extracting the primary key from this object and setting the associate object's foreign key to the same value.
826
827 [source, ruby]
828 -------------------------------------------------------
829 @suppler.account = @account
830 -------------------------------------------------------
831
832 ===== +_association_.nil?+
833
834 The +_association_.nil?+ method returns +true+ if there is no associated object.
835
836 [source, ruby]
837 -------------------------------------------------------
838 if @supplier.account.nil?
839 @msg = "No account found for this supplier"
840 end
841 -------------------------------------------------------
842
843 ===== +build___association__(attributes = {})+
844
845 The +build__\_association__+ method returns a new object of the associated type. This object will be instantiated from the passed attributes, and the link through its foreign key will be set, but the associated object will _not_ yet be saved.
846
847 [source, ruby]
848 -------------------------------------------------------
849 @account = @supplier.build_account({:terms => "Net 30"})
850 -------------------------------------------------------
851
852 ===== +create___association__(attributes = {})+
853
854 The +create__\_association__+ method returns a new object of the associated type. This object will be instantiated from the passed attributes, and the link through its foreign key will be set. In addition, the associated object _will_ be saved (assuming that it passes any validations).
855
856 [source, ruby]
857 -------------------------------------------------------
858 @account = @supplier.create_account({:terms => "Net 30"})
859 -------------------------------------------------------
860
861 ==== Options for +has_one+
862
863 In many situations, you can use the default behavior of +has_one+ without any customization. But despite Rails' emphasis of convention over customization, you can alter that behavior in a number of ways. This section covers the options that you can pass when you create a +has_one+ association. For example, an association with several options might look like this:
864
865 [source, ruby]
866 -------------------------------------------------------
867 class Supplier < ActiveRecord::Base
868 has_one :account, :class_name => "Billing", :dependent => :nullify
869 end
870 -------------------------------------------------------
871
872 The +has_one+ association supports these options:
873
874 // * +:accessible+
875 * +:as+
876 * +:class_name+
877 * +:conditions+
878 * +:dependent+
879 * +:foreign_key+
880 * +:include+
881 * +:order+
882 * +:primary_key+
883 * +:readonly+
884 * +:select+
885 * +:source+
886 * +:source_type+
887 * +:through+
888 * +:validate+
889
890 // ===== +:accessible+
891 //
892 // The +:accessible+ option is the association version of +ActiveRecord::Base#attr_accessible+. If you set the +:accessible+ option to true, then mass // assignment is allowed for this association.
893 //
894 ===== +:as+
895
896 Setting the +:as+ option indicates that this is a polymorphic association. Polymorphic associations are discussed in detail later in this guide.
897
898 ===== +:class_name+
899
900 If the name of the other model cannot be derived from the association name, you can use the +:class_name+ option to supply the model name. For example, if a supplier has an account, but the actual name of the model containing accounts is Billing, you'd set things up this way:
901
902 [source, ruby]
903 -------------------------------------------------------
904 class Supplier < ActiveRecord::Base
905 has_one :account, :class_name => "Billing"
906 end
907 -------------------------------------------------------
908
909 ===== +:conditions+
910
911 The +:conditions+ option lets you specify the conditions that the associated object must meet (in the syntax used by a SQL +WHERE+ clause).
912
913 [source, ruby]
914 -------------------------------------------------------
915 class Supplier < ActiveRecord::Base
916 has_one :account, :conditions => "confirmed = 1"
917 end
918 -------------------------------------------------------
919
920 ===== +:dependent+
921
922 If you set the +:dependent+ option to +:destroy+, then deleting this object will call the destroy method on the associated object to delete that object. If you set the +:dependent+ option to +:delete+, then deleting this object will delete the associated object _without_ calling its +destroy+ method. If you set the +:dependent+ option to +:nullify+, then deleting this object will set the foreign key in the association object to +NULL+.
923
924 ===== +:foreign_key+
925
926 By convention, Rails guesses that the column used to hold the foreign key on the other model is the name of this model with the suffix +_id+ added. The +:foreign_key+ option lets you set the name of the foreign key directly:
927
928 [source, ruby]
929 -------------------------------------------------------
930 class Supplier < ActiveRecord::Base
931 has_one :account, :foreign_key => "supp_id"
932 end
933 -------------------------------------------------------
934
935 TIP: In any case, Rails will not create foreign key columns for you. You need to explicitly define them as part of your migrations.
936
937 ===== +:include+
938
939 You can use the :include option to specify second-order associations that should be eager-loaded when this association is used. For example, consider these models:
940
941 [source, ruby]
942 -------------------------------------------------------
943 class Supplier < ActiveRecord::Base
944 has_one :account
945 end
946 class Account < ActiveRecord::Base
947 belongs_to :supplier
948 belongs_to :representative
949 end
950 class Representative < ActiveRecord::Base
951 has_many :accounts
952 end
953 -------------------------------------------------------
954
955 If you frequently retrieve representatives directly from suppliers (+@supplier.account.representative+), then you can make your code somewhat more efficient by including representatives in the association from suppliers to accounts:
956
957 [source, ruby]
958 -------------------------------------------------------
959 class Supplier < ActiveRecord::Base
960 has_one :account, :include => :representative
961 end
962 class Account < ActiveRecord::Base
963 belongs_to :supplier
964 belongs_to :representative
965 end
966 class Representative < ActiveRecord::Base
967 has_many :accounts
968 end
969 -------------------------------------------------------
970
971 ===== +:order+
972
973 The +:order+ option dictates the order in which associated objects will be received (in the syntax used by a SQL +ORDER BY+ clause). Because a +has_one+ association will only retrieve a single associated object, this option should not be needed.
974
975 ===== +:primary_key+
976
977 By convention, Rails guesses that the column used to hold the primary key of this model is +id+. You can override this and explicitly specify the primary key with the +:primary_key+ option.
978
979 ===== +:readonly+
980
981 If you set the +:readonly+ option to +true+, then the associated object will be read-only when retrieved via the association.
982
983 ===== +:select+
984
985 The +:select+ option lets you override the SQL +SELECT+ clause that is used to retrieve data about the associated object. By default, Rails retrieves all columns.
986
987 ===== +:source+
988
989 The +:source+ option specifies the source association name for a +has_one :through+ association.
990
991 ===== +:source_type+
992
993 The +:source_type+ option specifies the source association type for a +has_one :through+ association that proceeds through a polymorphic association.
994
995 ===== +:through+
996
997 The +:through+ option specifies a join model through which to perform the query. +has_one :through+ associations are discussed in detail later in this guide.
998
999 ===== +:validate+
1000
1001 If you set the +:validate+ option to +true+, then associated objects will be validated whenever you save this object. By default, this is +false+: associated objects will not be validated when this object is saved.
1002
1003 ==== When are Objects Saved?
1004
1005 When you assign an object to a +has_one+ association, that object is automatically saved (in order to update its foreign key). In addition, any object being replaced is also automatically saved, because its foreign key will change too.
1006
1007 If either of these saves fails due to validation errors, then the assignment statement returns +false+ and the assignment itself is cancelled.
1008
1009 If the parent object (the one declaring the +has_one+ association) is unsaved (that is, +new_record?+ returns +true+) then the child objects are not saved.
1010
1011 If you want to assign an object to a +has_one+ association without saving the object, use the +association.build+ method.
1012
1013 === The has_many Association
1014
1015 The +has_many+ association creates a one-to-many relationship with another model. In database terms, this association says that the other class will have a foreign key that refers to instances of this class.
1016
1017 ==== Methods Added
1018
1019 When you declare a +has_many+ association, the declaring class automatically gains 13 methods related to the association:
1020
1021 * +_collection_(force_reload = false)+
1022 * +_collection_<<(object, ...)+
1023 * +_collection_.delete(object, ...)+
1024 * +_collection_=objects+
1025 * +_collection\_singular_\_ids+
1026 * +_collection\_singular_\_ids=ids+
1027 * +_collection_.clear+
1028 * +_collection_.empty?+
1029 * +_collection_.size+
1030 * +_collection_.find(...)+
1031 * +_collection_.exist?(...)+
1032 * +_collection_.build(attributes = {}, ...)+
1033 * +_collection_.create(attributes = {})+
1034
1035 In all of these methods, +_collection_+ is replaced with the symbol passed as the first argument to +has_many+, and +_collection\_singular_+ is replaced with the singularized version of that symbol.. For example, given the declaration:
1036
1037 [source, ruby]
1038 -------------------------------------------------------
1039 class Customer < ActiveRecord::Base
1040 has_many :orders
1041 end
1042 -------------------------------------------------------
1043
1044 Each instance of the customer model will have these methods:
1045
1046 [source, ruby]
1047 -------------------------------------------------------
1048 orders(force_reload = false)
1049 orders<<(object, ...)
1050 orders.delete(object, ...)
1051 orders=objects
1052 order_ids
1053 order_ids=ids
1054 orders.clear
1055 orders.empty?
1056 orders.size
1057 orders.find(...)
1058 orders.exist?(...)
1059 orders.build(attributes = {}, ...)
1060 orders.create(attributes = {})
1061 -------------------------------------------------------
1062
1063 ===== +_collection_(force_reload = false)+
1064
1065 The +_collection_+ method returns an array of all of the associated objects. If there are no associated objects, it returns an empty array.
1066
1067 [source, ruby]
1068 -------------------------------------------------------
1069 @orders = @customer.orders
1070 -------------------------------------------------------
1071
1072 ===== +_collection_<<(object, ...)+
1073
1074 The +_collection_<<+ method adds one or more objects to the collection by setting their foreign keys to the primary key of the calling model.
1075
1076 [source, ruby]
1077 -------------------------------------------------------
1078 @customer.orders << @order1
1079 -------------------------------------------------------
1080
1081 ===== +_collection_.delete(object, ...)+
1082
1083 The +_collection_.delete+ method removes one or more objects from the collection by setting their foreign keys to +NULL+.
1084
1085 [source, ruby]
1086 -------------------------------------------------------
1087 @customer.orders.delete(@order1)
1088 -------------------------------------------------------
1089
1090 WARNING: Objects will be in addition destroyed if they're associated with +:dependent => :destroy+, and deleted if they're associated with +:dependent => :delete_all+.
1091
1092
1093 ===== +_collection_=objects+
1094
1095 The +_collection_=+ method makes the collection contain only the supplied objects, by adding and deleting as appropriate.
1096
1097 ===== +_collection\_singular_\_ids+
1098
1099 The +_collection\_singular_\_ids+ method returns an array of the ids of the objects in the collection.
1100
1101 [source, ruby]
1102 -------------------------------------------------------
1103 @order_ids = @customer.order_ids
1104 -------------------------------------------------------
1105
1106 ===== +__collection\_singular_\_ids=ids+
1107
1108 The +__collection\_singular_\_ids=+ method makes the collection contain only the objects identified by the supplied primary key values, by adding and deleting as appropriate.
1109
1110 ===== +_collection_.clear+
1111
1112 The +_collection_.clear+ method removes every object from the collection. This destroys the associated objects if they are associated with +:dependent => :destroy+, deletes them directly from the database if +:dependent => :delete_all+, and otherwise sets their foreign keys to +NULL+.
1113
1114 ===== +_collection_.empty?+
1115
1116 The +_collection_.empty?+ method returns +true+ if the collection does not contain any associated objects.
1117
1118 [source, ruby]
1119 -------------------------------------------------------
1120 <% if @customer.orders.empty? %>
1121 No Orders Found
1122 <% end %>
1123 -------------------------------------------------------
1124
1125 ===== +_collection_.size+
1126
1127 The +_collection_.size+ method returns the number of objects in the collection.
1128
1129 [source, ruby]
1130 -------------------------------------------------------
1131 @order_count = @customer.orders.size
1132 -------------------------------------------------------
1133
1134 ===== +_collection_.find(...)+
1135
1136 The +_collection_.find+ method finds objects within the collection. It uses the same syntax and options as +ActiveRecord::Base.find+.
1137
1138 [source, ruby]
1139 -------------------------------------------------------
1140 @open_orders = @customer.orders.find(:all, :conditions => "open = 1")
1141 -------------------------------------------------------
1142
1143 ===== +_collection_.exist?(...)+
1144
1145 The +_collection_.exist?+ method checks whether an object meeting the supplied conditions exists in the collection. It uses the same syntax and options as +ActiveRecord::Base.exists?+.
1146
1147 ===== +_collection_.build(attributes = {}, ...)+
1148
1149 The +_collection_.build+ method returns one or more new objects of the associated type. These objects will be instantiated from the passed attributes, and the link through their foreign key will be created, but the associated objects will _not_ yet be saved.
1150
1151 [source, ruby]
1152 -------------------------------------------------------
1153 @order = @customer.orders.build({:order_date => Time.now, :order_number => "A12345"})
1154 -------------------------------------------------------
1155
1156 ===== +_collection_.create(attributes = {})+
1157
1158 The +_collection_.create+ method returns a new object of the associated type. This object will be instantiated from the passed attributes, the link through its foreign key will be created, and the associated object _will_ be saved (assuming that it passes any validations).
1159
1160 [source, ruby]
1161 -------------------------------------------------------
1162 @order = @customer.orders.create({:order_date => Time.now, :order_number => "A12345"})
1163 -------------------------------------------------------
1164
1165 ==== Options for has_many
1166
1167 In many situations, you can use the default behavior for +has_many+ without any customization. But you can alter that behavior in a number of ways. This section covers the options that you can pass when you create a +has_many+ association. For example, an association with several options might look like this:
1168
1169 [source, ruby]
1170 -------------------------------------------------------
1171 class Customer < ActiveRecord::Base
1172 has_many :orders, :dependent => :delete_all, :validate => :false
1173 end
1174 -------------------------------------------------------
1175
1176 The +has_many+ association supports these options:
1177
1178 // * +:accessible+
1179 * +:as+
1180 * +:class_name+
1181 * +:conditions+
1182 * +:counter_sql+
1183 * +:dependent+
1184 * +:extend+
1185 * +:finder_sql+
1186 * +:foreign_key+
1187 * +:group+
1188 * +:include+
1189 * +:limit+
1190 * +:offset+
1191 * +:order+
1192 * +:primary_key+
1193 * +:readonly+
1194 * +:select+
1195 * +:source+
1196 * +:source_type+
1197 * +:through+
1198 * +:uniq+
1199 * +:validate+
1200
1201 // ===== +:accessible+
1202 //
1203 // The +:accessible+ option is the association version of +ActiveRecord::Base#attr_accessible+. If you set the +:accessible+ option to true, then mass // assignment is allowed for this association.
1204 //
1205 ===== +:as+
1206
1207 Setting the +:as+ option indicates that this is a polymorphic association, as discussed earlier in this guide.
1208
1209 ===== +:class_name+
1210
1211 If the name of the other model cannot be derived from the association name, you can use the +:class_name+ option to supply the model name. For example, if a customer has many orders, but the actual name of the model containing orders is +Transaction+, you'd set things up this way:
1212
1213 [source, ruby]
1214 -------------------------------------------------------
1215 class Customer < ActiveRecord::Base
1216 has_many :orders, :class_name => "Transaction"
1217 end
1218 -------------------------------------------------------
1219
1220 ===== +:conditions+
1221
1222 The +:conditions+ option lets you specify the conditions that the associated object must meet (in the syntax used by a SQL +WHERE+ clause).
1223
1224 [source, ruby]
1225 -------------------------------------------------------
1226 class Customer < ActiveRecord::Base
1227 has_many :confirmed_orders, :class_name => "Order", :conditions => "confirmed = 1"
1228 end
1229 -------------------------------------------------------
1230
1231 You can also set conditions via a hash:
1232
1233 [source, ruby]
1234 -------------------------------------------------------
1235 class Customer < ActiveRecord::Base
1236 has_many :confirmed_orders, :class_name => "Order", :conditions => { :confirmed => true }
1237 end
1238 -------------------------------------------------------
1239
1240 If you use a hash-style +:conditions+ option, then record creation via this association will be automatically scoped using the hash. In this case, using +@customer.confirmed_orders.create+ or +@customer.confirmed_orders.build+ will create orders where the confirmed column has the value +true+.
1241
1242 ===== +:counter_sql+
1243
1244 Normally Rails automatically generates the proper SQL to count the association members. With the +:counter_sql+ option, you can specify a complete SQL statement to count them yourself.
1245
1246 NOTE: If you specify +:finder_sql+ but not +:counter_sql+, then the counter SQL will be generated by substituting +SELECT COUNT(*) FROM+ for the +SELECT ... FROM+ clause of your +:finder_sql+ statement.
1247
1248 ===== +:dependent+
1249
1250 If you set the +:dependent+ option to +:destroy+, then deleting this object will call the destroy method on the associated objects to delete those objects. If you set the +:dependent+ option to +:delete_all+, then deleting this object will delete the associated objects _without_ calling their +destroy+ method. If you set the +:dependent+ option to +:nullify+, then deleting this object will set the foreign key in the associated objects to +NULL+.
1251
1252 NOTE: This option is ignored when you use the +:through+ option on the association.
1253
1254 ===== +:extend+
1255
1256 The +:extend+ option specifies a named module to extend the association proxy. Association extensions are discussed in detail later in this guide.
1257
1258 ===== +:finder_sql+
1259
1260 Normally Rails automatically generates the proper SQL to fetch the association members. With the +:finder_sql+ option, you can specify a complete SQL statement to fetch them yourself. If fetching objects requires complex multi-table SQL, this may be necessary.
1261
1262 ===== +:foreign_key+
1263
1264 By convention, Rails guesses that the column used to hold the foreign key on the other model is the name of this model with the suffix +_id+ added. The +:foreign_key+ option lets you set the name of the foreign key directly:
1265
1266 [source, ruby]
1267 -------------------------------------------------------
1268 class Customer < ActiveRecord::Base
1269 has_many :orders, :foreign_key => "cust_id"
1270 end
1271 -------------------------------------------------------
1272
1273 TIP: In any case, Rails will not create foreign key columns for you. You need to explicitly define them as part of your migrations.
1274
1275 ===== +:group+
1276
1277 The +:group+ option supplies an attribute name to group the result set by, using a +GROUP BY+ clause in the finder SQL.
1278
1279 [source, ruby]
1280 -------------------------------------------------------
1281 class Customer < ActiveRecord::Base
1282 has_many :line_items, :through => :orders, :group => "orders.id"
1283 end
1284 -------------------------------------------------------
1285
1286 ===== +:include+
1287
1288 You can use the :include option to specify second-order associations that should be eager-loaded when this association is used. For example, consider these models:
1289
1290 [source, ruby]
1291 -------------------------------------------------------
1292 class Customer < ActiveRecord::Base
1293 has_many :orders
1294 end
1295 class Order < ActiveRecord::Base
1296 belongs_to :customer
1297 has_many :line_items
1298 end
1299 class LineItem < ActiveRecord::Base
1300 belongs_to :order
1301 end
1302 -------------------------------------------------------
1303
1304 If you frequently retrieve line items directly from customers (+@customer.orders.line_items+), then you can make your code somewhat more efficient by including line items in the association from customers to orders:
1305
1306 [source, ruby]
1307 -------------------------------------------------------
1308 class Customer < ActiveRecord::Base
1309 has_many :orders, :include => :line_items
1310 end
1311 class Order < ActiveRecord::Base
1312 belongs_to :customer
1313 has_many :line_items
1314 end
1315 class LineItem < ActiveRecord::Base
1316 belongs_to :order
1317 end
1318 -------------------------------------------------------
1319
1320 ===== +:limit+
1321
1322 The +:limit+ option lets you restrict the total number of objects that will be fetched through an association.
1323
1324 [source, ruby]
1325 -------------------------------------------------------
1326 class Customer < ActiveRecord::Base
1327 has_many :recent_orders, :class_name => "Order", :order => "order_date DESC", :limit => 100
1328 end
1329 -------------------------------------------------------
1330
1331 ===== +:offset+
1332
1333 The +:offset+ option lets you specify the starting offset for fetching objects via an association. For example, if you set +:offset => 11+, it will skip the first 10 records.
1334
1335 ===== +:order+
1336
1337 The +:order+ option dictates the order in which associated objects will be received (in the syntax used by a SQL +ORDER BY+ clause).
1338
1339 [source, ruby]
1340 -------------------------------------------------------
1341 class Customer < ActiveRecord::Base
1342 has_many :orders, :order => "date_confirmed DESC"
1343 end
1344 -------------------------------------------------------
1345
1346 ===== +:primary_key+
1347
1348 By convention, Rails guesses that the column used to hold the primary key of this model is +id+. You can override this and explicitly specify the primary key with the +:primary_key+ option.
1349
1350 ===== +:readonly+
1351
1352 If you set the +:readonly+ option to +true+, then the associated objects will be read-only when retrieved via the association.
1353
1354 ===== +:select+
1355
1356 The +:select+ option lets you override the SQL +SELECT+ clause that is used to retrieve data about the associated objects. By default, Rails retrieves all columns.
1357
1358 WARNING: If you specify your own +:select+, be sure to include the primary key and foreign key columns of the associated model. If you do not, Rails will throw an error.
1359
1360 ===== +:source+
1361
1362 The +:source+ option specifies the source association name for a +has_many :through+ association. You only need to use this option if the name of the source association cannot be automatically inferred from the association name.
1363
1364 ===== +:source_type+
1365
1366 The +:source_type+ option specifies the source association type for a +has_many :through+ association that proceeds through a polymorphic association.
1367
1368 ===== +:through+
1369
1370 The +:through+ option specifies a join model through which to perform the query. +has_many :through+ associations provide a way to implement many-to-many relationships, as discussed earlier in this guide.
1371
1372 ===== +:uniq+
1373
1374 Specify the +:uniq => true+ option to remove duplicates from the collection. This is most useful in conjunction with the +:through+ option.
1375
1376 ===== +:validate+
1377
1378 If you set the +:validate+ option to +false+, then associated objects will not be validated whenever you save this object. By default, this is +true+: associated objects will be validated when this object is saved.
1379
1380 ==== When are Objects Saved?
1381
1382 When you assign an object to a +has_many+ association, that object is automatically saved (in order to update its foreign key). If you assign multiple objects in one statement, then they are all saved.
1383
1384 If any of these saves fails due to validation errors, then the assignment statement returns +false+ and the assignment itself is cancelled.
1385
1386 If the parent object (the one declaring the +has_many+ association) is unsaved (that is, +new_record?+ returns +true+) then the child objects are not saved when they are added. All unsaved members of the association will automatically be saved when the parent is saved.
1387
1388 If you want to assign an object to a +has_many+ association without saving the object, use the +_collection_.build+ method.
1389
1390 === The +has_and_belongs_to_many+ Association
1391
1392 The +has_and_belongs_to_many+ association creates a many-to-many relationship with another model. In database terms, this associates two classes via an intermediate join table that includes foreign keys referring to each of the classes.
1393
1394 ==== Methods Added
1395
1396 When you declare a +has_and_belongs_to_many+ association, the declaring class automatically gains 13 methods related to the association:
1397
1398 * +_collection_(force_reload = false)+
1399 * +_collection_<<(object, ...)+
1400 * +_collection_.delete(object, ...)+
1401 * +_collection_=objects+
1402 * +_collection\_singular_\_ids+
1403 * +_collection\_singular_\_ids=ids+
1404 * +_collection_.clear+
1405 * +_collection_.empty?+
1406 * +_collection_.size+
1407 * +_collection_.find(...)+
1408 * +_collection_.exist?(...)+
1409 * +_collection_.build(attributes = {})+
1410 * +_collection_.create(attributes = {})+
1411
1412 In all of these methods, +_collection_+ is replaced with the symbol passed as the first argument to +has_many+, and +_collection_\_singular+ is replaced with the singularized version of that symbol.. For example, given the declaration:
1413
1414 [source, ruby]
1415 -------------------------------------------------------
1416 class Part < ActiveRecord::Base
1417 has_and_belongs_to_many :assemblies
1418 end
1419 -------------------------------------------------------
1420
1421 Each instance of the part model will have these methods:
1422
1423 [source, ruby]
1424 -------------------------------------------------------
1425 assemblies(force_reload = false)
1426 assemblies<<(object, ...)
1427 assemblies.delete(object, ...)
1428 assemblies=objects
1429 assembly_ids
1430 assembly_ids=ids
1431 assemblies.clear
1432 assemblies.empty?
1433 assemblies.size
1434 assemblies.find(...)
1435 assemblies.exist?(...)
1436 assemblies.build(attributes = {}, ...)
1437 assemblies.create(attributes = {})
1438 -------------------------------------------------------
1439
1440 ===== Additional Column Methods
1441
1442 If the join table for a +has_and_belongs_to_many+ association has additional columns beyond the two foreign keys, these columns will be added as attributes to records retrieved via that association. Records returned with additional attributes will always be read-only, because Rails cannot save changes to those attributes.
1443
1444 WARNING: The use of extra attributes on the join table in a +has_and_belongs_to_many+ association is deprecated. If you require this sort of complex behavior on the table that joins two models in a many-to-many relationship, you should use a +has_many :through+ association instead of +has_and_belongs_to_many+.
1445
1446
1447 ===== +_collection_(force_reload = false)+
1448
1449 The +_collection_+ method returns an array of all of the associated objects. If there are no associated objects, it returns an empty array.
1450
1451 [source, ruby]
1452 -------------------------------------------------------
1453 @assemblies = @part.assemblies
1454 -------------------------------------------------------
1455
1456 ===== +_collection_<<(object, ...)+
1457
1458 The +_collection_<<+ method adds one or more objects to the collection by creating records in the join table.
1459
1460 [source, ruby]
1461 -------------------------------------------------------
1462 @part.assemblies << @assembly1
1463 -------------------------------------------------------
1464
1465 NOTE: This method is aliased as +_collection_.concat+ and +_collection_.push+.
1466
1467 ===== +_collection_.delete(object, ...)+
1468
1469 The +_collection_.delete+ method removes one or more objects from the collection by deleting records in the join table. This does not destroy the objects.
1470
1471 [source, ruby]
1472 -------------------------------------------------------
1473 @part.assemblies.delete(@assembly1)
1474 -------------------------------------------------------
1475
1476 ===== +_collection_=objects+
1477
1478 The +_collection_=+ method makes the collection contain only the supplied objects, by adding and deleting as appropriate.
1479
1480 ===== +_collection\_singular_\_ids+
1481
1482 # Returns an array of the associated objects' ids
1483
1484 The +_collection\_singular_\_ids+ method returns an array of the ids of the objects in the collection.
1485
1486 [source, ruby]
1487 -------------------------------------------------------
1488 @assembly_ids = @part.assembly_ids
1489 -------------------------------------------------------
1490
1491 ===== +_collection\_singular_\_ids=ids+
1492
1493 The +_collection\_singular_\_ids=+ method makes the collection contain only the objects identified by the supplied primary key values, by adding and deleting as appropriate.
1494
1495 ===== +_collection_.clear+
1496
1497 The +_collection_.clear+ method removes every object from the collection by deleting the rows from the joining tableassociation. This does not destroy the associated objects.
1498
1499 ===== +_collection_.empty?+
1500
1501 The +_collection_.empty?+ method returns +true+ if the collection does not contain any associated objects.
1502
1503 [source, ruby]
1504 -------------------------------------------------------
1505 <% if @part.assemblies.empty? %>
1506 This part is not used in any assemblies
1507 <% end %>
1508 -------------------------------------------------------
1509
1510 ===== +_collection_.size+
1511
1512 The +_collection_.size+ method returns the number of objects in the collection.
1513
1514 [source, ruby]
1515 -------------------------------------------------------
1516 @assembly_count = @part.assemblies.size
1517 -------------------------------------------------------
1518
1519 ===== +_collection_.find(...)+
1520
1521 The +_collection_.find+ method finds objects within the collection. It uses the same syntax and options as +ActiveRecord::Base.find+. It also adds the additional condition that the object must be in the collection.
1522
1523 [source, ruby]
1524 -------------------------------------------------------
1525 @new_assemblies = @part.assemblies.find(:all, :conditions => ["created_at > ?", 2.days.ago])
1526 -------------------------------------------------------
1527
1528 ===== +_collection_.exist?(...)+
1529
1530 The +_collection_.exist?+ method checks whether an object meeting the supplied conditions exists in the collection. It uses the same syntax and options as +ActiveRecord::Base.exists?+.
1531
1532 ===== +_collection_.build(attributes = {})+
1533
1534 The +_collection_.build+ method returns a new object of the associated type. This object will be instantiated from the passed attributes, and the link through the join table will be created, but the associated object will _not_ yet be saved.
1535
1536 [source, ruby]
1537 -------------------------------------------------------
1538 @assembly = @part.assemblies.build({:assembly_name => "Transmission housing"})
1539 -------------------------------------------------------
1540
1541 ===== +_collection_.create(attributes = {})+
1542
1543 The +_collection_.create+ method returns a new object of the associated type. This objects will be instantiated from the passed attributes, the link through the join table will be created, and the associated object _will_ be saved (assuming that it passes any validations).
1544
1545 [source, ruby]
1546 -------------------------------------------------------
1547 @assembly = @part.assemblies.create({:assembly_name => "Transmission housing"})
1548 -------------------------------------------------------
1549
1550 ==== Options for has_and_belongs_to_many
1551
1552 In many situations, you can use the default behavior for +has_and_belongs_to_many+ without any customization. But you can alter that behavior in a number of ways. This section cover the options that you can pass when you create a +has_and_belongs_to_many+ association. For example, an association with several options might look like this:
1553
1554 [source, ruby]
1555 -------------------------------------------------------
1556 class Parts < ActiveRecord::Base
1557 has_and_belongs_to_many :assemblies, :uniq => true, :read_only => true
1558 end
1559 -------------------------------------------------------
1560
1561 The +has_and_belongs_to_many+ association supports these options:
1562
1563 // * +:accessible+
1564 * +:association_foreign_key+
1565 * +:class_name+
1566 * +:conditions+
1567 * +:counter_sql+
1568 * +:delete_sql+
1569 * +:extend+
1570 * +:finder_sql+
1571 * +:foreign_key+
1572 * +:group+
1573 * +:include+
1574 * +:insert_sql+
1575 * +:join_table+
1576 * +:limit+
1577 * +:offset+
1578 * +:order+
1579 * +:readonly+
1580 * +:select+
1581 * +:uniq+
1582 * +:validate+
1583
1584 // ===== +:accessible+
1585 //
1586 // The +:accessible+ option is the association version of +ActiveRecord::Base#attr_accessible+. If you set the +:accessible+ option to true, then mass // assignment is allowed for this association.
1587 //
1588 ===== +:association_foreign_key+
1589
1590 By convention, Rails guesses that the column in the join table used to hold the foreign key pointing to the other model is the name of that model with the suffix +_id+ added. The +:association_foreign_key+ option lets you set the name of the foreign key directly:
1591
1592 TIP: The +:foreign_key+ and +:association_foreign_key+ options are useful when setting up a many-to-many self-join. For example:
1593
1594 [source, ruby]
1595 -------------------------------------------------------
1596 class User < ActiveRecord::Base
1597 has_and_belongs_to_many :friends, :class_name => "User",
1598 :foreign_key => "this_user_id", :association_foreign_key => "other_user_id"
1599 end
1600 -------------------------------------------------------
1601
1602 ===== +:class_name+
1603
1604 If the name of the other model cannot be derived from the association name, you can use the +:class_name+ option to supply the model name. For example, if a part has many assemblies, but the actual name of the model containing assemblies is +Gadget+, you'd set things up this way:
1605
1606 [source, ruby]
1607 -------------------------------------------------------
1608 class Parts < ActiveRecord::Base
1609 has_and_belongs_to_many :assemblies, :class_name => "Gadget"
1610 end
1611 -------------------------------------------------------
1612
1613 ===== +:conditions+
1614
1615 The +:conditions+ option lets you specify the conditions that the associated object must meet (in the syntax used by a SQL +WHERE+ clause).
1616
1617 [source, ruby]
1618 -------------------------------------------------------
1619 class Parts < ActiveRecord::Base
1620 has_and_belongs_to_many :assemblies, :conditions => "factory = 'Seattle'"
1621 end
1622 -------------------------------------------------------
1623
1624 You can also set conditions via a hash:
1625
1626 [source, ruby]
1627 -------------------------------------------------------
1628 class Parts < ActiveRecord::Base
1629 has_and_belongs_to_many :assemblies, :conditions => { :factory => 'Seattle' }
1630 end
1631 -------------------------------------------------------
1632
1633 If you use a hash-style +:conditions+ option, then record creation via this association will be automatically scoped using the hash. In this case, using +@parts.assemblies.create+ or +@parts.assemblies.build+ will create orders where the factory column has the value "Seattle".
1634
1635 ===== +:counter_sql+
1636
1637 Normally Rails automatically generates the proper SQL to count the association members. With the +:counter_sql+ option, you can specify a complete SQL statement to count them yourself.
1638
1639 NOTE: If you specify +:finder_sql+ but not +:counter_sql+, then the counter SQL will be generated by substituting +SELECT COUNT(*) FROM+ for the +SELECT ... FROM+ clause of your +:finder_sql+ statement.
1640
1641 ===== +:delete_sql+
1642
1643 Normally Rails automatically generates the proper SQL to remove links between the associated classes. With the +:delete_sql+ option, you can specify a complete SQL statement to delete them yourself.
1644
1645 ===== +:extend+
1646
1647 The +:extend+ option specifies a named module to extend the association proxy. Association extensions are discussed in detail later in this guide.
1648
1649 ===== +:finder_sql+
1650
1651 Normally Rails automatically generates the proper SQL to fetch the association members. With the +:finder_sql+ option, you can specify a complete SQL statement to fetch them yourself. If fetching objects requires complex multi-table SQL, this may be necessary.
1652
1653 ===== +:foreign_key+
1654
1655 By convention, Rails guesses that the column in the join table used to hold the foreign key pointing to this model is the name of this model with the suffix +_id+ added. The +:foreign_key+ option lets you set the name of the foreign key directly:
1656
1657 [source, ruby]
1658 -------------------------------------------------------
1659 class User < ActiveRecord::Base
1660 has_and_belongs_to_many :friends, :class_name => "User",
1661 :foreign_key => "this_user_id", :association_foreign_key => "other_user_id"
1662 end
1663 -------------------------------------------------------
1664
1665 ===== +:group+
1666
1667 The +:group+ option supplies an attribute name to group the result set by, using a +GROUP BY+ clause in the finder SQL.
1668
1669 [source, ruby]
1670 -------------------------------------------------------
1671 class Parts < ActiveRecord::Base
1672 has_and_belongs_to_many :assemblies, :group => "factory"
1673 end
1674 -------------------------------------------------------
1675
1676 ===== +:include+
1677
1678 You can use the :include option to specify second-order associations that should be eager-loaded when this association is used.
1679
1680 ===== +:insert_sql+
1681
1682 Normally Rails automatically generates the proper SQL to create links between the associated classes. With the +:insert_sql+ option, you can specify a complete SQL statement to insert them yourself.
1683
1684 ===== +:join_table+
1685
1686 If the default name of the join table, based on lexical ordering, is not what you want, you can use the +:join_table+ option to override the default.
1687
1688 ===== +:limit+
1689
1690 The +:limit+ option lets you restrict the total number of objects that will be fetched through an association.
1691
1692 [source, ruby]
1693 -------------------------------------------------------
1694 class Parts < ActiveRecord::Base
1695 has_and_belongs_to_many :assemblies, :order => "created_at DESC", :limit => 50
1696 end
1697 -------------------------------------------------------
1698
1699 ===== +:offset+
1700
1701 The +:offset+ option lets you specify the starting offset for fetching objects via an association. For example, if you set +:offset => 11+, it will skip the first 10 records.
1702
1703 ===== +:order+
1704
1705 The +:order+ option dictates the order in which associated objects will be received (in the syntax used by a SQL +ORDER BY+ clause).
1706
1707 [source, ruby]
1708 -------------------------------------------------------
1709 class Parts < ActiveRecord::Base
1710 has_and_belongs_to_many :assemblies, :order => "assembly_name ASC"
1711 end
1712 -------------------------------------------------------
1713
1714 ===== +:readonly+
1715
1716 If you set the +:readonly+ option to +true+, then the associated objects will be read-only when retrieved via the association.
1717
1718 ===== +:select+
1719
1720 The +:select+ option lets you override the SQL +SELECT+ clause that is used to retrieve data about the associated objects. By default, Rails retrieves all columns.
1721
1722 ===== +:uniq+
1723
1724 Specify the +:uniq => true+ option to remove duplicates from the collection.
1725
1726 ===== +:validate+
1727
1728 If you set the +:validate+ option to +false+, then associated objects will not be validated whenever you save this object. By default, this is +true+: associated objects will be validated when this object is saved.
1729
1730 ==== When are Objects Saved?
1731
1732 When you assign an object to a +has_and_belongs_to_many+ association, that object is automatically saved (in order to update the join table). If you assign multiple objects in one statement, then they are all saved.
1733
1734 If any of these saves fails due to validation errors, then the assignment statement returns +false+ and the assignment itself is cancelled.
1735
1736 If the parent object (the one declaring the +has_and_belongs_to_many+ association) is unsaved (that is, +new_record?+ returns +true+) then the child objects are not saved when they are added. All unsaved members of the association will automatically be saved when the parent is saved.
1737
1738 If you want to assign an object to a +has_and_belongs_to_many+ association without saving the object, use the +_collection_.build+ method.
1739
1740 === Association Callbacks
1741
1742 Normal callbacks hook into the lifecycle of Active Record objects, allowing you to work with those objects at various points. For example, you can use a +:before_save+ callback to cause something to happen just before an object is saved.
1743
1744 Association callbacks are similar to normal callbacks, but they are triggered by events in the lifecycle of a collection. There are four available association callbacks:
1745
1746 * +before_add+
1747 * +after_add+
1748 * +before_remove+
1749 * +after_remove+
1750
1751 You define association callbacks by adding options to the association declaration. For example:
1752
1753 [source, ruby]
1754 -------------------------------------------------------
1755 class Customer < ActiveRecord::Base
1756 has_many :orders, :before_add => :check_credit_limit
1757
1758 def check_credit_limit(order)
1759 ...
1760 end
1761 end
1762 -------------------------------------------------------
1763
1764 Rails passes the object being added or removed to the callback.
1765
1766 You can stack callbacks on a single event by passing them as an array:
1767
1768 [source, ruby]
1769 -------------------------------------------------------
1770 class Customer < ActiveRecord::Base
1771 has_many :orders, :before_add => [:check_credit_limit, :calculate_shipping_charges]
1772
1773 def check_credit_limit(order)
1774 ...
1775 end
1776
1777 def calculate_shipping_charges(order)
1778 ...
1779 end
1780 end
1781 -------------------------------------------------------
1782
1783 If a +before_add+ callback throws an exception, the object does not get added to the collection. Similarly, if a +before_remove+ callback throws an exception, the object does not get removed from the collection.
1784
1785 === Association Extensions
1786
1787 You're not limited to the functionality that Rails automatically builds into association proxy objects. You can also extend these objects through anonymous modules, adding new finders, creators, or other methods. For example:
1788
1789 [source, ruby]
1790 -------------------------------------------------------
1791 class Customer < ActiveRecord::Base
1792 has_many :orders do
1793 def find_by_order_prefix(order_number)
1794 find_by_region_id(order_number[0..2])
1795 end
1796 end
1797 end
1798 -------------------------------------------------------
1799
1800 If you have an extension that should be shared by many associations, you can use a named extension module. For example:
1801
1802 [source, ruby]
1803 -------------------------------------------------------
1804 module FindRecentExtension
1805 def find_recent
1806 find(:all, :conditions => ["created_at > ?", 5.days.ago])
1807 end
1808 end
1809
1810 class Customer < ActiveRecord::Base
1811 has_many :orders, :extend => FindRecentExtension
1812 end
1813
1814 class Supplier < ActiveRecord::Base
1815 has_many :deliveries, :extend => FindRecentExtension
1816 end
1817 -------------------------------------------------------
1818
1819 To include more than one extension module in a single association, specify an array of names:
1820
1821 [source, ruby]
1822 -------------------------------------------------------
1823 class Customer < ActiveRecord::Base
1824 has_many :orders, :extend => [FindRecentExtension, FindActiveExtension]
1825 end
1826 -------------------------------------------------------
1827
1828 Extensions can refer to the internals of the association proxy using these three accessors:
1829
1830 * +proxy_owner+ returns the object that the association is a part of.
1831 * +proxy_reflection+ returns the reflection object that describes the association.
1832 * +proxy_target+ returns the associated object for +belongs_to+ or +has_one+, or the collection of associated objects for +has_many+ or +has_and_belongs_to_many+.
1833
1834 == Changelog ==
1835
1836 http://rails.lighthouseapp.com/projects/16213-rails-guides/tickets/11[Lighthouse ticket]
1837
1838 * September 28, 2008: Corrected +has_many :through+ diagram, added polymorphic diagram, some reorganization by link:../authors.html#mgunderloy[Mike Gunderloy] . First release version.
1839 * September 22, 2008: Added diagrams, misc. cleanup by link:../authors.html#mgunderloy[Mike Gunderloy] (not yet approved for publication)
1840 * September 14, 2008: initial version by link:../authors.html#mgunderloy[Mike Gunderloy] (not yet approved for publication)