1329fe1482b7347e6d39d63ac1eb7135135376ee
[dbsrgits/DBIx-Class.git] / lib / DBIx / Class / ResultSource.pm
1 package DBIx::Class::ResultSource;
2
3 use strict;
4 use warnings;
5
6 use DBIx::Class::ResultSet;
7 use DBIx::Class::ResultSourceHandle;
8
9 use DBIx::Class::Exception;
10 use Carp::Clan qw/^DBIx::Class/;
11
12 use base qw/DBIx::Class/;
13
14 __PACKAGE__->mk_group_accessors('simple' => qw/_ordered_columns
15   _columns _primaries _unique_constraints name resultset_attributes
16   schema from _relationships column_info_from_storage source_info
17   source_name sqlt_deploy_callback/);
18
19 __PACKAGE__->mk_group_accessors('component_class' => qw/resultset_class
20   result_class/);
21
22 =head1 NAME
23
24 DBIx::Class::ResultSource - Result source object
25
26 =head1 SYNOPSIS
27
28   # Create a table based result source, in a result class.
29
30   package MyDB::Schema::Result::Artist;
31   use base qw/DBIx::Class::Core/;
32
33   __PACKAGE__->table('artist');
34   __PACKAGE__->add_columns(qw/ artistid name /);
35   __PACKAGE__->set_primary_key('artistid');
36   __PACKAGE__->has_many(cds => 'MyDB::Schema::Result::CD');
37
38   1;
39
40   # Create a query (view) based result source, in a result class
41   package MyDB::Schema::Result::Year2000CDs;
42   use base qw/DBIx::Class::Core/;
43
44   __PACKAGE__->load_components('InflateColumn::DateTime');
45   __PACKAGE__->table_class('DBIx::Class::ResultSource::View');
46
47   __PACKAGE__->table('year2000cds');
48   __PACKAGE__->result_source_instance->is_virtual(1);
49   __PACKAGE__->result_source_instance->view_definition(
50       "SELECT cdid, artist, title FROM cd WHERE year ='2000'"
51       );
52
53
54 =head1 DESCRIPTION
55
56 A ResultSource is an object that represents a source of data for querying.
57
58 This class is a base class for various specialised types of result
59 sources, for example L<DBIx::Class::ResultSource::Table>. Table is the
60 default result source type, so one is created for you when defining a
61 result class as described in the synopsis above.
62
63 More specifically, the L<DBIx::Class::Core> base class pulls in the
64 L<DBIx::Class::ResultSourceProxy::Table> component, which defines
65 the L<table|DBIx::Class::ResultSourceProxy::Table/table> method.
66 When called, C<table> creates and stores an instance of
67 L<DBIx::Class::ResultSoure::Table>. Luckily, to use tables as result
68 sources, you don't need to remember any of this.
69
70 Result sources representing select queries, or views, can also be
71 created, see L<DBIx::Class::ResultSource::View> for full details.
72
73 =head2 Finding result source objects
74
75 As mentioned above, a result source instance is created and stored for
76 you when you define a L<Result Class|DBIx::Class::Manual::Glossary/Result Class>.
77
78 You can retrieve the result source at runtime in the following ways:
79
80 =over
81
82 =item From a Schema object:
83
84    $schema->source($source_name);
85
86 =item From a Row object:
87
88    $row->result_source;
89
90 =item From a ResultSet object:
91
92    $rs->result_source;
93
94 =back
95
96 =head1 METHODS
97
98 =pod
99
100 =cut
101
102 sub new {
103   my ($class, $attrs) = @_;
104   $class = ref $class if ref $class;
105
106   my $new = bless { %{$attrs || {}} }, $class;
107   $new->{resultset_class} ||= 'DBIx::Class::ResultSet';
108   $new->{resultset_attributes} = { %{$new->{resultset_attributes} || {}} };
109   $new->{_ordered_columns} = [ @{$new->{_ordered_columns}||[]}];
110   $new->{_columns} = { %{$new->{_columns}||{}} };
111   $new->{_relationships} = { %{$new->{_relationships}||{}} };
112   $new->{name} ||= "!!NAME NOT SET!!";
113   $new->{_columns_info_loaded} ||= 0;
114   $new->{sqlt_deploy_callback} ||= "default_sqlt_deploy_hook";
115   return $new;
116 }
117
118 =pod
119
120 =head2 add_columns
121
122 =over
123
124 =item Arguments: @columns
125
126 =item Return value: The ResultSource object
127
128 =back
129
130   $source->add_columns(qw/col1 col2 col3/);
131
132   $source->add_columns('col1' => \%col1_info, 'col2' => \%col2_info, ...);
133
134 Adds columns to the result source. If supplied colname => hashref
135 pairs, uses the hashref as the L</column_info> for that column. Repeated
136 calls of this method will add more columns, not replace them.
137
138 The column names given will be created as accessor methods on your
139 L<DBIx::Class::Row> objects. You can change the name of the accessor
140 by supplying an L</accessor> in the column_info hash.
141
142 If a column name beginning with a plus sign ('+col1') is provided, the
143 attributes provided will be merged with any existing attributes for the
144 column, with the new attributes taking precedence in the case that an
145 attribute already exists. Using this without a hashref 
146 (C<< $source->add_columns(qw/+col1 +col2/) >>) is legal, but useless --
147 it does the same thing it would do without the plus.
148
149 The contents of the column_info are not set in stone. The following
150 keys are currently recognised/used by DBIx::Class:
151
152 =over 4
153
154 =item accessor
155
156    { accessor => '_name' }
157
158    # example use, replace standard accessor with one of your own:
159    sub name {
160        my ($self, $value) = @_;
161
162        die "Name cannot contain digits!" if($value =~ /\d/);
163        $self->_name($value);
164
165        return $self->_name();
166    }
167
168 Use this to set the name of the accessor method for this column. If unset,
169 the name of the column will be used.
170
171 =item data_type
172
173    { data_type => 'integer' }
174
175 This contains the column type. It is automatically filled if you use the
176 L<SQL::Translator::Producer::DBIx::Class::File> producer, or the
177 L<DBIx::Class::Schema::Loader> module. 
178
179 Currently there is no standard set of values for the data_type. Use
180 whatever your database supports.
181
182 =item size
183
184    { size => 20 }
185
186 The length of your column, if it is a column type that can have a size
187 restriction. This is currently only used to create tables from your
188 schema, see L<DBIx::Class::Schema/deploy>.
189
190 =item is_nullable
191
192    { is_nullable => 1 }
193
194 Set this to a true value for a columns that is allowed to contain NULL
195 values, default is false. This is currently only used to create tables
196 from your schema, see L<DBIx::Class::Schema/deploy>.
197
198 =item is_auto_increment
199
200    { is_auto_increment => 1 }
201
202 Set this to a true value for a column whose value is somehow
203 automatically set, defaults to false. This is used to determine which
204 columns to empty when cloning objects using
205 L<DBIx::Class::Row/copy>. It is also used by
206 L<DBIx::Class::Schema/deploy>.
207
208 =item is_numeric
209
210    { is_numeric => 1 }
211
212 Set this to a true or false value (not C<undef>) to explicitly specify
213 if this column contains numeric data. This controls how set_column
214 decides whether to consider a column dirty after an update: if
215 C<is_numeric> is true a numeric comparison C<< != >> will take place
216 instead of the usual C<eq>
217
218 If not specified the storage class will attempt to figure this out on
219 first access to the column, based on the column C<data_type>. The
220 result will be cached in this attribute.
221
222 =item is_foreign_key
223
224    { is_foreign_key => 1 }
225
226 Set this to a true value for a column that contains a key from a
227 foreign table, defaults to false. This is currently only used to
228 create tables from your schema, see L<DBIx::Class::Schema/deploy>.
229
230 =item default_value
231
232    { default_value => \'now()' }
233
234 Set this to the default value which will be inserted into a column by
235 the database. Can contain either a value or a function (use a
236 reference to a scalar e.g. C<\'now()'> if you want a function). This
237 is currently only used to create tables from your schema, see
238 L<DBIx::Class::Schema/deploy>.
239
240 See the note on L<DBIx::Class::Row/new> for more information about possible
241 issues related to db-side default values.
242
243 =item sequence
244
245    { sequence => 'my_table_seq' }
246
247 Set this on a primary key column to the name of the sequence used to
248 generate a new key value. If not specified, L<DBIx::Class::PK::Auto>
249 will attempt to retrieve the name of the sequence from the database
250 automatically.
251
252 =item auto_nextval
253
254 Set this to a true value for a column whose value is retrieved automatically
255 from a sequence or function (if supported by your Storage driver.) For a
256 sequence, if you do not use a trigger to get the nextval, you have to set the
257 L</sequence> value as well.
258
259 Also set this for MSSQL columns with the 'uniqueidentifier'
260 L<data_type|DBIx::Class::ResultSource/data_type> whose values you want to
261 automatically generate using C<NEWID()>, unless they are a primary key in which
262 case this will be done anyway.
263
264 =item extra
265
266 This is used by L<DBIx::Class::Schema/deploy> and L<SQL::Translator>
267 to add extra non-generic data to the column. For example: C<< extra
268 => { unsigned => 1} >> is used by the MySQL producer to set an integer
269 column to unsigned. For more details, see
270 L<SQL::Translator::Producer::MySQL>.
271
272 =back
273
274 =head2 add_column
275
276 =over
277
278 =item Arguments: $colname, \%columninfo?
279
280 =item Return value: 1/0 (true/false)
281
282 =back
283
284   $source->add_column('col' => \%info);
285
286 Add a single column and optional column info. Uses the same column
287 info keys as L</add_columns>.
288
289 =cut
290
291 sub add_columns {
292   my ($self, @cols) = @_;
293   $self->_ordered_columns(\@cols) unless $self->_ordered_columns;
294
295   my @added;
296   my $columns = $self->_columns;
297   while (my $col = shift @cols) {
298     my $column_info = {};
299     if ($col =~ s/^\+//) {
300       $column_info = $self->column_info($col);
301     }
302
303     # If next entry is { ... } use that for the column info, if not
304     # use an empty hashref
305     if (ref $cols[0]) {
306       my $new_info = shift(@cols);
307       %$column_info = (%$column_info, %$new_info);
308     }
309     push(@added, $col) unless exists $columns->{$col};
310     $columns->{$col} = $column_info;
311   }
312   push @{ $self->_ordered_columns }, @added;
313   return $self;
314 }
315
316 sub add_column { shift->add_columns(@_); } # DO NOT CHANGE THIS TO GLOB
317
318 =head2 has_column
319
320 =over
321
322 =item Arguments: $colname
323
324 =item Return value: 1/0 (true/false)
325
326 =back
327
328   if ($source->has_column($colname)) { ... }
329
330 Returns true if the source has a column of this name, false otherwise.
331
332 =cut
333
334 sub has_column {
335   my ($self, $column) = @_;
336   return exists $self->_columns->{$column};
337 }
338
339 =head2 column_info
340
341 =over
342
343 =item Arguments: $colname
344
345 =item Return value: Hashref of info
346
347 =back
348
349   my $info = $source->column_info($col);
350
351 Returns the column metadata hashref for a column, as originally passed
352 to L</add_columns>. See L</add_columns> above for information on the
353 contents of the hashref.
354
355 =cut
356
357 sub column_info {
358   my ($self, $column) = @_;
359   $self->throw_exception("No such column $column")
360     unless exists $self->_columns->{$column};
361   #warn $self->{_columns_info_loaded}, "\n";
362   if ( ! $self->_columns->{$column}{data_type}
363        and $self->column_info_from_storage
364        and ! $self->{_columns_info_loaded}
365        and $self->schema and $self->storage )
366   {
367     $self->{_columns_info_loaded}++;
368     my $info = {};
369     my $lc_info = {};
370     # eval for the case of storage without table
371     eval { $info = $self->storage->columns_info_for( $self->from ) };
372     unless ($@) {
373       for my $realcol ( keys %{$info} ) {
374         $lc_info->{lc $realcol} = $info->{$realcol};
375       }
376       foreach my $col ( keys %{$self->_columns} ) {
377         $self->_columns->{$col} = {
378           %{ $self->_columns->{$col} },
379           %{ $info->{$col} || $lc_info->{lc $col} || {} }
380         };
381       }
382     }
383   }
384   return $self->_columns->{$column};
385 }
386
387 =head2 columns
388
389 =over
390
391 =item Arguments: None
392
393 =item Return value: Ordered list of column names
394
395 =back
396
397   my @column_names = $source->columns;
398
399 Returns all column names in the order they were declared to L</add_columns>.
400
401 =cut
402
403 sub columns {
404   my $self = shift;
405   $self->throw_exception(
406     "columns() is a read-only accessor, did you mean add_columns()?"
407   ) if @_;
408   return @{$self->{_ordered_columns}||[]};
409 }
410
411 =head2 remove_columns
412
413 =over
414
415 =item Arguments: @colnames
416
417 =item Return value: undefined
418
419 =back
420
421   $source->remove_columns(qw/col1 col2 col3/);
422
423 Removes the given list of columns by name, from the result source.
424
425 B<Warning>: Removing a column that is also used in the sources primary
426 key, or in one of the sources unique constraints, B<will> result in a
427 broken result source.
428
429 =head2 remove_column
430
431 =over
432
433 =item Arguments: $colname
434
435 =item Return value: undefined
436
437 =back
438
439   $source->remove_column('col');
440
441 Remove a single column by name from the result source, similar to
442 L</remove_columns>.
443
444 B<Warning>: Removing a column that is also used in the sources primary
445 key, or in one of the sources unique constraints, B<will> result in a
446 broken result source.
447
448 =cut
449
450 sub remove_columns {
451   my ($self, @to_remove) = @_;
452
453   my $columns = $self->_columns
454     or return;
455
456   my %to_remove;
457   for (@to_remove) {
458     delete $columns->{$_};
459     ++$to_remove{$_};
460   }
461
462   $self->_ordered_columns([ grep { not $to_remove{$_} } @{$self->_ordered_columns} ]);
463 }
464
465 sub remove_column { shift->remove_columns(@_); } # DO NOT CHANGE THIS TO GLOB
466
467 =head2 set_primary_key
468
469 =over 4
470
471 =item Arguments: @cols
472
473 =item Return value: undefined
474
475 =back
476
477 Defines one or more columns as primary key for this source. Must be
478 called after L</add_columns>.
479
480 Additionally, defines a L<unique constraint|add_unique_constraint>
481 named C<primary>.
482
483 Note: you normally do want to define a primary key on your sources
484 B<even if the underlying database table does not have a primary key>.
485 See
486 L<DBIx::Class::Intro/The Significance and Importance of Primary Keys>
487 for more info.
488
489 =cut
490
491 sub set_primary_key {
492   my ($self, @cols) = @_;
493   # check if primary key columns are valid columns
494   foreach my $col (@cols) {
495     $self->throw_exception("No such column $col on table " . $self->name)
496       unless $self->has_column($col);
497   }
498   $self->_primaries(\@cols);
499
500   $self->add_unique_constraint(primary => \@cols);
501 }
502
503 =head2 primary_columns
504
505 =over 4
506
507 =item Arguments: None
508
509 =item Return value: Ordered list of primary column names
510
511 =back
512
513 Read-only accessor which returns the list of primary keys, supplied by
514 L</set_primary_key>.
515
516 =cut
517
518 sub primary_columns {
519   return @{shift->_primaries||[]};
520 }
521
522 # a helper method that will automatically die with a descriptive message if
523 # no pk is defined on the source in question. For internal use to save
524 # on if @pks... boilerplate
525 sub _pri_cols {
526   my $self = shift;
527   my @pcols = $self->primary_columns
528     or $self->throw_exception (sprintf(
529       "Operation requires a primary key to be declared on '%s' via set_primary_key",
530       $self->source_name,
531     ));
532   return @pcols;
533 }
534
535 =head2 add_unique_constraint
536
537 =over 4
538
539 =item Arguments: $name?, \@colnames
540
541 =item Return value: undefined
542
543 =back
544
545 Declare a unique constraint on this source. Call once for each unique
546 constraint.
547
548   # For UNIQUE (column1, column2)
549   __PACKAGE__->add_unique_constraint(
550     constraint_name => [ qw/column1 column2/ ],
551   );
552
553 Alternatively, you can specify only the columns:
554
555   __PACKAGE__->add_unique_constraint([ qw/column1 column2/ ]);
556
557 This will result in a unique constraint named
558 C<table_column1_column2>, where C<table> is replaced with the table
559 name.
560
561 Unique constraints are used, for example, when you pass the constraint
562 name as the C<key> attribute to L<DBIx::Class::ResultSet/find>. Then
563 only columns in the constraint are searched.
564
565 Throws an error if any of the given column names do not yet exist on
566 the result source.
567
568 =cut
569
570 sub add_unique_constraint {
571   my $self = shift;
572   my $cols = pop @_;
573   my $name = shift;
574
575   $name ||= $self->name_unique_constraint($cols);
576
577   foreach my $col (@$cols) {
578     $self->throw_exception("No such column $col on table " . $self->name)
579       unless $self->has_column($col);
580   }
581
582   my %unique_constraints = $self->unique_constraints;
583   $unique_constraints{$name} = $cols;
584   $self->_unique_constraints(\%unique_constraints);
585 }
586
587 =head2 name_unique_constraint
588
589 =over 4
590
591 =item Arguments: @colnames
592
593 =item Return value: Constraint name
594
595 =back
596
597   $source->table('mytable');
598   $source->name_unique_constraint('col1', 'col2');
599   # returns
600   'mytable_col1_col2'
601
602 Return a name for a unique constraint containing the specified
603 columns. The name is created by joining the table name and each column
604 name, using an underscore character.
605
606 For example, a constraint on a table named C<cd> containing the columns
607 C<artist> and C<title> would result in a constraint name of C<cd_artist_title>.
608
609 This is used by L</add_unique_constraint> if you do not specify the
610 optional constraint name.
611
612 =cut
613
614 sub name_unique_constraint {
615   my ($self, $cols) = @_;
616
617   my $name = $self->name;
618   $name = $$name if (ref $name eq 'SCALAR');
619
620   return join '_', $name, @$cols;
621 }
622
623 =head2 unique_constraints
624
625 =over 4
626
627 =item Arguments: None
628
629 =item Return value: Hash of unique constraint data
630
631 =back
632
633   $source->unique_constraints();
634
635 Read-only accessor which returns a hash of unique constraints on this
636 source.
637
638 The hash is keyed by constraint name, and contains an arrayref of
639 column names as values.
640
641 =cut
642
643 sub unique_constraints {
644   return %{shift->_unique_constraints||{}};
645 }
646
647 =head2 unique_constraint_names
648
649 =over 4
650
651 =item Arguments: None
652
653 =item Return value: Unique constraint names
654
655 =back
656
657   $source->unique_constraint_names();
658
659 Returns the list of unique constraint names defined on this source.
660
661 =cut
662
663 sub unique_constraint_names {
664   my ($self) = @_;
665
666   my %unique_constraints = $self->unique_constraints;
667
668   return keys %unique_constraints;
669 }
670
671 =head2 unique_constraint_columns
672
673 =over 4
674
675 =item Arguments: $constraintname
676
677 =item Return value: List of constraint columns
678
679 =back
680
681   $source->unique_constraint_columns('myconstraint');
682
683 Returns the list of columns that make up the specified unique constraint.
684
685 =cut
686
687 sub unique_constraint_columns {
688   my ($self, $constraint_name) = @_;
689
690   my %unique_constraints = $self->unique_constraints;
691
692   $self->throw_exception(
693     "Unknown unique constraint $constraint_name on '" . $self->name . "'"
694   ) unless exists $unique_constraints{$constraint_name};
695
696   return @{ $unique_constraints{$constraint_name} };
697 }
698
699 =head2 sqlt_deploy_callback
700
701 =over
702
703 =item Arguments: $callback
704
705 =back
706
707   __PACKAGE__->sqlt_deploy_callback('mycallbackmethod');
708
709 An accessor to set a callback to be called during deployment of
710 the schema via L<DBIx::Class::Schema/create_ddl_dir> or
711 L<DBIx::Class::Schema/deploy>.
712
713 The callback can be set as either a code reference or the name of a
714 method in the current result class.
715
716 If not set, the L</default_sqlt_deploy_hook> is called.
717
718 Your callback will be passed the $source object representing the
719 ResultSource instance being deployed, and the
720 L<SQL::Translator::Schema::Table> object being created from it. The
721 callback can be used to manipulate the table object or add your own
722 customised indexes. If you need to manipulate a non-table object, use
723 the L<DBIx::Class::Schema/sqlt_deploy_hook>.
724
725 See L<DBIx::Class::Manual::Cookbook/Adding Indexes And Functions To
726 Your SQL> for examples.
727
728 This sqlt deployment callback can only be used to manipulate
729 SQL::Translator objects as they get turned into SQL. To execute
730 post-deploy statements which SQL::Translator does not currently
731 handle, override L<DBIx::Class::Schema/deploy> in your Schema class
732 and call L<dbh_do|DBIx::Class::Storage::DBI/dbh_do>.
733
734 =head2 default_sqlt_deploy_hook
735
736 =over
737
738 =item Arguments: $source, $sqlt_table
739
740 =item Return value: undefined
741
742 =back
743
744 This is the sensible default for L</sqlt_deploy_callback>.
745
746 If a method named C<sqlt_deploy_hook> exists in your Result class, it
747 will be called and passed the current C<$source> and the
748 C<$sqlt_table> being deployed.
749
750 =cut
751
752 sub default_sqlt_deploy_hook {
753   my $self = shift;
754
755   my $class = $self->result_class;
756
757   if ($class and $class->can('sqlt_deploy_hook')) {
758     $class->sqlt_deploy_hook(@_);
759   }
760 }
761
762 sub _invoke_sqlt_deploy_hook {
763   my $self = shift;
764   if ( my $hook = $self->sqlt_deploy_callback) {
765     $self->$hook(@_);
766   }
767 }
768
769 =head2 resultset
770
771 =over 4
772
773 =item Arguments: None
774
775 =item Return value: $resultset
776
777 =back
778
779 Returns a resultset for the given source. This will initially be created
780 on demand by calling
781
782   $self->resultset_class->new($self, $self->resultset_attributes)
783
784 but is cached from then on unless resultset_class changes.
785
786 =head2 resultset_class
787
788 =over 4
789
790 =item Arguments: $classname
791
792 =item Return value: $classname
793
794 =back
795
796   package My::Schema::ResultSet::Artist;
797   use base 'DBIx::Class::ResultSet';
798   ...
799
800   # In the result class
801   __PACKAGE__->resultset_class('My::Schema::ResultSet::Artist');
802
803   # Or in code
804   $source->resultset_class('My::Schema::ResultSet::Artist');
805
806 Set the class of the resultset. This is useful if you want to create your
807 own resultset methods. Create your own class derived from
808 L<DBIx::Class::ResultSet>, and set it here. If called with no arguments,
809 this method returns the name of the existing resultset class, if one
810 exists.
811
812 =head2 resultset_attributes
813
814 =over 4
815
816 =item Arguments: \%attrs
817
818 =item Return value: \%attrs
819
820 =back
821
822   # In the result class
823   __PACKAGE__->resultset_attributes({ order_by => [ 'id' ] });
824
825   # Or in code
826   $source->resultset_attributes({ order_by => [ 'id' ] });
827
828 Store a collection of resultset attributes, that will be set on every
829 L<DBIx::Class::ResultSet> produced from this result source. For a full
830 list see L<DBIx::Class::ResultSet/ATTRIBUTES>.
831
832 =cut
833
834 sub resultset {
835   my $self = shift;
836   $self->throw_exception(
837     'resultset does not take any arguments. If you want another resultset, '.
838     'call it on the schema instead.'
839   ) if scalar @_;
840
841   return $self->resultset_class->new(
842     $self,
843     {
844       %{$self->{resultset_attributes}},
845       %{$self->schema->default_resultset_attributes}
846     },
847   );
848 }
849
850 =head2 source_name
851
852 =over 4
853
854 =item Arguments: $source_name
855
856 =item Result value: $source_name
857
858 =back
859
860 Set an alternate name for the result source when it is loaded into a schema.
861 This is useful if you want to refer to a result source by a name other than
862 its class name.
863
864   package ArchivedBooks;
865   use base qw/DBIx::Class/;
866   __PACKAGE__->table('books_archive');
867   __PACKAGE__->source_name('Books');
868
869   # from your schema...
870   $schema->resultset('Books')->find(1);
871
872 =head2 from
873
874 =over 4
875
876 =item Arguments: None
877
878 =item Return value: FROM clause
879
880 =back
881
882   my $from_clause = $source->from();
883
884 Returns an expression of the source to be supplied to storage to specify
885 retrieval from this source. In the case of a database, the required FROM
886 clause contents.
887
888 =head2 schema
889
890 =over 4
891
892 =item Arguments: None
893
894 =item Return value: A schema object
895
896 =back
897
898   my $schema = $source->schema();
899
900 Returns the L<DBIx::Class::Schema> object that this result source 
901 belongs to.
902
903 =head2 storage
904
905 =over 4
906
907 =item Arguments: None
908
909 =item Return value: A Storage object
910
911 =back
912
913   $source->storage->debug(1);
914
915 Returns the storage handle for the current schema.
916
917 See also: L<DBIx::Class::Storage>
918
919 =cut
920
921 sub storage { shift->schema->storage; }
922
923 =head2 add_relationship
924
925 =over 4
926
927 =item Arguments: $relname, $related_source_name, \%cond, [ \%attrs ]
928
929 =item Return value: 1/true if it succeeded
930
931 =back
932
933   $source->add_relationship('relname', 'related_source', $cond, $attrs);
934
935 L<DBIx::Class::Relationship> describes a series of methods which
936 create pre-defined useful types of relationships. Look there first
937 before using this method directly.
938
939 The relationship name can be arbitrary, but must be unique for each
940 relationship attached to this result source. 'related_source' should
941 be the name with which the related result source was registered with
942 the current schema. For example:
943
944   $schema->source('Book')->add_relationship('reviews', 'Review', {
945     'foreign.book_id' => 'self.id',
946   });
947
948 The condition C<$cond> needs to be an L<SQL::Abstract>-style
949 representation of the join between the tables. For example, if you're
950 creating a relation from Author to Book,
951
952   { 'foreign.author_id' => 'self.id' }
953
954 will result in the JOIN clause
955
956   author me JOIN book foreign ON foreign.author_id = me.id
957
958 You can specify as many foreign => self mappings as necessary.
959
960 Valid attributes are as follows:
961
962 =over 4
963
964 =item join_type
965
966 Explicitly specifies the type of join to use in the relationship. Any
967 SQL join type is valid, e.g. C<LEFT> or C<RIGHT>. It will be placed in
968 the SQL command immediately before C<JOIN>.
969
970 =item proxy
971
972 An arrayref containing a list of accessors in the foreign class to proxy in
973 the main class. If, for example, you do the following:
974
975   CD->might_have(liner_notes => 'LinerNotes', undef, {
976     proxy => [ qw/notes/ ],
977   });
978
979 Then, assuming LinerNotes has an accessor named notes, you can do:
980
981   my $cd = CD->find(1);
982   # set notes -- LinerNotes object is created if it doesn't exist
983   $cd->notes('Notes go here');
984
985 =item accessor
986
987 Specifies the type of accessor that should be created for the
988 relationship. Valid values are C<single> (for when there is only a single
989 related object), C<multi> (when there can be many), and C<filter> (for
990 when there is a single related object, but you also want the relationship
991 accessor to double as a column accessor). For C<multi> accessors, an
992 add_to_* method is also created, which calls C<create_related> for the
993 relationship.
994
995 =back
996
997 Throws an exception if the condition is improperly supplied, or cannot
998 be resolved.
999
1000 =cut
1001
1002 sub add_relationship {
1003   my ($self, $rel, $f_source_name, $cond, $attrs) = @_;
1004   $self->throw_exception("Can't create relationship without join condition")
1005     unless $cond;
1006   $attrs ||= {};
1007
1008   # Check foreign and self are right in cond
1009   if ( (ref $cond ||'') eq 'HASH') {
1010     for (keys %$cond) {
1011       $self->throw_exception("Keys of condition should be of form 'foreign.col', not '$_'")
1012         if /\./ && !/^foreign\./;
1013     }
1014   }
1015
1016   my %rels = %{ $self->_relationships };
1017   $rels{$rel} = { class => $f_source_name,
1018                   source => $f_source_name,
1019                   cond  => $cond,
1020                   attrs => $attrs };
1021   $self->_relationships(\%rels);
1022
1023   return $self;
1024
1025   # XXX disabled. doesn't work properly currently. skip in tests.
1026
1027   my $f_source = $self->schema->source($f_source_name);
1028   unless ($f_source) {
1029     $self->ensure_class_loaded($f_source_name);
1030     $f_source = $f_source_name->result_source;
1031     #my $s_class = ref($self->schema);
1032     #$f_source_name =~ m/^${s_class}::(.*)$/;
1033     #$self->schema->register_class(($1 || $f_source_name), $f_source_name);
1034     #$f_source = $self->schema->source($f_source_name);
1035   }
1036   return unless $f_source; # Can't test rel without f_source
1037
1038   eval { $self->_resolve_join($rel, 'me', {}, []) };
1039
1040   if ($@) { # If the resolve failed, back out and re-throw the error
1041     delete $rels{$rel}; #
1042     $self->_relationships(\%rels);
1043     $self->throw_exception("Error creating relationship $rel: $@");
1044   }
1045   1;
1046 }
1047
1048 =head2 relationships
1049
1050 =over 4
1051
1052 =item Arguments: None
1053
1054 =item Return value: List of relationship names
1055
1056 =back
1057
1058   my @relnames = $source->relationships();
1059
1060 Returns all relationship names for this source.
1061
1062 =cut
1063
1064 sub relationships {
1065   return keys %{shift->_relationships};
1066 }
1067
1068 =head2 relationship_info
1069
1070 =over 4
1071
1072 =item Arguments: $relname
1073
1074 =item Return value: Hashref of relation data,
1075
1076 =back
1077
1078 Returns a hash of relationship information for the specified relationship
1079 name. The keys/values are as specified for L</add_relationship>.
1080
1081 =cut
1082
1083 sub relationship_info {
1084   my ($self, $rel) = @_;
1085   return $self->_relationships->{$rel};
1086 }
1087
1088 =head2 has_relationship
1089
1090 =over 4
1091
1092 =item Arguments: $rel
1093
1094 =item Return value: 1/0 (true/false)
1095
1096 =back
1097
1098 Returns true if the source has a relationship of this name, false otherwise.
1099
1100 =cut
1101
1102 sub has_relationship {
1103   my ($self, $rel) = @_;
1104   return exists $self->_relationships->{$rel};
1105 }
1106
1107 =head2 reverse_relationship_info
1108
1109 =over 4
1110
1111 =item Arguments: $relname
1112
1113 =item Return value: Hashref of relationship data
1114
1115 =back
1116
1117 Looks through all the relationships on the source this relationship
1118 points to, looking for one whose condition is the reverse of the
1119 condition on this relationship.
1120
1121 A common use of this is to find the name of the C<belongs_to> relation
1122 opposing a C<has_many> relation. For definition of these look in
1123 L<DBIx::Class::Relationship>.
1124
1125 The returned hashref is keyed by the name of the opposing
1126 relationship, and contains its data in the same manner as
1127 L</relationship_info>.
1128
1129 =cut
1130
1131 sub reverse_relationship_info {
1132   my ($self, $rel) = @_;
1133   my $rel_info = $self->relationship_info($rel);
1134   my $ret = {};
1135
1136   return $ret unless ((ref $rel_info->{cond}) eq 'HASH');
1137
1138   my @cond = keys(%{$rel_info->{cond}});
1139   my @refkeys = map {/^\w+\.(\w+)$/} @cond;
1140   my @keys = map {$rel_info->{cond}->{$_} =~ /^\w+\.(\w+)$/} @cond;
1141
1142   # Get the related result source for this relationship
1143   my $othertable = $self->related_source($rel);
1144
1145   # Get all the relationships for that source that related to this source
1146   # whose foreign column set are our self columns on $rel and whose self
1147   # columns are our foreign columns on $rel.
1148   my @otherrels = $othertable->relationships();
1149   my $otherrelationship;
1150   foreach my $otherrel (@otherrels) {
1151     my $otherrel_info = $othertable->relationship_info($otherrel);
1152
1153     my $back = $othertable->related_source($otherrel);
1154     next unless $back->source_name eq $self->source_name;
1155
1156     my @othertestconds;
1157
1158     if (ref $otherrel_info->{cond} eq 'HASH') {
1159       @othertestconds = ($otherrel_info->{cond});
1160     }
1161     elsif (ref $otherrel_info->{cond} eq 'ARRAY') {
1162       @othertestconds = @{$otherrel_info->{cond}};
1163     }
1164     else {
1165       next;
1166     }
1167
1168     foreach my $othercond (@othertestconds) {
1169       my @other_cond = keys(%$othercond);
1170       my @other_refkeys = map {/^\w+\.(\w+)$/} @other_cond;
1171       my @other_keys = map {$othercond->{$_} =~ /^\w+\.(\w+)$/} @other_cond;
1172       next if (!$self->_compare_relationship_keys(\@refkeys, \@other_keys) ||
1173                !$self->_compare_relationship_keys(\@other_refkeys, \@keys));
1174       $ret->{$otherrel} =  $otherrel_info;
1175     }
1176   }
1177   return $ret;
1178 }
1179
1180 sub compare_relationship_keys {
1181   carp 'compare_relationship_keys is a private method, stop calling it';
1182   my $self = shift;
1183   $self->_compare_relationship_keys (@_);
1184 }
1185
1186 # Returns true if both sets of keynames are the same, false otherwise.
1187 sub _compare_relationship_keys {
1188   my ($self, $keys1, $keys2) = @_;
1189
1190   # Make sure every keys1 is in keys2
1191   my $found;
1192   foreach my $key (@$keys1) {
1193     $found = 0;
1194     foreach my $prim (@$keys2) {
1195       if ($prim eq $key) {
1196         $found = 1;
1197         last;
1198       }
1199     }
1200     last unless $found;
1201   }
1202
1203   # Make sure every key2 is in key1
1204   if ($found) {
1205     foreach my $prim (@$keys2) {
1206       $found = 0;
1207       foreach my $key (@$keys1) {
1208         if ($prim eq $key) {
1209           $found = 1;
1210           last;
1211         }
1212       }
1213       last unless $found;
1214     }
1215   }
1216
1217   return $found;
1218 }
1219
1220 # Returns the {from} structure used to express JOIN conditions
1221 sub _resolve_join {
1222   my ($self, $join, $alias, $seen, $jpath, $parent_force_left) = @_;
1223
1224   # we need a supplied one, because we do in-place modifications, no returns
1225   $self->throw_exception ('You must supply a seen hashref as the 3rd argument to _resolve_join')
1226     unless ref $seen eq 'HASH';
1227
1228   $self->throw_exception ('You must supply a joinpath arrayref as the 4th argument to _resolve_join')
1229     unless ref $jpath eq 'ARRAY';
1230
1231   $jpath = [@$jpath]; # copy
1232
1233   if (not defined $join) {
1234     return ();
1235   }
1236   elsif (ref $join eq 'ARRAY') {
1237     return
1238       map {
1239         $self->_resolve_join($_, $alias, $seen, $jpath, $parent_force_left);
1240       } @$join;
1241   }
1242   elsif (ref $join eq 'HASH') {
1243
1244     my @ret;
1245     for my $rel (keys %$join) {
1246
1247       my $rel_info = $self->relationship_info($rel)
1248         or $self->throw_exception("No such relationship '$rel' on " . $self->source_name);
1249
1250       my $force_left = $parent_force_left;
1251       $force_left ||= lc($rel_info->{attrs}{join_type}||'') eq 'left';
1252
1253       # the actual seen value will be incremented by the recursion
1254       my $as = $self->storage->relname_to_table_alias(
1255         $rel, ($seen->{$rel} && $seen->{$rel} + 1)
1256       );
1257
1258       push @ret, (
1259         $self->_resolve_join($rel, $alias, $seen, [@$jpath], $force_left),
1260         $self->related_source($rel)->_resolve_join(
1261           $join->{$rel}, $as, $seen, [@$jpath, { $rel => $as }], $force_left
1262         )
1263       );
1264     }
1265     return @ret;
1266
1267   }
1268   elsif (ref $join) {
1269     $self->throw_exception("No idea how to resolve join reftype ".ref $join);
1270   }
1271   else {
1272     my $count = ++$seen->{$join};
1273     my $as = $self->storage->relname_to_table_alias(
1274       $join, ($count > 1 && $count)
1275     );
1276
1277     my $rel_info = $self->relationship_info($join)
1278       or $self->throw_exception("No such relationship $join on " . $self->source_name);
1279
1280     my $rel_src = $self->related_source($join);
1281     return [ { $as => $rel_src->from,
1282                -source_handle => $rel_src->handle,
1283                -join_type => $parent_force_left
1284                   ? 'left'
1285                   : $rel_info->{attrs}{join_type}
1286                 ,
1287                -join_path => [@$jpath, { $join => $as } ],
1288                -is_single => (
1289                   $rel_info->{attrs}{accessor}
1290                     &&
1291                   List::Util::first { $rel_info->{attrs}{accessor} eq $_ } (qw/single filter/)
1292                 ),
1293                -alias => $as,
1294                -relation_chain_depth => $seen->{-relation_chain_depth} || 0,
1295              },
1296              $self->_resolve_condition($rel_info->{cond}, $as, $alias) ];
1297   }
1298 }
1299
1300 sub pk_depends_on {
1301   carp 'pk_depends_on is a private method, stop calling it';
1302   my $self = shift;
1303   $self->_pk_depends_on (@_);
1304 }
1305
1306 # Determines whether a relation is dependent on an object from this source
1307 # having already been inserted. Takes the name of the relationship and a
1308 # hashref of columns of the related object.
1309 sub _pk_depends_on {
1310   my ($self, $relname, $rel_data) = @_;
1311
1312   my $relinfo = $self->relationship_info($relname);
1313
1314   # don't assume things if the relationship direction is specified
1315   return $relinfo->{attrs}{is_foreign_key_constraint}
1316     if exists ($relinfo->{attrs}{is_foreign_key_constraint});
1317
1318   my $cond = $relinfo->{cond};
1319   return 0 unless ref($cond) eq 'HASH';
1320
1321   # map { foreign.foo => 'self.bar' } to { bar => 'foo' }
1322   my $keyhash = { map { my $x = $_; $x =~ s/.*\.//; $x; } reverse %$cond };
1323
1324   # assume anything that references our PK probably is dependent on us
1325   # rather than vice versa, unless the far side is (a) defined or (b)
1326   # auto-increment
1327   my $rel_source = $self->related_source($relname);
1328
1329   foreach my $p ($self->primary_columns) {
1330     if (exists $keyhash->{$p}) {
1331       unless (defined($rel_data->{$keyhash->{$p}})
1332               || $rel_source->column_info($keyhash->{$p})
1333                             ->{is_auto_increment}) {
1334         return 0;
1335       }
1336     }
1337   }
1338
1339   return 1;
1340 }
1341
1342 sub resolve_condition {
1343   carp 'resolve_condition is a private method, stop calling it';
1344   my $self = shift;
1345   $self->_resolve_condition (@_);
1346 }
1347
1348 # Resolves the passed condition to a concrete query fragment. If given an alias,
1349 # returns a join condition; if given an object, inverts that object to produce
1350 # a related conditional from that object.
1351 our $UNRESOLVABLE_CONDITION = \'1 = 0';
1352
1353 sub _resolve_condition {
1354   my ($self, $cond, $as, $for) = @_;
1355   if (ref $cond eq 'HASH') {
1356     my %ret;
1357     foreach my $k (keys %{$cond}) {
1358       my $v = $cond->{$k};
1359       # XXX should probably check these are valid columns
1360       $k =~ s/^foreign\.// ||
1361         $self->throw_exception("Invalid rel cond key ${k}");
1362       $v =~ s/^self\.// ||
1363         $self->throw_exception("Invalid rel cond val ${v}");
1364       if (ref $for) { # Object
1365         #warn "$self $k $for $v";
1366         unless ($for->has_column_loaded($v)) {
1367           if ($for->in_storage) {
1368             $self->throw_exception(sprintf
1369               "Unable to resolve relationship '%s' from object %s: column '%s' not "
1370             . 'loaded from storage (or not passed to new() prior to insert()). You '
1371             . 'probably need to call ->discard_changes to get the server-side defaults '
1372             . 'from the database.',
1373               $as,
1374               $for,
1375               $v,
1376             );
1377           }
1378           return $UNRESOLVABLE_CONDITION;
1379         }
1380         $ret{$k} = $for->get_column($v);
1381         #$ret{$k} = $for->get_column($v) if $for->has_column_loaded($v);
1382         #warn %ret;
1383       } elsif (!defined $for) { # undef, i.e. "no object"
1384         $ret{$k} = undef;
1385       } elsif (ref $as eq 'HASH') { # reverse hashref
1386         $ret{$v} = $as->{$k};
1387       } elsif (ref $as) { # reverse object
1388         $ret{$v} = $as->get_column($k);
1389       } elsif (!defined $as) { # undef, i.e. "no reverse object"
1390         $ret{$v} = undef;
1391       } else {
1392         $ret{"${as}.${k}"} = "${for}.${v}";
1393       }
1394     }
1395     return \%ret;
1396   } elsif (ref $cond eq 'ARRAY') {
1397     return [ map { $self->_resolve_condition($_, $as, $for) } @$cond ];
1398   } else {
1399    die("Can't handle condition $cond yet :(");
1400   }
1401 }
1402
1403
1404 # Accepts one or more relationships for the current source and returns an
1405 # array of column names for each of those relationships. Column names are
1406 # prefixed relative to the current source, in accordance with where they appear
1407 # in the supplied relationships.
1408
1409 sub _resolve_prefetch {
1410   my ($self, $pre, $alias, $alias_map, $order, $collapse, $pref_path) = @_;
1411   $pref_path ||= [];
1412
1413   if (not defined $pre) {
1414     return ();
1415   }
1416   elsif( ref $pre eq 'ARRAY' ) {
1417     return
1418       map { $self->_resolve_prefetch( $_, $alias, $alias_map, $order, $collapse, [ @$pref_path ] ) }
1419         @$pre;
1420   }
1421   elsif( ref $pre eq 'HASH' ) {
1422     my @ret =
1423     map {
1424       $self->_resolve_prefetch($_, $alias, $alias_map, $order, $collapse, [ @$pref_path ] ),
1425       $self->related_source($_)->_resolve_prefetch(
1426                $pre->{$_}, "${alias}.$_", $alias_map, $order, $collapse, [ @$pref_path, $_] )
1427     } keys %$pre;
1428     return @ret;
1429   }
1430   elsif( ref $pre ) {
1431     $self->throw_exception(
1432       "don't know how to resolve prefetch reftype ".ref($pre));
1433   }
1434   else {
1435     my $p = $alias_map;
1436     $p = $p->{$_} for (@$pref_path, $pre);
1437
1438     $self->throw_exception (
1439       "Unable to resolve prefetch '$pre' - join alias map does not contain an entry for path: "
1440       . join (' -> ', @$pref_path, $pre)
1441     ) if (ref $p->{-join_aliases} ne 'ARRAY' or not @{$p->{-join_aliases}} );
1442
1443     my $as = shift @{$p->{-join_aliases}};
1444
1445     my $rel_info = $self->relationship_info( $pre );
1446     $self->throw_exception( $self->source_name . " has no such relationship '$pre'" )
1447       unless $rel_info;
1448     my $as_prefix = ($alias =~ /^.*?\.(.+)$/ ? $1.'.' : '');
1449     my $rel_source = $self->related_source($pre);
1450
1451     if ($rel_info->{attrs}{accessor} && $rel_info->{attrs}{accessor} eq 'multi') {
1452       $self->throw_exception(
1453         "Can't prefetch has_many ${pre} (join cond too complex)")
1454         unless ref($rel_info->{cond}) eq 'HASH';
1455       my $dots = @{[$as_prefix =~ m/\./g]} + 1; # +1 to match the ".${as_prefix}"
1456       if (my ($fail) = grep { @{[$_ =~ m/\./g]} == $dots }
1457                          keys %{$collapse}) {
1458         my ($last) = ($fail =~ /([^\.]+)$/);
1459         carp (
1460           "Prefetching multiple has_many rels ${last} and ${pre} "
1461           .(length($as_prefix)
1462             ? "at the same level (${as_prefix}) "
1463             : "at top level "
1464           )
1465           . 'will explode the number of row objects retrievable via ->next or ->all. '
1466           . 'Use at your own risk.'
1467         );
1468       }
1469       #my @col = map { (/^self\.(.+)$/ ? ("${as_prefix}.$1") : ()); }
1470       #              values %{$rel_info->{cond}};
1471       $collapse->{".${as_prefix}${pre}"} = [ $rel_source->_pri_cols ];
1472         # action at a distance. prepending the '.' allows simpler code
1473         # in ResultSet->_collapse_result
1474       my @key = map { (/^foreign\.(.+)$/ ? ($1) : ()); }
1475                     keys %{$rel_info->{cond}};
1476       my @ord = (ref($rel_info->{attrs}{order_by}) eq 'ARRAY'
1477                    ? @{$rel_info->{attrs}{order_by}}
1478    
1479                 : (defined $rel_info->{attrs}{order_by}
1480                        ? ($rel_info->{attrs}{order_by})
1481                        : ()));
1482       push(@$order, map { "${as}.$_" } (@key, @ord));
1483     }
1484
1485     return map { [ "${as}.$_", "${as_prefix}${pre}.$_", ] }
1486       $rel_source->columns;
1487   }
1488 }
1489
1490 =head2 related_source
1491
1492 =over 4
1493
1494 =item Arguments: $relname
1495
1496 =item Return value: $source
1497
1498 =back
1499
1500 Returns the result source object for the given relationship.
1501
1502 =cut
1503
1504 sub related_source {
1505   my ($self, $rel) = @_;
1506   if( !$self->has_relationship( $rel ) ) {
1507     $self->throw_exception("No such relationship '$rel' on " . $self->source_name);
1508   }
1509   return $self->schema->source($self->relationship_info($rel)->{source});
1510 }
1511
1512 =head2 related_class
1513
1514 =over 4
1515
1516 =item Arguments: $relname
1517
1518 =item Return value: $classname
1519
1520 =back
1521
1522 Returns the class name for objects in the given relationship.
1523
1524 =cut
1525
1526 sub related_class {
1527   my ($self, $rel) = @_;
1528   if( !$self->has_relationship( $rel ) ) {
1529     $self->throw_exception("No such relationship '$rel' on " . $self->source_name);
1530   }
1531   return $self->schema->class($self->relationship_info($rel)->{source});
1532 }
1533
1534 =head2 handle
1535
1536 Obtain a new handle to this source. Returns an instance of a 
1537 L<DBIx::Class::ResultSourceHandle>.
1538
1539 =cut
1540
1541 sub handle {
1542     return DBIx::Class::ResultSourceHandle->new({
1543         schema         => $_[0]->schema,
1544         source_moniker => $_[0]->source_name
1545     });
1546 }
1547
1548 =head2 throw_exception
1549
1550 See L<DBIx::Class::Schema/"throw_exception">.
1551
1552 =cut
1553
1554 sub throw_exception {
1555   my $self = shift;
1556
1557   if (defined $self->schema) {
1558     $self->schema->throw_exception(@_);
1559   }
1560   else {
1561     DBIx::Class::Exception->throw(@_);
1562   }
1563 }
1564
1565 =head2 source_info
1566
1567 Stores a hashref of per-source metadata.  No specific key names
1568 have yet been standardized, the examples below are purely hypothetical
1569 and don't actually accomplish anything on their own:
1570
1571   __PACKAGE__->source_info({
1572     "_tablespace" => 'fast_disk_array_3',
1573     "_engine" => 'InnoDB',
1574   });
1575
1576 =head2 new
1577
1578   $class->new();
1579
1580   $class->new({attribute_name => value});
1581
1582 Creates a new ResultSource object.  Not normally called directly by end users.
1583
1584 =head2 column_info_from_storage
1585
1586 =over
1587
1588 =item Arguments: 1/0 (default: 0)
1589
1590 =item Return value: 1/0
1591
1592 =back
1593
1594   __PACKAGE__->column_info_from_storage(1);
1595
1596 Enables the on-demand automatic loading of the above column
1597 metadata from storage as necessary.  This is *deprecated*, and
1598 should not be used.  It will be removed before 1.0.
1599
1600
1601 =head1 AUTHORS
1602
1603 Matt S. Trout <mst@shadowcatsystems.co.uk>
1604
1605 =head1 LICENSE
1606
1607 You may distribute this code under the same terms as Perl itself.
1608
1609 =cut
1610
1611 1;