b85fa78c3b374d7ce95e7b71867ff080fd979b43
[dbsrgits/DBIx-Class.git] / lib / DBIx / Class / Storage / DBIHacks.pm
1 package   #hide from PAUSE
2   DBIx::Class::Storage::DBIHacks;
3
4 #
5 # This module contains code supporting a battery of special cases and tests for
6 # many corner cases pushing the envelope of what DBIC can do. When work on
7 # these utilities began in mid 2009 (51a296b402c) it wasn't immediately obvious
8 # that these pieces, despite their misleading on-first-sight-flakiness, will
9 # become part of the generic query rewriting machinery of DBIC, allowing it to
10 # both generate and process queries representing incredibly complex sets with
11 # reasonable efficiency.
12 #
13 # Now (end of 2015), more than 6 years later the routines in this class have
14 # stabilized enough, and are meticulously covered with tests, to a point where
15 # an effort to formalize them into user-facing APIs might be worthwhile.
16 #
17 # An implementor working on publicizing and/or replacing the routines with a
18 # more modern SQL generation framework should keep in mind that pretty much all
19 # existing tests are constructed on the basis of real-world code used in
20 # production somewhere.
21 #
22 # Please hack on this responsibly ;)
23 #
24
25 use strict;
26 use warnings;
27
28 use base 'DBIx::Class::Storage';
29 use mro 'c3';
30
31 use Scalar::Util 'blessed';
32 use DBIx::Class::_Util qw(
33   dump_value fail_on_internal_call
34 );
35 use DBIx::Class::SQLMaker::Util 'extract_equality_conditions';
36 use DBIx::Class::ResultSource::FromSpec::Util qw(
37   fromspec_columns_info
38   find_join_path_to_alias
39 );
40 use DBIx::Class::Carp;
41 use namespace::clean;
42
43 #
44 # This code will remove non-selecting/non-restricting joins from
45 # {from} specs, aiding the RDBMS query optimizer
46 #
47 sub _prune_unused_joins {
48   my ($self, $attrs) = @_;
49
50   # only standard {from} specs are supported, and we could be disabled in general
51   return ($attrs->{from}, {})  unless (
52     ref $attrs->{from} eq 'ARRAY'
53       and
54     @{$attrs->{from}} > 1
55       and
56     ref $attrs->{from}[0] eq 'HASH'
57       and
58     ref $attrs->{from}[1] eq 'ARRAY'
59       and
60     $self->_use_join_optimizer
61   );
62
63   my $orig_aliastypes =
64     $attrs->{_precalculated_aliastypes}
65       ||
66     $self->_resolve_aliastypes_from_select_args($attrs)
67   ;
68
69   my $new_aliastypes = { %$orig_aliastypes };
70
71   # we will be recreating this entirely
72   my @reclassify = 'joining';
73
74   # a grouped set will not be affected by amount of rows. Thus any
75   # purely multiplicator classifications can go
76   # (will be reintroduced below if needed by something else)
77   push @reclassify, qw(multiplying premultiplied)
78     if $attrs->{_force_prune_multiplying_joins} or $attrs->{group_by};
79
80   # nuke what will be recalculated
81   delete @{$new_aliastypes}{@reclassify};
82
83   my @newfrom = $attrs->{from}[0]; # FROM head is always present
84
85   # recalculate what we need once the multipliers are potentially gone
86   # ignore premultiplies, since they do not add any value to anything
87   my %need_joins;
88   for ( @{$new_aliastypes}{grep { $_ ne 'premultiplied' } keys %$new_aliastypes }) {
89     # add all requested aliases
90     $need_joins{$_} = 1 for keys %$_;
91
92     # add all their parents (as per joinpath which is an AoH { table => alias })
93     $need_joins{$_} = 1 for map { values %$_ } map { @{$_->{-parents}} } values %$_;
94   }
95
96   for my $j (@{$attrs->{from}}[1..$#{$attrs->{from}}]) {
97     push @newfrom, $j if (
98       (! defined $j->[0]{-alias}) # legacy crap
99         ||
100       $need_joins{$j->[0]{-alias}}
101     );
102   }
103
104   # we have a new set of joiners - for everything we nuked pull the classification
105   # off the original stack
106   for my $ctype (@reclassify) {
107     $new_aliastypes->{$ctype} = { map
108       { $need_joins{$_} ? ( $_ => $orig_aliastypes->{$ctype}{$_} ) : () }
109       keys %{$orig_aliastypes->{$ctype}}
110     }
111   }
112
113   return ( \@newfrom, $new_aliastypes );
114 }
115
116 #
117 # This is the code producing joined subqueries like:
118 # SELECT me.*, other.* FROM ( SELECT me.* FROM ... ) JOIN other ON ...
119 #
120 sub _adjust_select_args_for_complex_prefetch {
121   my ($self, $attrs) = @_;
122
123   $self->throw_exception ('Complex prefetches are not supported on resultsets with a custom from attribute') unless (
124     ref $attrs->{from} eq 'ARRAY'
125       and
126     @{$attrs->{from}} > 1
127       and
128     ref $attrs->{from}[0] eq 'HASH'
129       and
130     ref $attrs->{from}[1] eq 'ARRAY'
131   );
132
133   my $root_alias = $attrs->{alias};
134
135   # generate inner/outer attribute lists, remove stuff that doesn't apply
136   my $outer_attrs = { %$attrs };
137   delete @{$outer_attrs}{qw(from bind rows offset group_by _grouped_by_distinct having)};
138
139   my $inner_attrs = { %$attrs, _simple_passthrough_construction => 1 };
140   delete @{$inner_attrs}{qw(for collapse select as)};
141
142   # there is no point of ordering the insides if there is no limit
143   delete $inner_attrs->{order_by} if (
144     delete $inner_attrs->{_order_is_artificial}
145       or
146     ! $inner_attrs->{rows}
147   );
148
149   # generate the inner/outer select lists
150   # for inside we consider only stuff *not* brought in by the prefetch
151   # on the outside we substitute any function for its alias
152   $outer_attrs->{select} = [ @{$attrs->{select}} ];
153
154   my ($root_node, $root_node_offset);
155
156   for my $i (0 .. $#{$inner_attrs->{from}}) {
157     my $node = $inner_attrs->{from}[$i];
158     my $h = (ref $node eq 'HASH')                                ? $node
159           : (ref $node  eq 'ARRAY' and ref $node->[0] eq 'HASH') ? $node->[0]
160           : next
161     ;
162
163     if ( ($h->{-alias}||'') eq $root_alias and $h->{-rsrc} ) {
164       $root_node = $h;
165       $root_node_offset = $i;
166       last;
167     }
168   }
169
170   $self->throw_exception ('Complex prefetches are not supported on resultsets with a custom from attribute')
171     unless $root_node;
172
173   # use the heavy duty resolver to take care of aliased/nonaliased naming
174   my $colinfo = fromspec_columns_info($inner_attrs->{from});
175   my $selected_root_columns;
176
177   for my $i (0 .. $#{$outer_attrs->{select}}) {
178     my $sel = $outer_attrs->{select}->[$i];
179
180     next if (
181       $colinfo->{$sel} and $colinfo->{$sel}{-source_alias} ne $root_alias
182     );
183
184     if (ref $sel eq 'HASH' ) {
185       $sel->{-as} ||= $attrs->{as}[$i];
186       $outer_attrs->{select}->[$i] = join ('.', $root_alias, ($sel->{-as} || "inner_column_$i") );
187     }
188     elsif (! ref $sel and my $ci = $colinfo->{$sel}) {
189       $selected_root_columns->{$ci->{-colname}} = 1;
190     }
191
192     push @{$inner_attrs->{select}}, $sel;
193
194     push @{$inner_attrs->{as}}, $attrs->{as}[$i];
195   }
196
197   my $inner_aliastypes = $self->_resolve_aliastypes_from_select_args($inner_attrs);
198
199   # In the inner subq we will need to fetch *only* native columns which may
200   # be a part of an *outer* join condition, or an order_by (which needs to be
201   # preserved outside), or wheres. In other words everything but the inner
202   # selector
203   # We can not just fetch everything because a potential has_many restricting
204   # join collapse *will not work* on heavy data types.
205
206   # essentially a map of all non-selecting seen columns
207   # the sort is there for a nicer select list
208   for (
209     sort
210       map
211         { keys %{$_->{-seen_columns}||{}} }
212         map
213           { values %{$inner_aliastypes->{$_}} }
214           grep
215             { $_ ne 'selecting' }
216             keys %$inner_aliastypes
217   ) {
218     my $ci = $colinfo->{$_} or next;
219     if (
220       $ci->{-source_alias} eq $root_alias
221         and
222       ! $selected_root_columns->{$ci->{-colname}}++
223     ) {
224       # adding it to both to keep limits not supporting dark selectors happy
225       push @{$inner_attrs->{select}}, $ci->{-fq_colname};
226       push @{$inner_attrs->{as}}, $ci->{-fq_colname};
227     }
228   }
229
230   # construct the inner {from} and lock it in a subquery
231   # we need to prune first, because this will determine if we need a group_by below
232   # throw away all non-selecting, non-restricting multijoins
233   # (since we def. do not care about multiplication of the contents of the subquery)
234   my $inner_subq = do {
235
236     # must use it here regardless of user requests (vastly gentler on optimizer)
237     local $self->{_use_join_optimizer} = 1
238       unless $self->{_use_join_optimizer};
239
240     # throw away multijoins since we def. do not care about those inside the subquery
241     # $inner_aliastypes *will* be redefined at this point
242     ($inner_attrs->{from}, $inner_aliastypes ) = $self->_prune_unused_joins ({
243       %$inner_attrs,
244       _force_prune_multiplying_joins => 1,
245       _precalculated_aliastypes => $inner_aliastypes,
246     });
247
248     # uh-oh a multiplier (which is not us) left in, this is a problem for limits
249     # we will need to add a group_by to collapse the resultset for proper counts
250     if (
251       grep { $_ ne $root_alias } keys %{ $inner_aliastypes->{multiplying} || {} }
252         and
253       # if there are user-supplied groups - assume user knows wtf they are up to
254       ( ! $inner_aliastypes->{grouping} or $inner_attrs->{_grouped_by_distinct} )
255     ) {
256
257       my $cur_sel = { map { $_ => 1 } @{$inner_attrs->{select}} };
258
259       # *possibly* supplement the main selection with pks if not already
260       # there, as they will have to be a part of the group_by to collapse
261       # things properly
262       my $inner_select_with_extras;
263       my @pks = map { "$root_alias.$_" } $root_node->{-rsrc}->primary_columns
264         or $self->throw_exception( sprintf
265           'Unable to perform complex limited prefetch off %s without declared primary key',
266           $root_node->{-rsrc}->source_name,
267         );
268       for my $col (@pks) {
269         push @{ $inner_select_with_extras ||= [ @{$inner_attrs->{select}} ] }, $col
270           unless $cur_sel->{$col}++;
271       }
272
273       ($inner_attrs->{group_by}, $inner_attrs->{order_by}) = $self->_group_over_selection({
274         %$inner_attrs,
275         $inner_select_with_extras ? ( select => $inner_select_with_extras ) : (),
276         _aliastypes => $inner_aliastypes,
277       });
278     }
279
280     # we already optimized $inner_attrs->{from} above
281     # and already local()ized
282     $self->{_use_join_optimizer} = 0;
283
284     # generate the subquery
285     $self->_select_args_to_query (
286       @{$inner_attrs}{qw(from select where)},
287       $inner_attrs,
288     );
289   };
290
291   # Generate the outer from - this is relatively easy (really just replace
292   # the join slot with the subquery), with a major caveat - we can not
293   # join anything that is non-selecting (not part of the prefetch), but at
294   # the same time is a multi-type relationship, as it will explode the result.
295   #
296   # There are two possibilities here
297   # - either the join is non-restricting, in which case we simply throw it away
298   # - it is part of the restrictions, in which case we need to collapse the outer
299   #   result by tackling yet another group_by to the outside of the query
300
301   # work on a shallow copy
302   my @orig_from = @{$attrs->{from}};
303
304
305   $outer_attrs->{from} = \ my @outer_from;
306
307   # we may not be the head
308   if ($root_node_offset) {
309     # first generate the outer_from, up to the substitution point
310     @outer_from = splice @orig_from, 0, $root_node_offset;
311
312     # substitute the subq at the right spot
313     push @outer_from, [
314       {
315         -alias => $root_alias,
316         -rsrc => $root_node->{-rsrc},
317         $root_alias => $inner_subq,
318       },
319       # preserve attrs from what is now the head of the from after the splice
320       @{$orig_from[0]}[1 .. $#{$orig_from[0]}],
321     ];
322   }
323   else {
324     @outer_from = {
325       -alias => $root_alias,
326       -rsrc => $root_node->{-rsrc},
327       $root_alias => $inner_subq,
328     };
329   }
330
331   shift @orig_from; # what we just replaced above
332
333   # scan the *remaining* from spec against different attributes, and see which joins are needed
334   # in what role
335   my $outer_aliastypes = $outer_attrs->{_aliastypes} =
336     $self->_resolve_aliastypes_from_select_args({ %$outer_attrs, from => \@orig_from });
337
338   # unroll parents
339   my ($outer_select_chain, @outer_nonselecting_chains) = map { +{
340     map { $_ => 1 } map { values %$_} map { @{$_->{-parents}} } values %{ $outer_aliastypes->{$_} || {} }
341   } } qw/selecting restricting grouping ordering/;
342
343   # see what's left - throw away if not selecting/restricting
344   my $may_need_outer_group_by;
345   while (my $j = shift @orig_from) {
346     my $alias = $j->[0]{-alias};
347
348     if (
349       $outer_select_chain->{$alias}
350     ) {
351       push @outer_from, $j
352     }
353     elsif (grep { $_->{$alias} } @outer_nonselecting_chains ) {
354       push @outer_from, $j;
355       $may_need_outer_group_by ||= $outer_aliastypes->{multiplying}{$alias} ? 1 : 0;
356     }
357   }
358
359   # also throw in a synthetic group_by if a non-selecting multiplier,
360   # to guard against cross-join explosions
361   # the logic is somewhat fragile, but relies on the idea that if a user supplied
362   # a group by on their own - they know what they were doing
363   if ( $may_need_outer_group_by and $attrs->{_grouped_by_distinct} ) {
364     ($outer_attrs->{group_by}, $outer_attrs->{order_by}) = $self->_group_over_selection ({
365       %$outer_attrs,
366       from => \@outer_from,
367     });
368   }
369
370   # FIXME: The {where} ends up in both the inner and outer query, i.e. *twice*
371   #
372   # This is rather horrific, and while we currently *do* have enough
373   # introspection tooling available to attempt a stab at properly deciding
374   # whether or not to include the where condition on the outside, the
375   # machinery is still too slow to apply it here.
376   # Thus for the time being we do not attempt any sanitation of the where
377   # clause and just pass it through on both sides of the subquery. This *will*
378   # be addressed at a later stage, most likely after folding the SQL generator
379   # into SQLMaker proper
380   #
381   # OTOH it can be seen as a plus: <ash> (notes that this query would make a DBA cry ;)
382   #
383   return $outer_attrs;
384 }
385
386 # This is probably the ickiest, yet most relied upon part of the codebase:
387 # this is the place where we take arbitrary SQL input and break it into its
388 # constituent parts, making sure we know which *sources* are used in what
389 # *capacity* ( selecting / restricting / grouping / ordering / joining, etc )
390 # Although the method is pretty horrific, the worst thing that can happen is
391 # for a classification failure, which in turn will result in a vocal exception,
392 # and will lead to a relatively prompt fix.
393 # The code has been slowly improving and is covered with a formiddable battery
394 # of tests, so can be considered "reliably stable" at this point (Oct 2015).
395 #
396 # A note to implementors attempting to "replace" this - keep in mind that while
397 # there are multiple optimization avenues, the actual "scan literal elements"
398 # part *MAY NEVER BE REMOVED*, even if it is limited only ot the (future) AST
399 # nodes that are deemed opaque (i.e. contain literal expressions). The use of
400 # blackbox literals is at this point firmly a user-facing API, and is one of
401 # *the* reasons DBIC remains as flexible as it is. In other words, when working
402 # on this keep in mind that the following is widespread and *encouraged* way
403 # of using DBIC in the wild when push comes to shove:
404 #
405 # $rs->search( {}, {
406 #   select => \[ $random, @stuff],
407 #   from => \[ $random, @stuff ],
408 #   where => \[ $random, @stuff ],
409 #   group_by => \[ $random, @stuff ],
410 #   order_by => \[ $random, @stuff ],
411 # } )
412 #
413 # Various incarnations of the above are reflected in many of the tests. If one
414 # gets to fail, you get to fix it. A "this is crazy, nobody does that" is not
415 # acceptable going forward.
416 #
417 sub _resolve_aliastypes_from_select_args {
418   my ( $self, $attrs ) = @_;
419
420   $self->throw_exception ('Unable to analyze custom {from}')
421     if ref $attrs->{from} ne 'ARRAY';
422
423   # what we will return
424   my $aliases_by_type;
425
426   # see what aliases are there to work with
427   # and record who is a multiplier and who is premultiplied
428   my $alias_list;
429   for my $node (@{$attrs->{from}}) {
430
431     my $j = $node;
432     $j = $j->[0] if ref $j eq 'ARRAY';
433     my $al = $j->{-alias}
434       or next;
435
436     $alias_list->{$al} = $j;
437
438     $aliases_by_type->{multiplying}{$al} ||= { -parents => $j->{-join_path}||[] }
439       # not array == {from} head == can't be multiplying
440       if ref($node) eq 'ARRAY' and ! $j->{-is_single};
441
442     $aliases_by_type->{premultiplied}{$al} ||= { -parents => $j->{-join_path}||[] }
443       # parts of the path that are not us but are multiplying
444       if grep { $aliases_by_type->{multiplying}{$_} }
445           grep { $_ ne $al }
446            map { values %$_ }
447             @{ $j->{-join_path}||[] }
448   }
449
450   # get a column to source/alias map (including unambiguous unqualified ones)
451   my $colinfo = fromspec_columns_info($attrs->{from});
452
453   # set up a botched SQLA
454   my $sql_maker = $self->sql_maker;
455
456   # these are throw away results, do not pollute the bind stack
457   local $sql_maker->{where_bind};
458   local $sql_maker->{group_bind};
459   local $sql_maker->{having_bind};
460   local $sql_maker->{from_bind};
461
462   # we can't scan properly without any quoting (\b doesn't cut it
463   # everywhere), so unless there is proper quoting set - use our
464   # own weird impossible character.
465   # Also in the case of no quoting, we need to explicitly disable
466   # name_sep, otherwise sorry nasty legacy syntax like
467   # { 'count(foo.id)' => { '>' => 3 } } will stop working >:(
468   local $sql_maker->{quote_char} = $sql_maker->{quote_char};
469   local $sql_maker->{name_sep} = $sql_maker->{name_sep};
470
471   unless (defined $sql_maker->{quote_char} and length $sql_maker->{quote_char}) {
472     $sql_maker->{quote_char} = ["\x00", "\xFF"];
473     # if we don't unset it we screw up retarded but unfortunately working
474     # 'MAX(foo.bar)' => { '>', 3 }
475     $sql_maker->{name_sep} = '';
476   }
477
478   my ($lquote, $rquote, $sep) = map { quotemeta $_ } ($sql_maker->_quote_chars, $sql_maker->name_sep);
479
480   # generate sql chunks
481   my $to_scan = {
482     restricting => [
483       ($sql_maker->_recurse_where ($attrs->{where}))[0],
484       $sql_maker->_parse_rs_attrs ({ having => $attrs->{having} }),
485     ],
486     grouping => [
487       $sql_maker->_parse_rs_attrs ({ group_by => $attrs->{group_by} }),
488     ],
489     joining => [
490       $sql_maker->_recurse_from (
491         ref $attrs->{from}[0] eq 'ARRAY' ? $attrs->{from}[0][0] : $attrs->{from}[0],
492         @{$attrs->{from}}[1 .. $#{$attrs->{from}}],
493       ),
494     ],
495     selecting => [
496       # kill all selectors which look like a proper subquery
497       # this is a sucky heuristic *BUT* - if we get it wrong the query will simply
498       # fail to run, so we are relatively safe
499       grep
500         { $_ !~ / \A \s* \( \s* SELECT \s+ .+? \s+ FROM \s+ .+? \) \s* \z /xsi }
501         map
502           { ($sql_maker->_recurse_fields($_))[0] }
503           @{$attrs->{select}}
504     ],
505     ordering => [ map
506       {
507         ( my $sql = (ref $_ ? $_->[0] : $_) ) =~ s/ \s+ (?: ASC | DESC ) \s* \z //xi;
508         $sql;
509       }
510       $sql_maker->_order_by_chunks( $attrs->{order_by} ),
511     ],
512   };
513
514   # we will be bulk-scanning anyway - pieces will not matter in that case,
515   # thus join everything up
516   # throw away empty-string chunks, and make sure no binds snuck in
517   # note that we operate over @{$to_scan->{$type}}, hence the
518   # semi-mindbending ... map ... for values ...
519   ( $_ = join ' ', map {
520
521     ( ! defined $_ )  ? ()
522   : ( length ref $_ ) ? $self->throw_exception(
523                           "Unexpected ref in scan-plan: " . dump_value $_
524                         )
525   : ( $_ =~ /^\s*$/ ) ? ()
526                       : $_
527
528   } @$_ ) for values %$to_scan;
529
530   # throw away empty to-scan's
531   (
532     length $to_scan->{$_}
533       or
534     delete $to_scan->{$_}
535   ) for keys %$to_scan;
536
537
538
539   # these will be used for matching in the loop below
540   my $all_aliases = join ' | ', map { quotemeta $_ } keys %$alias_list;
541   my $fq_col_re = qr/
542     $lquote ( $all_aliases ) $rquote $sep (?: $lquote ([^$rquote]+) $rquote )?
543          |
544     \b ( $all_aliases ) \. ( [^\s\)\($rquote]+ )?
545   /x;
546
547
548   my $all_unq_columns = join ' | ',
549     map
550       { quotemeta $_ }
551       grep
552         # using a regex here shows up on profiles, boggle
553         { index( $_, '.') < 0 }
554         keys %$colinfo
555   ;
556   my $unq_col_re = $all_unq_columns
557     ? qr/
558       $lquote ( $all_unq_columns ) $rquote
559         |
560       (?: \A | \s ) ( $all_unq_columns ) (?: \s | \z )
561     /x
562     : undef
563   ;
564
565
566   # the actual scan, per type
567   for my $type (keys %$to_scan) {
568
569
570     # now loop through all fully qualified columns and get the corresponding
571     # alias (should work even if they are in scalarrefs)
572     #
573     # The regex captures in multiples of 4, with one of the two pairs being
574     # undef. There may be a *lot* of matches, hence the convoluted loop
575     my @matches = $to_scan->{$type} =~ /$fq_col_re/g;
576     my $i = 0;
577     while( $i < $#matches ) {
578
579       if (
580         defined $matches[$i]
581       ) {
582         $aliases_by_type->{$type}{$matches[$i]} ||= { -parents => $alias_list->{$matches[$i]}{-join_path}||[] };
583
584         $aliases_by_type->{$type}{$matches[$i]}{-seen_columns}{"$matches[$i].$matches[$i+1]"} = "$matches[$i].$matches[$i+1]"
585           if defined $matches[$i+1];
586
587         $i += 2;
588       }
589
590       $i += 2;
591     }
592
593
594     # now loop through unqualified column names, and try to locate them within
595     # the chunks, if there are any unqualified columns in the 1st place
596     next unless $unq_col_re;
597
598     # The regex captures in multiples of 2, one of the two being undef
599     for ( $to_scan->{$type} =~ /$unq_col_re/g ) {
600       defined $_ or next;
601       my $alias = $colinfo->{$_}{-source_alias} or next;
602       $aliases_by_type->{$type}{$alias} ||= { -parents => $alias_list->{$alias}{-join_path}||[] };
603       $aliases_by_type->{$type}{$alias}{-seen_columns}{"$alias.$_"} = $_
604     }
605   }
606
607
608   # Add any non-left joins to the restriction list (such joins are indeed restrictions)
609   (
610     $_->{-alias}
611       and
612     ! $aliases_by_type->{restricting}{ $_->{-alias} }
613       and
614     (
615       not $_->{-join_type}
616         or
617       $_->{-join_type} !~ /^left (?: \s+ outer)? $/xi
618     )
619       and
620     $aliases_by_type->{restricting}{ $_->{-alias} } = { -parents => $_->{-join_path}||[] }
621   ) for values %$alias_list;
622
623
624   # final cleanup
625   (
626     keys %{$aliases_by_type->{$_}}
627       or
628     delete $aliases_by_type->{$_}
629   ) for keys %$aliases_by_type;
630
631
632   $aliases_by_type;
633 }
634
635 # This is the engine behind { distinct => 1 } and the general
636 # complex prefetch grouper
637 sub _group_over_selection {
638   my ($self, $attrs) = @_;
639
640   my $colinfos = fromspec_columns_info($attrs->{from});
641
642   my (@group_by, %group_index);
643
644   # the logic is: if it is a { func => val } we assume an aggregate,
645   # otherwise if \'...' or \[...] we assume the user knows what is
646   # going on thus group over it
647   for (@{$attrs->{select}}) {
648     if (! ref($_) or ref ($_) ne 'HASH' ) {
649       push @group_by, $_;
650       $group_index{$_}++;
651       if ($colinfos->{$_} and $_ !~ /\./ ) {
652         # add a fully qualified version as well
653         $group_index{"$colinfos->{$_}{-source_alias}.$_"}++;
654       }
655     }
656   }
657
658   my @order_by = $self->_extract_order_criteria($attrs->{order_by})
659     or return (\@group_by, $attrs->{order_by});
660
661   # add any order_by parts that are not already present in the group_by
662   # to maintain SQL cross-compatibility and general sanity
663   #
664   # also in case the original selection is *not* unique, or in case part
665   # of the ORDER BY refers to a multiplier - we will need to replace the
666   # skipped order_by elements with their MIN/MAX equivalents as to maintain
667   # the proper overall order without polluting the group criteria (and
668   # possibly changing the outcome entirely)
669
670   my ($leftovers, $sql_maker, @new_order_by, $order_chunks, $aliastypes);
671
672   my $group_already_unique = $self->_columns_comprise_identifying_set($colinfos, \@group_by);
673
674   for my $o_idx (0 .. $#order_by) {
675
676     # if the chunk is already a min/max function - there is nothing left to touch
677     next if $order_by[$o_idx][0] =~ /^ (?: min | max ) \s* \( .+ \) $/ix;
678
679     # only consider real columns (for functions the user got to do an explicit group_by)
680     my $chunk_ci;
681     if (
682       @{$order_by[$o_idx]} != 1
683         or
684       # only declare an unknown *plain* identifier as "leftover" if we are called with
685       # aliastypes to examine. If there are none - we are still in _resolve_attrs, and
686       # can just assume the user knows what they want
687       ( ! ( $chunk_ci = $colinfos->{$order_by[$o_idx][0]} ) and $attrs->{_aliastypes} )
688     ) {
689       push @$leftovers, $order_by[$o_idx][0];
690     }
691
692     next unless $chunk_ci;
693
694     # no duplication of group criteria
695     next if $group_index{$chunk_ci->{-fq_colname}};
696
697     $aliastypes ||= (
698       $attrs->{_aliastypes}
699         or
700       $self->_resolve_aliastypes_from_select_args({
701         from => $attrs->{from},
702         order_by => $attrs->{order_by},
703       })
704     ) if $group_already_unique;
705
706     # check that we are not ordering by a multiplier (if a check is requested at all)
707     if (
708       $group_already_unique
709         and
710       ! $aliastypes->{multiplying}{$chunk_ci->{-source_alias}}
711         and
712       ! $aliastypes->{premultiplied}{$chunk_ci->{-source_alias}}
713     ) {
714       push @group_by, $chunk_ci->{-fq_colname};
715       $group_index{$chunk_ci->{-fq_colname}}++
716     }
717     else {
718       # We need to order by external columns without adding them to the group
719       # (eiehter a non-unique selection, or a multi-external)
720       #
721       # This doesn't really make sense in SQL, however from DBICs point
722       # of view is rather valid (e.g. order the leftmost objects by whatever
723       # criteria and get the offset/rows many). There is a way around
724       # this however in SQL - we simply tae the direction of each piece
725       # of the external order and convert them to MIN(X) for ASC or MAX(X)
726       # for DESC, and group_by the root columns. The end result should be
727       # exactly what we expect
728       #
729
730       # both populated on the first loop over $o_idx
731       $sql_maker ||= $self->sql_maker;
732       $order_chunks ||= [
733         map { ref $_ eq 'ARRAY' ? $_ : [ $_ ] } $sql_maker->_order_by_chunks($attrs->{order_by})
734       ];
735
736       my ($chunk, $is_desc) = $sql_maker->_split_order_chunk($order_chunks->[$o_idx][0]);
737
738       # we reached that far - wrap any part of the order_by that "responded"
739       # to an ordering alias into a MIN/MAX
740       $new_order_by[$o_idx] = \[
741         sprintf( '%s( %s )%s',
742           $self->_minmax_operator_for_datatype($chunk_ci->{data_type}, $is_desc),
743           $chunk,
744           ($is_desc ? ' DESC' : ''),
745         ),
746         @ {$order_chunks->[$o_idx]} [ 1 .. $#{$order_chunks->[$o_idx]} ]
747       ];
748     }
749   }
750
751   $self->throw_exception ( sprintf
752     'Unable to programatically derive a required group_by from the supplied '
753   . 'order_by criteria. To proceed either add an explicit group_by, or '
754   . 'simplify your order_by to only include plain columns '
755   . '(supplied order_by: %s)',
756     join ', ', map { "'$_'" } @$leftovers,
757   ) if $leftovers;
758
759   # recreate the untouched order parts
760   if (@new_order_by) {
761     $new_order_by[$_] ||= \ $order_chunks->[$_] for ( 0 .. $#$order_chunks );
762   }
763
764   return (
765     \@group_by,
766     (@new_order_by ? \@new_order_by : $attrs->{order_by} ),  # same ref as original == unchanged
767   );
768 }
769
770 sub _minmax_operator_for_datatype {
771   #my ($self, $datatype, $want_max) = @_;
772
773   $_[2] ? 'MAX' : 'MIN';
774 }
775
776 sub _extract_order_criteria {
777   my ($self, $order_by, $sql_maker) = @_;
778
779   my $parser = sub {
780     my ($sql_maker, $order_by, $orig_quote_chars) = @_;
781
782     return scalar $sql_maker->_order_by_chunks ($order_by)
783       unless wantarray;
784
785     my ($lq, $rq, $sep) = map { quotemeta($_) } (
786       ($orig_quote_chars ? @$orig_quote_chars : $sql_maker->_quote_chars),
787       $sql_maker->name_sep
788     );
789
790     my @chunks;
791     for ($sql_maker->_order_by_chunks ($order_by) ) {
792       my $chunk = ref $_ ? [ @$_ ] : [ $_ ];
793       ($chunk->[0]) = $sql_maker->_split_order_chunk($chunk->[0]);
794
795       # order criteria may have come back pre-quoted (literals and whatnot)
796       # this is fragile, but the best we can currently do
797       $chunk->[0] =~ s/^ $lq (.+?) $rq $sep $lq (.+?) $rq $/"$1.$2"/xe
798         or $chunk->[0] =~ s/^ $lq (.+) $rq $/$1/x;
799
800       push @chunks, $chunk;
801     }
802
803     return @chunks;
804   };
805
806   if ($sql_maker) {
807     return $parser->($sql_maker, $order_by);
808   }
809   else {
810     $sql_maker = $self->sql_maker;
811
812     # pass these in to deal with literals coming from
813     # the user or the deep guts of prefetch
814     my $orig_quote_chars = [$sql_maker->_quote_chars];
815
816     local $sql_maker->{quote_char};
817     return $parser->($sql_maker, $order_by, $orig_quote_chars);
818   }
819 }
820
821 sub _order_by_is_stable {
822   my ($self, $ident, $order_by, $where) = @_;
823
824   my @cols = (
825     ( map { $_->[0] } $self->_extract_order_criteria($order_by) ),
826     ( $where ? keys %{ extract_equality_conditions( $where ) } : () ),
827   ) or return 0;
828
829   my $colinfo = fromspec_columns_info($ident, \@cols);
830
831   return keys %$colinfo
832     ? $self->_columns_comprise_identifying_set( $colinfo,  \@cols )
833     : 0
834   ;
835 }
836
837 sub _columns_comprise_identifying_set {
838   my ($self, $colinfo, $columns) = @_;
839
840   my $cols_per_src;
841   $cols_per_src -> {$_->{-source_alias}} -> {$_->{-colname}} = $_
842     for grep { defined $_ } @{$colinfo}{@$columns};
843
844   for (values %$cols_per_src) {
845     my $src = (values %$_)[0]->{-result_source};
846     return 1 if $src->_identifying_column_set($_);
847   }
848
849   return 0;
850 }
851
852 # this is almost similar to _order_by_is_stable, except it takes
853 # a single rsrc, and will succeed only if the first portion of the order
854 # by is stable.
855 # returns that portion as a colinfo hashref on success
856 sub _extract_colinfo_of_stable_main_source_order_by_portion {
857   my ($self, $attrs) = @_;
858
859   my $nodes = find_join_path_to_alias($attrs->{from}, $attrs->{alias});
860
861   return unless defined $nodes;
862
863   my @ord_cols = map
864     { $_->[0] }
865     ( $self->_extract_order_criteria($attrs->{order_by}) )
866   ;
867   return unless @ord_cols;
868
869   my $valid_aliases = { map { $_ => 1 } (
870     $attrs->{from}[0]{-alias},
871     map { values %$_ } @$nodes,
872   ) };
873
874   my $colinfos = fromspec_columns_info($attrs->{from});
875
876   my ($colinfos_to_return, $seen_main_src_cols);
877
878   for my $col (@ord_cols) {
879     # if order criteria is unresolvable - there is nothing we can do
880     my $colinfo = $colinfos->{$col} or last;
881
882     # if we reached the end of the allowed aliases - also nothing we can do
883     last unless $valid_aliases->{$colinfo->{-source_alias}};
884
885     $colinfos_to_return->{$col} = $colinfo;
886
887     $seen_main_src_cols->{$colinfo->{-colname}} = 1
888       if $colinfo->{-source_alias} eq $attrs->{alias};
889   }
890
891   # FIXME: the condition may be singling out things on its own, so we
892   # conceivably could come back with "stable-ordered by nothing"
893   # not confident enough in the parser yet, so punt for the time being
894   return unless $seen_main_src_cols;
895
896   my $main_src_fixed_cols_from_cond = [ $attrs->{where}
897     ? (
898       map
899       {
900         ( $colinfos->{$_} and $colinfos->{$_}{-source_alias} eq $attrs->{alias} )
901           ? $colinfos->{$_}{-colname}
902           : ()
903       }
904       keys %{ extract_equality_conditions( $attrs->{where} ) }
905     )
906     : ()
907   ];
908
909   return $attrs->{result_source}->_identifying_column_set([
910     keys %$seen_main_src_cols,
911     @$main_src_fixed_cols_from_cond,
912   ]) ? $colinfos_to_return : ();
913 }
914
915 sub _resolve_column_info :DBIC_method_is_indirect_sugar {
916   DBIx::Class::_ENV_::ASSERT_NO_INTERNAL_INDIRECT_CALLS and fail_on_internal_call;
917   carp_unique("_resolve_column_info() is deprecated, ask on IRC for a better alternative");
918
919   fromspec_columns_info( @_[1,2] );
920 }
921
922 sub _find_join_path_to_node :DBIC_method_is_indirect_sugar {
923   DBIx::Class::_ENV_::ASSERT_NO_INTERNAL_INDIRECT_CALLS and fail_on_internal_call;
924   carp_unique("_find_join_path_to_node() is deprecated, ask on IRC for a better alternative");
925
926   find_join_path_to_alias( @_[1,2] );
927 }
928
929 sub _collapse_cond :DBIC_method_is_indirect_sugar {
930   DBIx::Class::_ENV_::ASSERT_NO_INTERNAL_INDIRECT_CALLS and fail_on_internal_call;
931   carp_unique("_collapse_cond() is deprecated, ask on IRC for a better alternative");
932
933   shift;
934   DBIx::Class::SQLMaker::Util::normalize_sqla_condition(@_);
935 }
936
937 sub _extract_fixed_condition_columns :DBIC_method_is_indirect_sugar {
938   DBIx::Class::_ENV_::ASSERT_NO_INTERNAL_INDIRECT_CALLS and fail_on_internal_call;
939   carp_unique("_extract_fixed_condition_columns() is deprecated, ask on IRC for a better alternative");
940
941   shift;
942   extract_equality_conditions(@_);
943 }
944
945 sub _resolve_ident_sources :DBIC_method_is_indirect_sugar {
946   DBIx::Class::Exception->throw(
947     '_resolve_ident_sources() has been removed with no replacement, '
948   . 'ask for advice on IRC if this affected you'
949   );
950 }
951
952 sub _inner_join_to_node :DBIC_method_is_indirect_sugar {
953   DBIx::Class::Exception->throw(
954     '_inner_join_to_node() has been removed with no replacement, '
955   . 'ask for advice on IRC if this affected you'
956   );
957 }
958
959 1;