Clarify POD and cleanup the ->name-hack warning
[dbsrgits/DBIx-Class.git] / lib / DBIx / Class / Manual / Cookbook.pod
1 =head1 NAME
2
3 DBIx::Class::Manual::Cookbook - Miscellaneous recipes
4
5 =head1 SEARCHING
6
7 =head2 Paged results
8
9 When you expect a large number of results, you can ask L<DBIx::Class> for a
10 paged resultset, which will fetch only a defined number of records at a time:
11
12   my $rs = $schema->resultset('Artist')->search(
13     undef,
14     {
15       page => 1,  # page to return (defaults to 1)
16       rows => 10, # number of results per page
17     },
18   );
19
20   return $rs->all(); # all records for page 1
21
22   return $rs->page(2); # records for page 2
23
24 You can get a L<Data::Page> object for the resultset (suitable for use
25 in e.g. a template) using the C<pager> method:
26
27   return $rs->pager();
28
29 =head2 Complex WHERE clauses
30
31 Sometimes you need to formulate a query using specific operators:
32
33   my @albums = $schema->resultset('Album')->search({
34     artist => { 'like', '%Lamb%' },
35     title  => { 'like', '%Fear of Fours%' },
36   });
37
38 This results in something like the following C<WHERE> clause:
39
40   WHERE artist LIKE '%Lamb%' AND title LIKE '%Fear of Fours%'
41
42 Other queries might require slightly more complex logic:
43
44   my @albums = $schema->resultset('Album')->search({
45     -or => [
46       -and => [
47         artist => { 'like', '%Smashing Pumpkins%' },
48         title  => 'Siamese Dream',
49       ],
50       artist => 'Starchildren',
51     ],
52   });
53
54 This results in the following C<WHERE> clause:
55
56   WHERE ( artist LIKE '%Smashing Pumpkins%' AND title = 'Siamese Dream' )
57     OR artist = 'Starchildren'
58
59 For more information on generating complex queries, see
60 L<SQL::Abstract/WHERE CLAUSES>.
61
62 =head2 Retrieve one and only one row from a resultset
63
64 Sometimes you need only the first "top" row of a resultset. While this
65 can be easily done with L<< $rs->first|DBIx::Class::ResultSet/first
66 >>, it is suboptimal, as a full blown cursor for the resultset will be
67 created and then immediately destroyed after fetching the first row
68 object.  L<< $rs->single|DBIx::Class::ResultSet/single >> is designed
69 specifically for this case - it will grab the first returned result
70 without even instantiating a cursor.
71
72 Before replacing all your calls to C<first()> with C<single()> please observe the
73 following CAVEATS:
74
75 =over
76
77 =item *
78
79 While single() takes a search condition just like search() does, it does
80 _not_ accept search attributes. However one can always chain a single() to
81 a search():
82
83   my $top_cd = $cd_rs->search({}, { order_by => 'rating' })->single;
84
85
86 =item *
87
88 Since single() is the engine behind find(), it is designed to fetch a
89 single row per database query. Thus a warning will be issued when the
90 underlying SELECT returns more than one row. Sometimes however this usage
91 is valid: i.e. we have an arbitrary number of cd's but only one of them is
92 at the top of the charts at any given time. If you know what you are doing,
93 you can silence the warning by explicitly limiting the resultset size:
94
95   my $top_cd = $cd_rs->search ({}, { order_by => 'rating', rows => 1 })->single;
96
97 =back
98
99 =head2 Arbitrary SQL through a custom ResultSource
100
101 Sometimes you have to run arbitrary SQL because your query is too complex
102 (e.g. it contains Unions, Sub-Selects, Stored Procedures, etc.) or has to
103 be optimized for your database in a special way, but you still want to
104 get the results as a L<DBIx::Class::ResultSet>.
105
106 This is accomplished by defining a
107 L<ResultSource::View|DBIx::Class::ResultSource::View> for your query,
108 almost like you would define a regular ResultSource.
109
110   package My::Schema::Result::UserFriendsComplex;
111   use strict;
112   use warnings;
113   use base qw/DBIx::Class/;
114
115   __PACKAGE__->load_components('Core');
116   __PACKAGE__->table_class('DBIx::Class::ResultSource::View');
117
118   # ->table, ->add_columns, etc.
119
120   # do not attempt to deploy() this view
121   __PACKAGE__->result_source_instance->is_virtual(1);
122
123   __PACKAGE__->result_source_instance->view_definition(q[
124     SELECT u.* FROM user u
125     INNER JOIN user_friends f ON u.id = f.user_id
126     WHERE f.friend_user_id = ?
127     UNION
128     SELECT u.* FROM user u
129     INNER JOIN user_friends f ON u.id = f.friend_user_id
130     WHERE f.user_id = ?
131   ]);
132
133 Next, you can execute your complex query using bind parameters like this:
134
135   my $friends = $schema->resultset( 'UserFriendsComplex' )->search( {},
136     {
137       bind  => [ 12345, 12345 ]
138     }
139   );
140
141 ... and you'll get back a perfect L<DBIx::Class::ResultSet> (except, of course,
142 that you cannot modify the rows it contains, ie. cannot call L</update>,
143 L</delete>, ...  on it).
144
145 Note that you cannot have bind parameters unless is_virtual is set to true.
146
147 =over
148
149 =item * NOTE
150
151 If you're using the old deprecated C<< $rsrc_instance->name(\'( SELECT ...') >>
152 method for custom SQL execution, you are highly encouraged to update your code 
153 to use a virtual view as above. If you do not want to change your code, and just
154 want to suppress the deprecation warning when you call
155 L<DBIx::Class::Schema/deploy>, add this line to your source definition, so that
156 C<deploy> will exclude this "table":
157
158   sub sqlt_deploy_hook { $_[1]->schema->drop_table ($_[1]) }
159
160 =back
161
162 =head2 Using specific columns
163
164 When you only want specific columns from a table, you can use
165 C<columns> to specify which ones you need. This is useful to avoid
166 loading columns with large amounts of data that you aren't about to
167 use anyway:
168
169   my $rs = $schema->resultset('Artist')->search(
170     undef,
171     {
172       columns => [qw/ name /]
173     }
174   );
175
176   # Equivalent SQL:
177   # SELECT artist.name FROM artist
178
179 This is a shortcut for C<select> and C<as>, see below. C<columns>
180 cannot be used together with C<select> and C<as>.
181
182 =head2 Using database functions or stored procedures
183
184 The combination of C<select> and C<as> can be used to return the result of a
185 database function or stored procedure as a column value. You use C<select> to
186 specify the source for your column value (e.g. a column name, function, or
187 stored procedure name). You then use C<as> to set the column name you will use
188 to access the returned value:
189
190   my $rs = $schema->resultset('Artist')->search(
191     {},
192     {
193       select => [ 'name', { LENGTH => 'name' } ],
194       as     => [qw/ name name_length /],
195     }
196   );
197
198   # Equivalent SQL:
199   # SELECT name name, LENGTH( name )
200   # FROM artist
201
202 Note that the C< as > attribute has absolutely nothing to with the sql
203 syntax C< SELECT foo AS bar > (see the documentation in
204 L<DBIx::Class::ResultSet/ATTRIBUTES>).  If your alias exists as a
205 column in your base class (i.e. it was added with C<add_columns>), you
206 just access it as normal. Our C<Artist> class has a C<name> column, so
207 we just use the C<name> accessor:
208
209   my $artist = $rs->first();
210   my $name = $artist->name();
211
212 If on the other hand the alias does not correspond to an existing column, you
213 have to fetch the value using the C<get_column> accessor:
214
215   my $name_length = $artist->get_column('name_length');
216
217 If you don't like using C<get_column>, you can always create an accessor for
218 any of your aliases using either of these:
219
220   # Define accessor manually:
221   sub name_length { shift->get_column('name_length'); }
222
223   # Or use DBIx::Class::AccessorGroup:
224   __PACKAGE__->mk_group_accessors('column' => 'name_length');
225
226 =head2 SELECT DISTINCT with multiple columns
227
228   my $rs = $schema->resultset('Artist')->search(
229     {},
230     {
231       columns => [ qw/artist_id name rank/ ],
232       distinct => 1
233     }
234   );
235
236   my $rs = $schema->resultset('Artist')->search(
237     {},
238     {
239       columns => [ qw/artist_id name rank/ ],
240       group_by => [ qw/artist_id name rank/ ],
241     }
242   );
243
244   # Equivalent SQL:
245   # SELECT me.artist_id, me.name, me.rank
246   # FROM artist me
247   # GROUP BY artist_id, name, rank
248
249 =head2 SELECT COUNT(DISTINCT colname)
250
251   my $rs = $schema->resultset('Artist')->search(
252     {},
253     {
254       columns => [ qw/name/ ],
255       distinct => 1
256     }
257   );
258
259   my $rs = $schema->resultset('Artist')->search(
260     {},
261     {
262       columns => [ qw/name/ ],
263       group_by => [ qw/name/ ],
264     }
265   );
266
267   my $count = $rs->count;
268
269   # Equivalent SQL:
270   # SELECT COUNT( * ) FROM (SELECT me.name FROM artist me GROUP BY me.name) count_subq:
271
272 =head2 Grouping results
273
274 L<DBIx::Class> supports C<GROUP BY> as follows:
275
276   my $rs = $schema->resultset('Artist')->search(
277     {},
278     {
279       join     => [qw/ cds /],
280       select   => [ 'name', { count => 'cds.id' } ],
281       as       => [qw/ name cd_count /],
282       group_by => [qw/ name /]
283     }
284   );
285
286   # Equivalent SQL:
287   # SELECT name, COUNT( cd.id ) FROM artist
288   # LEFT JOIN cd ON artist.id = cd.artist
289   # GROUP BY name
290
291 Please see L<DBIx::Class::ResultSet/ATTRIBUTES> documentation if you
292 are in any way unsure about the use of the attributes above (C< join
293 >, C< select >, C< as > and C< group_by >).
294
295 =head2 Subqueries (EXPERIMENTAL)
296
297 You can write subqueries relatively easily in DBIC.
298
299   my $inside_rs = $schema->resultset('Artist')->search({
300     name => [ 'Billy Joel', 'Brittany Spears' ],
301   });
302
303   my $rs = $schema->resultset('CD')->search({
304     artist_id => { 'IN' => $inside_rs->get_column('id')->as_query },
305   });
306
307 The usual operators ( =, !=, IN, NOT IN, etc) are supported.
308
309 B<NOTE>: You have to explicitly use '=' when doing an equality comparison.
310 The following will B<not> work:
311
312   my $rs = $schema->resultset('CD')->search({
313     artist_id => $inside_rs->get_column('id')->as_query,
314   });
315
316 =head3 Support
317
318 Subqueries are supported in the where clause (first hashref), and in the
319 from, select, and +select attributes.
320
321 =head3 Correlated subqueries
322
323   my $cdrs = $schema->resultset('CD');
324   my $rs = $cdrs->search({
325     year => {
326       '=' => $cdrs->search(
327         { artist_id => { '=' => \'me.artist_id' } },
328         { alias => 'inner' }
329       )->get_column('year')->max_rs->as_query,
330     },
331   });
332
333 That creates the following SQL:
334
335   SELECT me.cdid, me.artist, me.title, me.year, me.genreid, me.single_track
336     FROM cd me
337    WHERE year = (
338       SELECT MAX(inner.year)
339         FROM cd inner
340        WHERE artist_id = me.artist_id
341       )
342
343 =head3 EXPERIMENTAL
344
345 Please note that subqueries are considered an experimental feature.
346
347 =head2 Predefined searches
348
349 You can write your own L<DBIx::Class::ResultSet> class by inheriting from it
350 and defining often used searches as methods:
351
352   package My::DBIC::ResultSet::CD;
353   use strict;
354   use warnings;
355   use base 'DBIx::Class::ResultSet';
356
357   sub search_cds_ordered {
358       my ($self) = @_;
359
360       return $self->search(
361           {},
362           { order_by => 'name DESC' },
363       );
364   }
365
366   1;
367
368 To use your resultset, first tell DBIx::Class to create an instance of it
369 for you, in your My::DBIC::Schema::CD class:
370
371   # class definition as normal
372   __PACKAGE__->load_components(qw/ Core /);
373   __PACKAGE__->table('cd');
374
375   # tell DBIC to use the custom ResultSet class
376   __PACKAGE__->resultset_class('My::DBIC::ResultSet::CD');
377
378 Note that C<resultset_class> must be called after C<load_components> and C<table>, or you will get errors about missing methods.
379
380 Then call your new method in your code:
381
382    my $ordered_cds = $schema->resultset('CD')->search_cds_ordered();
383
384 =head2 Using SQL functions on the left hand side of a comparison
385
386 Using SQL functions on the left hand side of a comparison is generally
387 not a good idea since it requires a scan of the entire table.  However,
388 it can be accomplished with C<DBIx::Class> when necessary.
389
390 If you do not have quoting on, simply include the function in your search
391 specification as you would any column:
392
393   $rs->search({ 'YEAR(date_of_birth)' => 1979 });
394
395 With quoting on, or for a more portable solution, use the C<where>
396 attribute:
397
398   $rs->search({}, { where => \'YEAR(date_of_birth) = 1979' });
399
400 =begin hidden
401
402 (When the bind args ordering bug is fixed, this technique will be better
403 and can replace the one above.)
404
405 With quoting on, or for a more portable solution, use the C<where> and
406 C<bind> attributes:
407
408   $rs->search({}, {
409       where => \'YEAR(date_of_birth) = ?',
410       bind  => [ 1979 ]
411   });
412
413 =end hidden
414
415 =head1 JOINS AND PREFETCHING
416
417 =head2 Using joins and prefetch
418
419 You can use the C<join> attribute to allow searching on, or sorting your
420 results by, one or more columns in a related table.
421
422 This requires that you have defined the L<DBIx::Class::Relationship>. For example :
423
424   My::Schema::CD->has_many( artists => 'My::Schema::Artist', 'artist_id');
425
426 To return all CDs matching a particular artist name, you specify the name of the relationship ('artists'):
427
428   my $rs = $schema->resultset('CD')->search(
429     {
430       'artists.name' => 'Bob Marley'
431     },
432     {
433       join => 'artists', # join the artist table
434     }
435   );
436
437   # Equivalent SQL:
438   # SELECT cd.* FROM cd
439   # JOIN artist ON cd.artist = artist.id
440   # WHERE artist.name = 'Bob Marley'
441
442 In that example both the join, and the condition use the relationship name rather than the table name
443 (see L<DBIx::Class::Manual::Joining> for more details on aliasing ).
444
445 If required, you can now sort on any column in the related tables by including
446 it in your C<order_by> attribute, (again using the aliased relation name rather than table name) :
447
448   my $rs = $schema->resultset('CD')->search(
449     {
450       'artists.name' => 'Bob Marley'
451     },
452     {
453       join     => 'artists',
454       order_by => [qw/ artists.name /]
455     }
456   );
457
458   # Equivalent SQL:
459   # SELECT cd.* FROM cd
460   # JOIN artist ON cd.artist = artist.id
461   # WHERE artist.name = 'Bob Marley'
462   # ORDER BY artist.name
463
464 Note that the C<join> attribute should only be used when you need to search or
465 sort using columns in a related table. Joining related tables when you only
466 need columns from the main table will make performance worse!
467
468 Now let's say you want to display a list of CDs, each with the name of the
469 artist. The following will work fine:
470
471   while (my $cd = $rs->next) {
472     print "CD: " . $cd->title . ", Artist: " . $cd->artist->name;
473   }
474
475 There is a problem however. We have searched both the C<cd> and C<artist> tables
476 in our main query, but we have only returned data from the C<cd> table. To get
477 the artist name for any of the CD objects returned, L<DBIx::Class> will go back
478 to the database:
479
480   SELECT artist.* FROM artist WHERE artist.id = ?
481
482 A statement like the one above will run for each and every CD returned by our
483 main query. Five CDs, five extra queries. A hundred CDs, one hundred extra
484 queries!
485
486 Thankfully, L<DBIx::Class> has a C<prefetch> attribute to solve this problem.
487 This allows you to fetch results from related tables in advance:
488
489   my $rs = $schema->resultset('CD')->search(
490     {
491       'artists.name' => 'Bob Marley'
492     },
493     {
494       join     => 'artists',
495       order_by => [qw/ artists.name /],
496       prefetch => 'artists' # return artist data too!
497     }
498   );
499
500   # Equivalent SQL (note SELECT from both "cd" and "artist"):
501   # SELECT cd.*, artist.* FROM cd
502   # JOIN artist ON cd.artist = artist.id
503   # WHERE artist.name = 'Bob Marley'
504   # ORDER BY artist.name
505
506 The code to print the CD list remains the same:
507
508   while (my $cd = $rs->next) {
509     print "CD: " . $cd->title . ", Artist: " . $cd->artist->name;
510   }
511
512 L<DBIx::Class> has now prefetched all matching data from the C<artist> table,
513 so no additional SQL statements are executed. You now have a much more
514 efficient query.
515
516 Also note that C<prefetch> should only be used when you know you will
517 definitely use data from a related table. Pre-fetching related tables when you
518 only need columns from the main table will make performance worse!
519
520 =head2 Multiple joins
521
522 In the examples above, the C<join> attribute was a scalar.  If you
523 pass an array reference instead, you can join to multiple tables.  In
524 this example, we want to limit the search further, using
525 C<LinerNotes>:
526
527   # Relationships defined elsewhere:
528   # CD->belongs_to('artist' => 'Artist');
529   # CD->has_one('liner_notes' => 'LinerNotes', 'cd');
530   my $rs = $schema->resultset('CD')->search(
531     {
532       'artist.name' => 'Bob Marley'
533       'liner_notes.notes' => { 'like', '%some text%' },
534     },
535     {
536       join     => [qw/ artist liner_notes /],
537       order_by => [qw/ artist.name /],
538     }
539   );
540
541   # Equivalent SQL:
542   # SELECT cd.*, artist.*, liner_notes.* FROM cd
543   # JOIN artist ON cd.artist = artist.id
544   # JOIN liner_notes ON cd.id = liner_notes.cd
545   # WHERE artist.name = 'Bob Marley'
546   # ORDER BY artist.name
547
548 =head2 Multi-step joins
549
550 Sometimes you want to join more than one relationship deep. In this example,
551 we want to find all C<Artist> objects who have C<CD>s whose C<LinerNotes>
552 contain a specific string:
553
554   # Relationships defined elsewhere:
555   # Artist->has_many('cds' => 'CD', 'artist');
556   # CD->has_one('liner_notes' => 'LinerNotes', 'cd');
557
558   my $rs = $schema->resultset('Artist')->search(
559     {
560       'liner_notes.notes' => { 'like', '%some text%' },
561     },
562     {
563       join => {
564         'cds' => 'liner_notes'
565       }
566     }
567   );
568
569   # Equivalent SQL:
570   # SELECT artist.* FROM artist
571   # LEFT JOIN cd ON artist.id = cd.artist
572   # LEFT JOIN liner_notes ON cd.id = liner_notes.cd
573   # WHERE liner_notes.notes LIKE '%some text%'
574
575 Joins can be nested to an arbitrary level. So if we decide later that we
576 want to reduce the number of Artists returned based on who wrote the liner
577 notes:
578
579   # Relationship defined elsewhere:
580   # LinerNotes->belongs_to('author' => 'Person');
581
582   my $rs = $schema->resultset('Artist')->search(
583     {
584       'liner_notes.notes' => { 'like', '%some text%' },
585       'author.name' => 'A. Writer'
586     },
587     {
588       join => {
589         'cds' => {
590           'liner_notes' => 'author'
591         }
592       }
593     }
594   );
595
596   # Equivalent SQL:
597   # SELECT artist.* FROM artist
598   # LEFT JOIN cd ON artist.id = cd.artist
599   # LEFT JOIN liner_notes ON cd.id = liner_notes.cd
600   # LEFT JOIN author ON author.id = liner_notes.author
601   # WHERE liner_notes.notes LIKE '%some text%'
602   # AND author.name = 'A. Writer'
603
604 =head2 Multi-step and multiple joins
605
606 With various combinations of array and hash references, you can join
607 tables in any combination you desire.  For example, to join Artist to
608 CD and Concert, and join CD to LinerNotes:
609
610   # Relationships defined elsewhere:
611   # Artist->has_many('concerts' => 'Concert', 'artist');
612
613   my $rs = $schema->resultset('Artist')->search(
614     { },
615     {
616       join => [
617         {
618           cds => 'liner_notes'
619         },
620         'concerts'
621       ],
622     }
623   );
624
625   # Equivalent SQL:
626   # SELECT artist.* FROM artist
627   # LEFT JOIN cd ON artist.id = cd.artist
628   # LEFT JOIN liner_notes ON cd.id = liner_notes.cd
629   # LEFT JOIN concert ON artist.id = concert.artist
630
631 =head2 Multi-step prefetch
632
633 C<prefetch> can be nested more than one relationship
634 deep using the same syntax as a multi-step join:
635
636   my $rs = $schema->resultset('Tag')->search(
637     {},
638     {
639       prefetch => {
640         cd => 'artist'
641       }
642     }
643   );
644
645   # Equivalent SQL:
646   # SELECT tag.*, cd.*, artist.* FROM tag
647   # JOIN cd ON tag.cd = cd.id
648   # JOIN artist ON cd.artist = artist.id
649
650 Now accessing our C<cd> and C<artist> relationships does not need additional
651 SQL statements:
652
653   my $tag = $rs->first;
654   print $tag->cd->artist->name;
655
656 =head1 ROW-LEVEL OPERATIONS
657
658 =head2 Retrieving a row object's Schema
659
660 It is possible to get a Schema object from a row object like so:
661
662   my $schema = $cd->result_source->schema;
663   # use the schema as normal:
664   my $artist_rs = $schema->resultset('Artist');
665
666 This can be useful when you don't want to pass around a Schema object to every
667 method.
668
669 =head2 Getting the value of the primary key for the last database insert
670
671 AKA getting last_insert_id
672
673 Thanks to the core component PK::Auto, this is straightforward:
674
675   my $foo = $rs->create(\%blah);
676   # do more stuff
677   my $id = $foo->id; # foo->my_primary_key_field will also work.
678
679 If you are not using autoincrementing primary keys, this will probably
680 not work, but then you already know the value of the last primary key anyway.
681
682 =head2 Stringification
683
684 Employ the standard stringification technique by using the L<overload>
685 module.
686
687 To make an object stringify itself as a single column, use something
688 like this (replace C<name> with the column/method of your choice):
689
690   use overload '""' => sub { shift->name}, fallback => 1;
691
692 For more complex stringification, you can use an anonymous subroutine:
693
694   use overload '""' => sub { $_[0]->name . ", " .
695                              $_[0]->address }, fallback => 1;
696
697 =head3 Stringification Example
698
699 Suppose we have two tables: C<Product> and C<Category>. The table
700 specifications are:
701
702   Product(id, Description, category)
703   Category(id, Description)
704
705 C<category> is a foreign key into the Category table.
706
707 If you have a Product object C<$obj> and write something like
708
709   print $obj->category
710
711 things will not work as expected.
712
713 To obtain, for example, the category description, you should add this
714 method to the class defining the Category table:
715
716   use overload "" => sub {
717       my $self = shift;
718
719       return $self->Description;
720   }, fallback => 1;
721
722 =head2 Want to know if find_or_create found or created a row?
723
724 Just use C<find_or_new> instead, then check C<in_storage>:
725
726   my $obj = $rs->find_or_new({ blah => 'blarg' });
727   unless ($obj->in_storage) {
728     $obj->insert;
729     # do whatever else you wanted if it was a new row
730   }
731
732 =head2 Static sub-classing DBIx::Class result classes
733
734 AKA adding additional relationships/methods/etc. to a model for a
735 specific usage of the (shared) model.
736
737 B<Schema definition>
738
739     package My::App::Schema;
740
741     use base DBIx::Class::Schema;
742
743     # load subclassed classes from My::App::Schema::Result/ResultSet
744     __PACKAGE__->load_namespaces;
745
746     # load classes from shared model
747     load_classes({
748         'My::Shared::Model::Result' => [qw/
749             Foo
750             Bar
751         /]});
752
753     1;
754
755 B<Result-Subclass definition>
756
757     package My::App::Schema::Result::Baz;
758
759     use strict;
760     use warnings;
761     use base My::Shared::Model::Result::Baz;
762
763     # WARNING: Make sure you call table() again in your subclass,
764     # otherwise DBIx::Class::ResultSourceProxy::Table will not be called
765     # and the class name is not correctly registered as a source
766     __PACKAGE__->table('baz');
767
768     sub additional_method {
769         return "I'm an additional method only needed by this app";
770     }
771
772     1;
773
774 =head2 Dynamic Sub-classing DBIx::Class proxy classes
775
776 AKA multi-class object inflation from one table
777
778 L<DBIx::Class> classes are proxy classes, therefore some different
779 techniques need to be employed for more than basic subclassing.  In
780 this example we have a single user table that carries a boolean bit
781 for admin.  We would like like to give the admin users
782 objects (L<DBIx::Class::Row>) the same methods as a regular user but
783 also special admin only methods.  It doesn't make sense to create two
784 seperate proxy-class files for this.  We would be copying all the user
785 methods into the Admin class.  There is a cleaner way to accomplish
786 this.
787
788 Overriding the C<inflate_result> method within the User proxy-class
789 gives us the effect we want.  This method is called by
790 L<DBIx::Class::ResultSet> when inflating a result from storage.  So we
791 grab the object being returned, inspect the values we are looking for,
792 bless it if it's an admin object, and then return it.  See the example
793 below:
794
795 B<Schema Definition>
796
797     package My::Schema;
798
799     use base qw/DBIx::Class::Schema/;
800
801     __PACKAGE__->load_namespaces;
802
803     1;
804
805
806 B<Proxy-Class definitions>
807
808     package My::Schema::Result::User;
809
810     use strict;
811     use warnings;
812     use base qw/DBIx::Class/;
813
814     ### Define what our admin class is, for ensure_class_loaded()
815     my $admin_class = __PACKAGE__ . '::Admin';
816
817     __PACKAGE__->load_components(qw/Core/);
818
819     __PACKAGE__->table('users');
820
821     __PACKAGE__->add_columns(qw/user_id   email    password
822                                 firstname lastname active
823                                 admin/);
824
825     __PACKAGE__->set_primary_key('user_id');
826
827     sub inflate_result {
828         my $self = shift;
829         my $ret = $self->next::method(@_);
830         if( $ret->admin ) {### If this is an admin, rebless for extra functions
831             $self->ensure_class_loaded( $admin_class );
832             bless $ret, $admin_class;
833         }
834         return $ret;
835     }
836
837     sub hello {
838         print "I am a regular user.\n";
839         return ;
840     }
841
842     1;
843
844
845     package My::Schema::Result::User::Admin;
846
847     use strict;
848     use warnings;
849     use base qw/My::Schema::Result::User/;
850
851     # This line is important
852     __PACKAGE__->table('users');
853
854     sub hello
855     {
856         print "I am an admin.\n";
857         return;
858     }
859
860     sub do_admin_stuff
861     {
862         print "I am doing admin stuff\n";
863         return ;
864     }
865
866     1;
867
868 B<Test File> test.pl
869
870     use warnings;
871     use strict;
872     use My::Schema;
873
874     my $user_data = { email    => 'someguy@place.com',
875                       password => 'pass1',
876                       admin    => 0 };
877
878     my $admin_data = { email    => 'someadmin@adminplace.com',
879                        password => 'pass2',
880                        admin    => 1 };
881
882     my $schema = My::Schema->connection('dbi:Pg:dbname=test');
883
884     $schema->resultset('User')->create( $user_data );
885     $schema->resultset('User')->create( $admin_data );
886
887     ### Now we search for them
888     my $user = $schema->resultset('User')->single( $user_data );
889     my $admin = $schema->resultset('User')->single( $admin_data );
890
891     print ref $user, "\n";
892     print ref $admin, "\n";
893
894     print $user->password , "\n"; # pass1
895     print $admin->password , "\n";# pass2; inherited from User
896     print $user->hello , "\n";# I am a regular user.
897     print $admin->hello, "\n";# I am an admin.
898
899     ### The statement below will NOT print
900     print "I can do admin stuff\n" if $user->can('do_admin_stuff');
901     ### The statement below will print
902     print "I can do admin stuff\n" if $admin->can('do_admin_stuff');
903
904 =head2 Skip row object creation for faster results
905
906 DBIx::Class is not built for speed, it's built for convenience and
907 ease of use, but sometimes you just need to get the data, and skip the
908 fancy objects.
909
910 To do this simply use L<DBIx::Class::ResultClass::HashRefInflator>.
911
912  my $rs = $schema->resultset('CD');
913
914  $rs->result_class('DBIx::Class::ResultClass::HashRefInflator');
915
916  my $hash_ref = $rs->find(1);
917
918 Wasn't that easy?
919
920 Beware, changing the Result class using
921 L<DBIx::Class::ResultSet/result_class> will replace any existing class
922 completely including any special components loaded using
923 load_components, eg L<DBIx::Class::InflateColumn::DateTime>.
924
925 =head2 Get raw data for blindingly fast results
926
927 If the L<HashRefInflator|DBIx::Class::ResultClass::HashRefInflator> solution
928 above is not fast enough for you, you can use a DBIx::Class to return values
929 exactly as they come out of the database with none of the convenience methods
930 wrapped round them.
931
932 This is used like so:
933
934   my $cursor = $rs->cursor
935   while (my @vals = $cursor->next) {
936       # use $val[0..n] here
937   }
938
939 You will need to map the array offsets to particular columns (you can
940 use the L<DBIx::Class::ResultSet/select> attribute of L<DBIx::Class::ResultSet/search> to force ordering).
941
942 =head1 RESULTSET OPERATIONS
943
944 =head2 Getting Schema from a ResultSet
945
946 To get the L<DBIx::Class::Schema> object from a ResultSet, do the following:
947
948  $rs->result_source->schema
949
950 =head2 Getting Columns Of Data
951
952 AKA Aggregating Data
953
954 If you want to find the sum of a particular column there are several
955 ways, the obvious one is to use search:
956
957   my $rs = $schema->resultset('Items')->search(
958     {},
959     {
960        select => [ { sum => 'Cost' } ],
961        as     => [ 'total_cost' ], # remember this 'as' is for DBIx::Class::ResultSet not SQL
962     }
963   );
964   my $tc = $rs->first->get_column('total_cost');
965
966 Or, you can use the L<DBIx::Class::ResultSetColumn>, which gets
967 returned when you ask the C<ResultSet> for a column using
968 C<get_column>:
969
970   my $cost = $schema->resultset('Items')->get_column('Cost');
971   my $tc = $cost->sum;
972
973 With this you can also do:
974
975   my $minvalue = $cost->min;
976   my $maxvalue = $cost->max;
977
978 Or just iterate through the values of this column only:
979
980   while ( my $c = $cost->next ) {
981     print $c;
982   }
983
984   foreach my $c ($cost->all) {
985     print $c;
986   }
987
988 C<ResultSetColumn> only has a limited number of built-in functions. If
989 you need one that it doesn't have, then you can use the C<func> method
990 instead:
991
992   my $avg = $cost->func('AVERAGE');
993
994 This will cause the following SQL statement to be run:
995
996   SELECT AVERAGE(Cost) FROM Items me
997
998 Which will of course only work if your database supports this function.
999 See L<DBIx::Class::ResultSetColumn> for more documentation.
1000
1001 =head2 Creating a result set from a set of rows
1002
1003 Sometimes you have a (set of) row objects that you want to put into a
1004 resultset without the need to hit the DB again. You can do that by using the
1005 L<set_cache|DBIx::Class::Resultset/set_cache> method:
1006
1007  my @uploadable_groups;
1008  while (my $group = $groups->next) {
1009    if ($group->can_upload($self)) {
1010      push @uploadable_groups, $group;
1011    }
1012  }
1013  my $new_rs = $self->result_source->resultset;
1014  $new_rs->set_cache(\@uploadable_groups);
1015  return $new_rs;
1016
1017
1018 =head1 USING RELATIONSHIPS
1019
1020 =head2 Create a new row in a related table
1021
1022   my $author = $book->create_related('author', { name => 'Fred'});
1023
1024 =head2 Search in a related table
1025
1026 Only searches for books named 'Titanic' by the author in $author.
1027
1028   my $books_rs = $author->search_related('books', { name => 'Titanic' });
1029
1030 =head2 Delete data in a related table
1031
1032 Deletes only the book named Titanic by the author in $author.
1033
1034   $author->delete_related('books', { name => 'Titanic' });
1035
1036 =head2 Ordering a relationship result set
1037
1038 If you always want a relation to be ordered, you can specify this when you
1039 create the relationship.
1040
1041 To order C<< $book->pages >> by descending page_number, create the relation
1042 as follows:
1043
1044   __PACKAGE__->has_many('pages' => 'Page', 'book', { order_by => \'page_number DESC'} );
1045
1046 =head2 Filtering a relationship result set
1047
1048 If you want to get a filtered result set, you can just add add to $attr as follows:
1049
1050  __PACKAGE__->has_many('pages' => 'Page', 'book', { where => { scrap => 0 } } );
1051
1052 =head2 Many-to-many relationships
1053
1054 This is straightforward using L<ManyToMany|DBIx::Class::Relationship/many_to_many>:
1055
1056   package My::User;
1057   use base 'DBIx::Class';
1058   __PACKAGE__->load_components('Core');
1059   __PACKAGE__->table('user');
1060   __PACKAGE__->add_columns(qw/id name/);
1061   __PACKAGE__->set_primary_key('id');
1062   __PACKAGE__->has_many('user_address' => 'My::UserAddress', 'user');
1063   __PACKAGE__->many_to_many('addresses' => 'user_address', 'address');
1064
1065   package My::UserAddress;
1066   use base 'DBIx::Class';
1067   __PACKAGE__->load_components('Core');
1068   __PACKAGE__->table('user_address');
1069   __PACKAGE__->add_columns(qw/user address/);
1070   __PACKAGE__->set_primary_key(qw/user address/);
1071   __PACKAGE__->belongs_to('user' => 'My::User');
1072   __PACKAGE__->belongs_to('address' => 'My::Address');
1073
1074   package My::Address;
1075   use base 'DBIx::Class';
1076   __PACKAGE__->load_components('Core');
1077   __PACKAGE__->table('address');
1078   __PACKAGE__->add_columns(qw/id street town area_code country/);
1079   __PACKAGE__->set_primary_key('id');
1080   __PACKAGE__->has_many('user_address' => 'My::UserAddress', 'address');
1081   __PACKAGE__->many_to_many('users' => 'user_address', 'user');
1082
1083   $rs = $user->addresses(); # get all addresses for a user
1084   $rs = $address->users(); # get all users for an address
1085
1086 =head2 Relationships across DB schemas
1087
1088 Mapping relationships across L<DB schemas|DBIx::Class::Manual::Glossary/DB schema>
1089 is easy as long as the schemas themselves are all accessible via the same DBI
1090 connection. In most cases, this means that they are on the same database host
1091 as each other and your connecting database user has the proper permissions to them.
1092
1093 To accomplish this one only needs to specify the DB schema name in the table
1094 declaration, like so...
1095
1096   package MyDatabase::Main::Artist;
1097   use base qw/DBIx::Class/;
1098   __PACKAGE__->load_components(qw/PK::Auto Core/);
1099
1100   __PACKAGE__->table('database1.artist'); # will use "database1.artist" in FROM clause
1101
1102   __PACKAGE__->add_columns(qw/ artist_id name /);
1103   __PACKAGE__->set_primary_key('artist_id');
1104   __PACKAGE__->has_many('cds' => 'MyDatabase::Main::Cd');
1105
1106   1;
1107
1108 Whatever string you specify there will be used to build the "FROM" clause in SQL
1109 queries.
1110
1111 The big drawback to this is you now have DB schema names hardcoded in your
1112 class files. This becomes especially troublesome if you have multiple instances
1113 of your application to support a change lifecycle (e.g. DEV, TEST, PROD) and
1114 the DB schemas are named based on the environment (e.g. database1_dev).
1115
1116 However, one can dynamically "map" to the proper DB schema by overriding the
1117 L<connection|DBIx::Class::Schama/connection> method in your Schema class and
1118 building a renaming facility, like so:
1119
1120   package MyDatabase::Schema;
1121   use Moose;
1122
1123   extends 'DBIx::Class::Schema';
1124
1125   around connection => sub {
1126     my ( $inner, $self, $dsn, $username, $pass, $attr ) = ( shift, @_ );
1127
1128     my $postfix = delete $attr->{schema_name_postfix};
1129
1130     $inner->(@_);
1131
1132     if ( $postfix ) {
1133         $self->append_db_name($postfix);
1134     }
1135   };
1136
1137   sub append_db_name {
1138     my ( $self, $postfix ) = @_;
1139
1140     my @sources_with_db
1141         = grep
1142             { $_->name =~ /^\w+\./mx }
1143             map
1144                 { $self->source($_) }
1145                 $self->sources;
1146
1147     foreach my $source (@sources_with_db) {
1148         my $name = $source->name;
1149         $name =~ s{^(\w+)\.}{${1}${postfix}\.}mx;
1150
1151         $source->name($name);
1152     }
1153   }
1154
1155   1;
1156
1157 By overridding the L<connection|DBIx::Class::Schama/connection>
1158 method and extracting a custom option from the provided \%attr hashref one can
1159 then simply iterate over all the Schema's ResultSources, renaming them as
1160 needed.
1161
1162 To use this facility, simply add or modify the \%attr hashref that is passed to
1163 L<connection|DBIx::Class::Schama/connect>, as follows:
1164
1165   my $schema
1166     = MyDatabase::Schema->connect(
1167       $dsn,
1168       $user,
1169       $pass,
1170       {
1171         schema_name_postfix => '_dev'
1172         # ... Other options as desired ...
1173       })
1174
1175 Obviously, one could accomplish even more advanced mapping via a hash map or a
1176 callback routine.
1177
1178 =head1 TRANSACTIONS
1179
1180 As of version 0.04001, there is improved transaction support in
1181 L<DBIx::Class::Storage> and L<DBIx::Class::Schema>.  Here is an
1182 example of the recommended way to use it:
1183
1184   my $genus = $schema->resultset('Genus')->find(12);
1185
1186   my $coderef2 = sub {
1187     $genus->extinct(1);
1188     $genus->update;
1189   };
1190
1191   my $coderef1 = sub {
1192     $genus->add_to_species({ name => 'troglodyte' });
1193     $genus->wings(2);
1194     $genus->update;
1195     $schema->txn_do($coderef2); # Can have a nested transaction. Only the outer will actualy commit
1196     return $genus->species;
1197   };
1198
1199   my $rs;
1200   eval {
1201     $rs = $schema->txn_do($coderef1);
1202   };
1203
1204   if ($@) {                             # Transaction failed
1205     die "the sky is falling!"           #
1206       if ($@ =~ /Rollback failed/);     # Rollback failed
1207
1208     deal_with_failed_transaction();
1209   }
1210
1211 Nested transactions will work as expected. That is, only the outermost
1212 transaction will actually issue a commit to the $dbh, and a rollback
1213 at any level of any transaction will cause the entire nested
1214 transaction to fail. Support for savepoints and for true nested
1215 transactions (for databases that support them) will hopefully be added
1216 in the future.
1217
1218 =head1 SQL
1219
1220 =head2 Creating Schemas From An Existing Database
1221
1222 L<DBIx::Class::Schema::Loader> will connect to a database and create a
1223 L<DBIx::Class::Schema> and associated sources by examining the database.
1224
1225 The recommend way of achieving this is to use the
1226 L<make_schema_at|DBIx::Class::Schema::Loader/make_schema_at> method:
1227
1228   perl -MDBIx::Class::Schema::Loader=make_schema_at,dump_to_dir:./lib \
1229     -e 'make_schema_at("My::Schema", { debug => 1 }, [ "dbi:Pg:dbname=foo","postgres" ])'
1230
1231 This will create a tree of files rooted at C<./lib/My/Schema/> containing
1232 source definitions for all the tables found in the C<foo> database.
1233
1234 =head2 Creating DDL SQL
1235
1236 The following functionality requires you to have L<SQL::Translator>
1237 (also known as "SQL Fairy") installed.
1238
1239 To create a set of database-specific .sql files for the above schema:
1240
1241  my $schema = My::Schema->connect($dsn);
1242  $schema->create_ddl_dir(['MySQL', 'SQLite', 'PostgreSQL'],
1243                         '0.1',
1244                         './dbscriptdir/'
1245                         );
1246
1247 By default this will create schema files in the current directory, for
1248 MySQL, SQLite and PostgreSQL, using the $VERSION from your Schema.pm.
1249
1250 To create a new database using the schema:
1251
1252  my $schema = My::Schema->connect($dsn);
1253  $schema->deploy({ add_drop_tables => 1});
1254
1255 To import created .sql files using the mysql client:
1256
1257   mysql -h "host" -D "database" -u "user" -p < My_Schema_1.0_MySQL.sql
1258
1259 To create C<ALTER TABLE> conversion scripts to update a database to a
1260 newer version of your schema at a later point, first set a new
1261 C<$VERSION> in your Schema file, then:
1262
1263  my $schema = My::Schema->connect($dsn);
1264  $schema->create_ddl_dir(['MySQL', 'SQLite', 'PostgreSQL'],
1265                          '0.2',
1266                          '/dbscriptdir/',
1267                          '0.1'
1268                          );
1269
1270 This will produce new database-specific .sql files for the new version
1271 of the schema, plus scripts to convert from version 0.1 to 0.2. This
1272 requires that the files for 0.1 as created above are available in the
1273 given directory to diff against.
1274
1275 =head2 Select from dual
1276
1277 Dummy tables are needed by some databases to allow calling functions
1278 or expressions that aren't based on table content, for examples of how
1279 this applies to various database types, see:
1280 L<http://troels.arvin.dk/db/rdbms/#other-dummy_table>.
1281
1282 Note: If you're using Oracles dual table don't B<ever> do anything
1283 other than a select, if you CRUD on your dual table you *will* break
1284 your database.
1285
1286 Make a table class as you would for any other table
1287
1288   package MyAppDB::Dual;
1289   use strict;
1290   use warnings;
1291   use base 'DBIx::Class';
1292   __PACKAGE__->load_components("Core");
1293   __PACKAGE__->table("Dual");
1294   __PACKAGE__->add_columns(
1295     "dummy",
1296     { data_type => "VARCHAR2", is_nullable => 0, size => 1 },
1297   );
1298
1299 Once you've loaded your table class select from it using C<select>
1300 and C<as> instead of C<columns>
1301
1302   my $rs = $schema->resultset('Dual')->search(undef,
1303     { select => [ 'sydate' ],
1304       as     => [ 'now' ]
1305     },
1306   );
1307
1308 All you have to do now is be careful how you access your resultset, the below
1309 will not work because there is no column called 'now' in the Dual table class
1310
1311   while (my $dual = $rs->next) {
1312     print $dual->now."\n";
1313   }
1314   # Can't locate object method "now" via package "MyAppDB::Dual" at headshot.pl line 23.
1315
1316 You could of course use 'dummy' in C<as> instead of 'now', or C<add_columns> to
1317 your Dual class for whatever you wanted to select from dual, but that's just
1318 silly, instead use C<get_column>
1319
1320   while (my $dual = $rs->next) {
1321     print $dual->get_column('now')."\n";
1322   }
1323
1324 Or use C<cursor>
1325
1326   my $cursor = $rs->cursor;
1327   while (my @vals = $cursor->next) {
1328     print $vals[0]."\n";
1329   }
1330
1331 In case you're going to use this "trick" together with L<DBIx::Class::Schema/deploy> or
1332 L<DBIx::Class::Schema/create_ddl_dir> a table called "dual" will be created in your
1333 current schema. This would overlap "sys.dual" and you could not fetch "sysdate" or
1334 "sequence.nextval" anymore from dual. To avoid this problem, just tell
1335 L<SQL::Translator> to not create table dual:
1336
1337     my $sqlt_args = {
1338         add_drop_table => 1,
1339         parser_args    => { sources => [ grep $_ ne 'Dual', schema->sources ] },
1340     };
1341     $schema->create_ddl_dir( [qw/Oracle/], undef, './sql', undef, $sqlt_args );
1342
1343 Or use L<DBIx::Class::ResultClass::HashRefInflator>
1344
1345   $rs->result_class('DBIx::Class::ResultClass::HashRefInflator');
1346   while ( my $dual = $rs->next ) {
1347     print $dual->{now}."\n";
1348   }
1349
1350 Here are some example C<select> conditions to illustrate the different syntax
1351 you could use for doing stuff like
1352 C<oracles.heavily(nested(functions_can('take', 'lots'), OF), 'args')>
1353
1354   # get a sequence value
1355   select => [ 'A_SEQ.nextval' ],
1356
1357   # get create table sql
1358   select => [ { 'dbms_metadata.get_ddl' => [ "'TABLE'", "'ARTIST'" ]} ],
1359
1360   # get a random num between 0 and 100
1361   select => [ { "trunc" => [ { "dbms_random.value" => [0,100] } ]} ],
1362
1363   # what year is it?
1364   select => [ { 'extract' => [ \'year from sysdate' ] } ],
1365
1366   # do some math
1367   select => [ {'round' => [{'cos' => [ \'180 * 3.14159265359/180' ]}]}],
1368
1369   # which day of the week were you born on?
1370   select => [{'to_char' => [{'to_date' => [ "'25-DEC-1980'", "'dd-mon-yyyy'" ]}, "'day'"]}],
1371
1372   # select 16 rows from dual
1373   select   => [ "'hello'" ],
1374   as       => [ 'world' ],
1375   group_by => [ 'cube( 1, 2, 3, 4 )' ],
1376
1377
1378
1379 =head2 Adding Indexes And Functions To Your SQL
1380
1381 Often you will want indexes on columns on your table to speed up searching. To
1382 do this, create a method called C<sqlt_deploy_hook> in the relevant source
1383 class (refer to the advanced
1384 L<callback system|DBIx::Class::ResultSource/sqlt_deploy_callback> if you wish
1385 to share a hook between multiple sources):
1386
1387  package My::Schema::Result::Artist;
1388
1389  __PACKAGE__->table('artist');
1390  __PACKAGE__->add_columns(id => { ... }, name => { ... })
1391
1392  sub sqlt_deploy_hook {
1393    my ($self, $sqlt_table) = @_;
1394
1395    $sqlt_table->add_index(name => 'idx_name', fields => ['name']);
1396  }
1397
1398  1;
1399
1400 Sometimes you might want to change the index depending on the type of the
1401 database for which SQL is being generated:
1402
1403   my ($db_type = $sqlt_table->schema->translator->producer_type)
1404     =~ s/^SQL::Translator::Producer:://;
1405
1406 You can also add hooks to the schema level to stop certain tables being
1407 created:
1408
1409  package My::Schema;
1410
1411  ...
1412
1413  sub sqlt_deploy_hook {
1414    my ($self, $sqlt_schema) = @_;
1415
1416    $sqlt_schema->drop_table('table_name');
1417  }
1418
1419 You could also add views, procedures or triggers to the output using
1420 L<SQL::Translator::Schema/add_view>,
1421 L<SQL::Translator::Schema/add_procedure> or
1422 L<SQL::Translator::Schema/add_trigger>.
1423
1424
1425 =head2 Schema versioning
1426
1427 The following example shows simplistically how you might use DBIx::Class to
1428 deploy versioned schemas to your customers. The basic process is as follows:
1429
1430 =over 4
1431
1432 =item 1.
1433
1434 Create a DBIx::Class schema
1435
1436 =item 2.
1437
1438 Save the schema
1439
1440 =item 3.
1441
1442 Deploy to customers
1443
1444 =item 4.
1445
1446 Modify schema to change functionality
1447
1448 =item 5.
1449
1450 Deploy update to customers
1451
1452 =back
1453
1454 B<Create a DBIx::Class schema>
1455
1456 This can either be done manually, or generated from an existing database as
1457 described under L</Creating Schemas From An Existing Database>
1458
1459 B<Save the schema>
1460
1461 Call L<DBIx::Class::Schema/create_ddl_dir> as above under L</Creating DDL SQL>.
1462
1463 B<Deploy to customers>
1464
1465 There are several ways you could deploy your schema. These are probably
1466 beyond the scope of this recipe, but might include:
1467
1468 =over 4
1469
1470 =item 1.
1471
1472 Require customer to apply manually using their RDBMS.
1473
1474 =item 2.
1475
1476 Package along with your app, making database dump/schema update/tests
1477 all part of your install.
1478
1479 =back
1480
1481 B<Modify the schema to change functionality>
1482
1483 As your application evolves, it may be necessary to modify your schema
1484 to change functionality. Once the changes are made to your schema in
1485 DBIx::Class, export the modified schema and the conversion scripts as
1486 in L</Creating DDL SQL>.
1487
1488 B<Deploy update to customers>
1489
1490 Add the L<DBIx::Class::Schema::Versioned> schema component to your
1491 Schema class. This will add a new table to your database called
1492 C<dbix_class_schema_vesion> which will keep track of which version is installed
1493 and warn if the user trys to run a newer schema version than the
1494 database thinks it has.
1495
1496 Alternatively, you can send the conversion sql scripts to your
1497 customers as above.
1498
1499 =head2 Setting quoting for the generated SQL.
1500
1501 If the database contains column names with spaces and/or reserved words, they
1502 need to be quoted in the SQL queries. This is done using:
1503
1504  __PACKAGE__->storage->sql_maker->quote_char([ qw/[ ]/] );
1505  __PACKAGE__->storage->sql_maker->name_sep('.');
1506
1507 The first sets the quote characters. Either a pair of matching
1508 brackets, or a C<"> or C<'>:
1509
1510  __PACKAGE__->storage->sql_maker->quote_char('"');
1511
1512 Check the documentation of your database for the correct quote
1513 characters to use. C<name_sep> needs to be set to allow the SQL
1514 generator to put the quotes the correct place.
1515
1516 In most cases you should set these as part of the arguments passed to
1517 L<DBIx::Class::Schema/connect>:
1518
1519  my $schema = My::Schema->connect(
1520   'dbi:mysql:my_db',
1521   'db_user',
1522   'db_password',
1523   {
1524     quote_char => '"',
1525     name_sep   => '.'
1526   }
1527  )
1528
1529 =head2 Setting limit dialect for SQL::Abstract::Limit
1530
1531 In some cases, SQL::Abstract::Limit cannot determine the dialect of
1532 the remote SQL server by looking at the database handle. This is a
1533 common problem when using the DBD::JDBC, since the DBD-driver only
1534 know that in has a Java-driver available, not which JDBC driver the
1535 Java component has loaded.  This specifically sets the limit_dialect
1536 to Microsoft SQL-server (See more names in SQL::Abstract::Limit
1537 -documentation.
1538
1539   __PACKAGE__->storage->sql_maker->limit_dialect('mssql');
1540
1541 The JDBC bridge is one way of getting access to a MSSQL server from a platform
1542 that Microsoft doesn't deliver native client libraries for. (e.g. Linux)
1543
1544 The limit dialect can also be set at connect time by specifying a
1545 C<limit_dialect> key in the final hash as shown above.
1546
1547 =head2 Working with PostgreSQL array types
1548
1549 You can also assign values to PostgreSQL array columns by passing array
1550 references in the C<\%columns> (C<\%vals>) hashref of the
1551 L<DBIx::Class::ResultSet/create> and L<DBIx::Class::Row/update> family of
1552 methods:
1553
1554   $resultset->create({
1555     numbers => [1, 2, 3]
1556   });
1557
1558   $row->update(
1559     {
1560       numbers => [1, 2, 3]
1561     },
1562     {
1563       day => '2008-11-24'
1564     }
1565   );
1566
1567 In conditions (eg. C<\%cond> in the L<DBIx::Class::ResultSet/search> family of
1568 methods) you cannot directly use array references (since this is interpreted as
1569 a list of values to be C<OR>ed), but you can use the following syntax to force
1570 passing them as bind values:
1571
1572   $resultset->search(
1573     {
1574       numbers => \[ '= ?', [numbers => [1, 2, 3]] ]
1575     }
1576   );
1577
1578 See L<SQL::Abstract/array_datatypes> and L<SQL::Abstract/Literal SQL with
1579 placeholders and bind values (subqueries)> for more explanation. Note that
1580 L<DBIx::Class> sets L<SQL::Abstract/bindtype> to C<columns>, so you must pass
1581 the bind values (the C<[1, 2, 3]> arrayref in the above example) wrapped in
1582 arrayrefs together with the column name, like this: C<< [column_name => value]
1583 >>.
1584
1585 =head1 BOOTSTRAPPING/MIGRATING
1586
1587 =head2 Easy migration from class-based to schema-based setup
1588
1589 You want to start using the schema-based approach to L<DBIx::Class>
1590 (see L<SchemaIntro.pod>), but have an established class-based setup with lots
1591 of existing classes that you don't want to move by hand. Try this nifty script
1592 instead:
1593
1594   use MyDB;
1595   use SQL::Translator;
1596
1597   my $schema = MyDB->schema_instance;
1598
1599   my $translator           =  SQL::Translator->new(
1600       debug                => $debug          ||  0,
1601       trace                => $trace          ||  0,
1602       no_comments          => $no_comments    ||  0,
1603       show_warnings        => $show_warnings  ||  0,
1604       add_drop_table       => $add_drop_table ||  0,
1605       validate             => $validate       ||  0,
1606       parser_args          => {
1607          'DBIx::Schema'    => $schema,
1608                               },
1609       producer_args   => {
1610           'prefix'         => 'My::Schema',
1611                          },
1612   );
1613
1614   $translator->parser('SQL::Translator::Parser::DBIx::Class');
1615   $translator->producer('SQL::Translator::Producer::DBIx::Class::File');
1616
1617   my $output = $translator->translate(@args) or die
1618           "Error: " . $translator->error;
1619
1620   print $output;
1621
1622 You could use L<Module::Find> to search for all subclasses in the MyDB::*
1623 namespace, which is currently left as an exercise for the reader.
1624
1625 =head1 OVERLOADING METHODS
1626
1627 L<DBIx::Class> uses the L<Class::C3> package, which provides for redispatch of
1628 method calls, useful for things like default values and triggers. You have to
1629 use calls to C<next::method> to overload methods. More information on using
1630 L<Class::C3> with L<DBIx::Class> can be found in
1631 L<DBIx::Class::Manual::Component>.
1632
1633 =head2 Setting default values for a row
1634
1635 It's as simple as overriding the C<new> method.  Note the use of
1636 C<next::method>.
1637
1638   sub new {
1639     my ( $class, $attrs ) = @_;
1640
1641     $attrs->{foo} = 'bar' unless defined $attrs->{foo};
1642
1643     my $new = $class->next::method($attrs);
1644
1645     return $new;
1646   }
1647
1648 For more information about C<next::method>, look in the L<Class::C3>
1649 documentation. See also L<DBIx::Class::Manual::Component> for more
1650 ways to write your own base classes to do this.
1651
1652 People looking for ways to do "triggers" with DBIx::Class are probably
1653 just looking for this.
1654
1655 =head2 Changing one field whenever another changes
1656
1657 For example, say that you have three columns, C<id>, C<number>, and
1658 C<squared>.  You would like to make changes to C<number> and have
1659 C<squared> be automagically set to the value of C<number> squared.
1660 You can accomplish this by overriding C<store_column>:
1661
1662   sub store_column {
1663     my ( $self, $name, $value ) = @_;
1664     if ($name eq 'number') {
1665       $self->squared($value * $value);
1666     }
1667     $self->next::method($name, $value);
1668   }
1669
1670 Note that the hard work is done by the call to C<next::method>, which
1671 redispatches your call to store_column in the superclass(es).
1672
1673 =head2 Automatically creating related objects
1674
1675 You might have a class C<Artist> which has many C<CD>s.  Further, you
1676 want to create a C<CD> object every time you insert an C<Artist> object.
1677 You can accomplish this by overriding C<insert> on your objects:
1678
1679   sub insert {
1680     my ( $self, @args ) = @_;
1681     $self->next::method(@args);
1682     $self->cds->new({})->fill_from_artist($self)->insert;
1683     return $self;
1684   }
1685
1686 where C<fill_from_artist> is a method you specify in C<CD> which sets
1687 values in C<CD> based on the data in the C<Artist> object you pass in.
1688
1689 =head2 Wrapping/overloading a column accessor
1690
1691 B<Problem:>
1692
1693 Say you have a table "Camera" and want to associate a description
1694 with each camera. For most cameras, you'll be able to generate the description from
1695 the other columns. However, in a few special cases you may want to associate a
1696 custom description with a camera.
1697
1698 B<Solution:>
1699
1700 In your database schema, define a description field in the "Camera" table that
1701 can contain text and null values.
1702
1703 In DBIC, we'll overload the column accessor to provide a sane default if no
1704 custom description is defined. The accessor will either return or generate the
1705 description, depending on whether the field is null or not.
1706
1707 First, in your "Camera" schema class, define the description field as follows:
1708
1709   __PACKAGE__->add_columns(description => { accessor => '_description' });
1710
1711 Next, we'll define the accessor-wrapper subroutine:
1712
1713   sub description {
1714       my $self = shift;
1715
1716       # If there is an update to the column, we'll let the original accessor
1717       # deal with it.
1718       return $self->_description(@_) if @_;
1719
1720       # Fetch the column value.
1721       my $description = $self->_description;
1722
1723       # If there's something in the description field, then just return that.
1724       return $description if defined $description && length $descripton;
1725
1726       # Otherwise, generate a description.
1727       return $self->generate_description;
1728   }
1729
1730 =head1 DEBUGGING AND PROFILING
1731
1732 =head2 DBIx::Class objects with Data::Dumper
1733
1734 L<Data::Dumper> can be a very useful tool for debugging, but sometimes it can
1735 be hard to find the pertinent data in all the data it can generate.
1736 Specifically, if one naively tries to use it like so,
1737
1738   use Data::Dumper;
1739
1740   my $cd = $schema->resultset('CD')->find(1);
1741   print Dumper($cd);
1742
1743 several pages worth of data from the CD object's schema and result source will
1744 be dumped to the screen. Since usually one is only interested in a few column
1745 values of the object, this is not very helpful.
1746
1747 Luckily, it is possible to modify the data before L<Data::Dumper> outputs
1748 it. Simply define a hook that L<Data::Dumper> will call on the object before
1749 dumping it. For example,
1750
1751   package My::DB::CD;
1752
1753   sub _dumper_hook {
1754     $_[0] = bless {
1755       %{ $_[0] },
1756       result_source => undef,
1757     }, ref($_[0]);
1758   }
1759
1760   [...]
1761
1762   use Data::Dumper;
1763
1764   local $Data::Dumper::Freezer = '_dumper_hook';
1765
1766   my $cd = $schema->resultset('CD')->find(1);
1767   print Dumper($cd);
1768          # dumps $cd without its ResultSource
1769
1770 If the structure of your schema is such that there is a common base class for
1771 all your table classes, simply put a method similar to C<_dumper_hook> in the
1772 base class and set C<$Data::Dumper::Freezer> to its name and L<Data::Dumper>
1773 will automagically clean up your data before printing it. See
1774 L<Data::Dumper/EXAMPLES> for more information.
1775
1776 =head2 Profiling
1777
1778 When you enable L<DBIx::Class::Storage>'s debugging it prints the SQL
1779 executed as well as notifications of query completion and transaction
1780 begin/commit.  If you'd like to profile the SQL you can subclass the
1781 L<DBIx::Class::Storage::Statistics> class and write your own profiling
1782 mechanism:
1783
1784   package My::Profiler;
1785   use strict;
1786
1787   use base 'DBIx::Class::Storage::Statistics';
1788
1789   use Time::HiRes qw(time);
1790
1791   my $start;
1792
1793   sub query_start {
1794     my $self = shift();
1795     my $sql = shift();
1796     my $params = @_;
1797
1798     $self->print("Executing $sql: ".join(', ', @params)."\n");
1799     $start = time();
1800   }
1801
1802   sub query_end {
1803     my $self = shift();
1804     my $sql = shift();
1805     my @params = @_;
1806
1807     my $elapsed = sprintf("%0.4f", time() - $start);
1808     $self->print("Execution took $elapsed seconds.\n");
1809     $start = undef;
1810   }
1811
1812   1;
1813
1814 You can then install that class as the debugging object:
1815
1816   __PACKAGE__->storage->debugobj(new My::Profiler());
1817   __PACKAGE__->storage->debug(1);
1818
1819 A more complicated example might involve storing each execution of SQL in an
1820 array:
1821
1822   sub query_end {
1823     my $self = shift();
1824     my $sql = shift();
1825     my @params = @_;
1826
1827     my $elapsed = time() - $start;
1828     push(@{ $calls{$sql} }, {
1829         params => \@params,
1830         elapsed => $elapsed
1831     });
1832   }
1833
1834 You could then create average, high and low execution times for an SQL
1835 statement and dig down to see if certain parameters cause aberrant behavior.
1836 You might want to check out L<DBIx::Class::QueryLog> as well.
1837
1838 =head1 STARTUP SPEED
1839
1840 L<DBIx::Class|DBIx::Class> programs can have a significant startup delay
1841 as the ORM loads all the relevant classes. This section examines
1842 techniques for reducing the startup delay.
1843
1844 These tips are are listed in order of decreasing effectiveness - so the
1845 first tip, if applicable, should have the greatest effect on your
1846 application.
1847
1848 =head2 Statically Define Your Schema
1849
1850 If you are using
1851 L<DBIx::Class::Schema::Loader|DBIx::Class::Schema::Loader> to build the
1852 classes dynamically based on the database schema then there will be a
1853 significant startup delay.
1854
1855 For production use a statically defined schema (which can be generated
1856 using L<DBIx::Class::Schema::Loader|DBIx::Class::Schema::Loader> to dump
1857 the database schema once - see
1858 L<make_schema_at|DBIx::Class::Schema::Loader/make_schema_at> and
1859 L<dump_directory|DBIx::Class::Schema::Loader/dump_directory> for more
1860 details on creating static schemas from a database).
1861
1862 =head2 Move Common Startup into a Base Class
1863
1864 Typically L<DBIx::Class> result classes start off with
1865
1866     use base qw/DBIx::Class/;
1867     __PACKAGE__->load_components(qw/InflateColumn::DateTime Core/);
1868
1869 If this preamble is moved into a common base class:-
1870
1871     package MyDBICbase;
1872
1873     use base qw/DBIx::Class/;
1874     __PACKAGE__->load_components(qw/InflateColumn::DateTime Core/);
1875     1;
1876
1877 and each result class then uses this as a base:-
1878
1879     use base qw/MyDBICbase/;
1880
1881 then the load_components is only performed once, which can result in a
1882 considerable startup speedup for schemas with many classes.
1883
1884 =head2 Explicitly List Schema Result Classes
1885
1886 The schema class will normally contain
1887
1888     __PACKAGE__->load_classes();
1889
1890 to load the result classes. This will use L<Module::Find|Module::Find>
1891 to find and load the appropriate modules. Explicitly defining the
1892 classes you wish to load will remove the overhead of
1893 L<Module::Find|Module::Find> and the related directory operations:
1894
1895     __PACKAGE__->load_classes(qw/ CD Artist Track /);
1896
1897 If you are instead using the L<load_namespaces|DBIx::Class::Schema/load_namespaces>
1898 syntax to load the appropriate classes there is not a direct alternative
1899 avoiding L<Module::Find|Module::Find>.
1900
1901 =head1 MEMORY USAGE
1902
1903 =head2 Cached statements
1904
1905 L<DBIx::Class> normally caches all statements with L<< prepare_cached()|DBI/prepare_cached >>.
1906 This is normally a good idea, but if too many statements are cached, the database may use too much
1907 memory and may eventually run out and fail entirely.  If you suspect this may be the case, you may want
1908 to examine DBI's L<< CachedKids|DBI/CachedKidsCachedKids_(hash_ref) >> hash:
1909
1910     # print all currently cached prepared statements
1911     print for keys %{$schema->storage->dbh->{CachedKids}};
1912     # get a count of currently cached prepared statements
1913     my $count = scalar keys %{$schema->storage->dbh->{CachedKids}};
1914
1915 If it's appropriate, you can simply clear these statements, automatically deallocating them in the
1916 database:
1917
1918     my $kids = $schema->storage->dbh->{CachedKids};
1919     delete @{$kids}{keys %$kids} if scalar keys %$kids > 100;
1920
1921 But what you probably want is to expire unused statements and not those that are used frequently.
1922 You can accomplish this with L<Tie::Cache> or L<Tie::Cache::LRU>:
1923
1924     use Tie::Cache;
1925     use DB::Main;
1926     my $schema = DB::Main->connect($dbi_dsn, $user, $pass, {
1927         on_connect_do => sub { tie %{shift->_dbh->{CachedKids}}, 'Tie::Cache', 100 },
1928     });
1929
1930 =cut