Bug 16770: Remove wrong caching of 3 subroutines in C4::Lancuages
[koha.git] / C4 / Reports / Guided.pm
blobc55d54de52ffe812133ddde0974dbae1d57ff27d
1 package C4::Reports::Guided;
3 # Copyright 2007 Liblime Ltd
5 # This file is part of Koha.
7 # Koha is free software; you can redistribute it and/or modify it
8 # under the terms of the GNU General Public License as published by
9 # the Free Software Foundation; either version 3 of the License, or
10 # (at your option) any later version.
12 # Koha is distributed in the hope that it will be useful, but
13 # WITHOUT ANY WARRANTY; without even the implied warranty of
14 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
15 # GNU General Public License for more details.
17 # You should have received a copy of the GNU General Public License
18 # along with Koha; if not, see <http://www.gnu.org/licenses>.
20 use Modern::Perl;
21 use CGI qw ( -utf8 );
22 use Carp;
24 use vars qw(@ISA @EXPORT @EXPORT_OK %EXPORT_TAGS);
25 use C4::Context;
26 use C4::Templates qw/themelanguage/;
27 use C4::Koha;
28 use Koha::DateUtils;
29 use C4::Output;
30 use XML::Simple;
31 use XML::Dumper;
32 use C4::Debug;
33 # use Smart::Comments;
34 # use Data::Dumper;
35 use C4::Log;
37 use Koha::AuthorisedValues;
39 BEGIN {
40 require Exporter;
41 @ISA = qw(Exporter);
42 @EXPORT = qw(
43 get_report_types get_report_areas get_report_groups get_columns build_query get_criteria
44 save_report get_saved_reports execute_query get_saved_report create_compound run_compound
45 get_column_type get_distinct_values save_dictionary get_from_dictionary
46 delete_definition delete_report format_results get_sql
47 nb_rows update_sql
48 GetReservedAuthorisedValues
49 GetParametersFromSQL
50 IsAuthorisedValueValid
51 ValidateSQLParameters
52 nb_rows update_sql
56 =head1 NAME
58 C4::Reports::Guided - Module for generating guided reports
60 =head1 SYNOPSIS
62 use C4::Reports::Guided;
64 =head1 DESCRIPTION
66 =cut
68 =head1 METHODS
70 =head2 get_report_areas
72 This will return a list of all the available report areas
74 =cut
76 sub get_area_name_sql_snippet {
77 my @REPORT_AREA = (
78 [CIRC => "Circulation"],
79 [CAT => "Catalogue"],
80 [PAT => "Patrons"],
81 [ACQ => "Acquisition"],
82 [ACC => "Accounts"],
83 [SER => "Serials"],
86 return "CASE report_area " .
87 join (" ", map "WHEN '$_->[0]' THEN '$_->[1]'", @REPORT_AREA) .
88 " END AS areaname";
91 sub get_report_areas {
93 my $report_areas = [ 'CIRC', 'CAT', 'PAT', 'ACQ', 'ACC', 'SER' ];
95 return $report_areas;
98 sub get_table_areas {
99 return (
100 CIRC => [ 'borrowers', 'statistics', 'items', 'biblioitems' ],
101 CAT => [ 'items', 'biblioitems', 'biblio' ],
102 PAT => ['borrowers'],
103 ACQ => [ 'aqorders', 'biblio', 'items' ],
104 ACC => [ 'borrowers', 'accountlines' ],
105 SER => [ 'serial', 'serialitems', 'subscription', 'subscriptionhistory', 'subscriptionroutinglist', 'biblioitems', 'biblio', 'aqbooksellers' ],
109 =head2 get_report_types
111 This will return a list of all the available report types
113 =cut
115 sub get_report_types {
116 my $dbh = C4::Context->dbh();
118 # FIXME these should be in the database perhaps
119 my @reports = ( 'Tabular', 'Summary', 'Matrix' );
120 my @reports2;
121 for ( my $i = 0 ; $i < 3 ; $i++ ) {
122 my %hashrep;
123 $hashrep{id} = $i + 1;
124 $hashrep{name} = $reports[$i];
125 push @reports2, \%hashrep;
127 return ( \@reports2 );
131 =head2 get_report_groups
133 This will return a list of all the available report areas with groups
135 =cut
137 sub get_report_groups {
138 my $dbh = C4::Context->dbh();
140 my $groups = GetAuthorisedValues('REPORT_GROUP');
141 my $subgroups = GetAuthorisedValues('REPORT_SUBGROUP');
143 my %groups_with_subgroups = map { $_->{authorised_value} => {
144 name => $_->{lib},
145 groups => {}
146 } } @$groups;
147 foreach (@$subgroups) {
148 my $sg = $_->{authorised_value};
149 my $g = $_->{lib_opac}
150 or warn( qq{REPORT_SUBGROUP "$sg" without REPORT_GROUP (lib_opac)} ),
151 next;
152 my $g_sg = $groups_with_subgroups{$g}
153 or warn( qq{REPORT_SUBGROUP "$sg" with invalid REPORT_GROUP "$g"} ),
154 next;
155 $g_sg->{subgroups}{$sg} = $_->{lib};
157 return \%groups_with_subgroups
160 =head2 get_all_tables
162 This will return a list of all tables in the database
164 =cut
166 sub get_all_tables {
167 my $dbh = C4::Context->dbh();
168 my $query = "SHOW TABLES";
169 my $sth = $dbh->prepare($query);
170 $sth->execute();
171 my @tables;
172 while ( my $data = $sth->fetchrow_arrayref() ) {
173 push @tables, $data->[0];
175 $sth->finish();
176 return ( \@tables );
180 =head2 get_columns($area)
182 This will return a list of all columns for a report area
184 =cut
186 sub get_columns {
188 # this calls the internal function _get_columns
189 my ( $area, $cgi ) = @_;
190 my %table_areas = get_table_areas;
191 my $tables = $table_areas{$area}
192 or die qq{Unsuported report area "$area"};
194 my @allcolumns;
195 my $first = 1;
196 foreach my $table (@$tables) {
197 my @columns = _get_columns($table,$cgi, $first);
198 $first = 0;
199 push @allcolumns, @columns;
201 return ( \@allcolumns );
204 sub _get_columns {
205 my ($tablename,$cgi, $first) = @_;
206 my $dbh = C4::Context->dbh();
207 my $sth = $dbh->prepare("show columns from $tablename");
208 $sth->execute();
209 my @columns;
210 my $column_defs = _get_column_defs($cgi);
211 my %tablehash;
212 $tablehash{'table'}=$tablename;
213 $tablehash{'__first__'} = $first;
214 push @columns, \%tablehash;
215 while ( my $data = $sth->fetchrow_arrayref() ) {
216 my %temphash;
217 $temphash{'name'} = "$tablename.$data->[0]";
218 $temphash{'description'} = $column_defs->{"$tablename.$data->[0]"};
219 push @columns, \%temphash;
221 $sth->finish();
222 return (@columns);
225 =head2 build_query($columns,$criteria,$orderby,$area)
227 This will build the sql needed to return the results asked for,
228 $columns is expected to be of the format tablename.columnname.
229 This is what get_columns returns.
231 =cut
233 sub build_query {
234 my ( $columns, $criteria, $orderby, $area, $totals, $definition ) = @_;
236 my %keys = (
237 CIRC => [ 'statistics.borrowernumber=borrowers.borrowernumber',
238 'items.itemnumber = statistics.itemnumber',
239 'biblioitems.biblioitemnumber = items.biblioitemnumber' ],
240 CAT => [ 'items.biblioitemnumber=biblioitems.biblioitemnumber',
241 'biblioitems.biblionumber=biblio.biblionumber' ],
242 PAT => [],
243 ACQ => [ 'aqorders.biblionumber=biblio.biblionumber',
244 'biblio.biblionumber=items.biblionumber' ],
245 ACC => ['borrowers.borrowernumber=accountlines.borrowernumber'],
246 SER => [ 'serial.serialid=serialitems.serialid', 'serial.subscriptionid=subscription.subscriptionid', 'serial.subscriptionid=subscriptionhistory.subscriptionid', 'serial.subscriptionid=subscriptionroutinglist.subscriptionid', 'biblioitems.biblionumber=serial.biblionumber', 'biblio.biblionumber=biblioitems.biblionumber', 'subscription.aqbooksellerid=aqbooksellers.id'],
250 ### $orderby
251 my $keys = $keys{$area};
252 my %table_areas = get_table_areas;
253 my $tables = $table_areas{$area};
255 my $sql =
256 _build_query( $tables, $columns, $criteria, $keys, $orderby, $totals, $definition );
257 return ($sql);
260 sub _build_query {
261 my ( $tables, $columns, $criteria, $keys, $orderby, $totals, $definition) = @_;
262 ### $orderby
263 # $keys is an array of joining constraints
264 my $dbh = C4::Context->dbh();
265 my $joinedtables = join( ',', @$tables );
266 my $joinedcolumns = join( ',', @$columns );
267 my $query =
268 "SELECT $totals $joinedcolumns FROM $tables->[0] ";
269 for (my $i=1;$i<@$tables;$i++){
270 $query .= "LEFT JOIN $tables->[$i] on ($keys->[$i-1]) ";
273 if ($criteria) {
274 $criteria =~ s/AND/WHERE/;
275 $query .= " $criteria";
277 if ($definition){
278 my @definitions = split(',',$definition);
279 my $deftext;
280 foreach my $def (@definitions){
281 my $defin=get_from_dictionary('',$def);
282 $deftext .=" ".$defin->[0]->{'saved_sql'};
284 if ($query =~ /WHERE/i){
285 $query .= $deftext;
287 else {
288 $deftext =~ s/AND/WHERE/;
289 $query .= $deftext;
292 if ($totals) {
293 my $groupby;
294 my @totcolumns = split( ',', $totals );
295 foreach my $total (@totcolumns) {
296 if ( $total =~ /\((.*)\)/ ) {
297 if ( $groupby eq '' ) {
298 $groupby = " GROUP BY $1";
300 else {
301 $groupby .= ",$1";
305 $query .= $groupby;
307 if ($orderby) {
308 $query .= $orderby;
310 return ($query);
313 =head2 get_criteria($area,$cgi);
315 Returns an arraref to hashrefs suitable for using in a tmpl_loop. With the criteria and available values.
317 =cut
319 sub get_criteria {
320 my ($area,$cgi) = @_;
321 my $dbh = C4::Context->dbh();
323 # have to do someting here to know if its dropdown, free text, date etc
324 my %criteria = (
325 CIRC => [ 'statistics.type', 'borrowers.categorycode', 'statistics.branch',
326 'biblioitems.publicationyear|date', 'items.dateaccessioned|date' ],
327 CAT => [ 'items.itemnumber|textrange', 'items.biblionumber|textrange',
328 'items.barcode|textrange', 'biblio.frameworkcode',
329 'items.holdingbranch', 'items.homebranch',
330 'biblio.datecreated|daterange', 'biblio.timestamp|daterange',
331 'items.onloan|daterange', 'items.ccode',
332 'items.itemcallnumber|textrange', 'items.itype', 'items.itemlost',
333 'items.location' ],
334 PAT => [ 'borrowers.branchcode', 'borrowers.categorycode' ],
335 ACQ => ['aqorders.datereceived|date'],
336 ACC => [ 'borrowers.branchcode', 'borrowers.categorycode' ],
337 SER => ['subscription.startdate|date', 'subscription.enddate|date', 'subscription.periodicity', 'subscription.callnumber', 'subscription.location', 'subscription.branchcode'],
340 # Adds itemtypes to criteria, according to the syspref
341 if ( C4::Context->preference('item-level_itypes') ) {
342 unshift @{ $criteria{'CIRC'} }, 'items.itype';
343 unshift @{ $criteria{'CAT'} }, 'items.itype';
344 } else {
345 unshift @{ $criteria{'CIRC'} }, 'biblioitems.itemtype';
346 unshift @{ $criteria{'CAT'} }, 'biblioitems.itemtype';
350 my $crit = $criteria{$area};
351 my $column_defs = _get_column_defs($cgi);
352 my @criteria_array;
353 foreach my $localcrit (@$crit) {
354 my ( $value, $type ) = split( /\|/, $localcrit );
355 my ( $table, $column ) = split( /\./, $value );
356 if ($type eq 'textrange') {
357 my %temp;
358 $temp{'name'} = $value;
359 $temp{'from'} = "from_" . $value;
360 $temp{'to'} = "to_" . $value;
361 $temp{'textrange'} = 1;
362 $temp{'description'} = $column_defs->{$value};
363 push @criteria_array, \%temp;
365 elsif ($type eq 'date') {
366 my %temp;
367 $temp{'name'} = $value;
368 $temp{'date'} = 1;
369 $temp{'description'} = $column_defs->{$value};
370 push @criteria_array, \%temp;
372 elsif ($type eq 'daterange') {
373 my %temp;
374 $temp{'name'} = $value;
375 $temp{'from'} = "from_" . $value;
376 $temp{'to'} = "to_" . $value;
377 $temp{'daterange'} = 1;
378 $temp{'description'} = $column_defs->{$value};
379 push @criteria_array, \%temp;
381 else {
382 my $query =
383 "SELECT distinct($column) as availablevalues FROM $table";
384 my $sth = $dbh->prepare($query);
385 $sth->execute();
386 my @values;
387 # push the runtime choosing option
388 my $list;
389 $list='branches' if $column eq 'branchcode' or $column eq 'holdingbranch' or $column eq 'homebranch';
390 $list='categorycode' if $column eq 'categorycode';
391 $list='itemtypes' if $column eq 'itype';
392 $list='ccode' if $column eq 'ccode';
393 # TODO : improve to let the librarian choose the description at runtime
394 push @values, {
395 availablevalues => "<<$column" . ( $list ? "|$list" : '' ) . ">>",
396 display_value => "<<$column" . ( $list ? "|$list" : '' ) . ">>",
398 while ( my $row = $sth->fetchrow_hashref() ) {
399 if ($row->{'availablevalues'} eq '') { $row->{'default'} = 1 }
400 else { $row->{display_value} = _get_display_value( $row->{'availablevalues'}, $column ); }
401 push @values, $row;
403 $sth->finish();
405 my %temp;
406 $temp{'name'} = $value;
407 $temp{'description'} = $column_defs->{$value};
408 $temp{'values'} = \@values;
410 push @criteria_array, \%temp;
413 return ( \@criteria_array );
416 sub nb_rows {
417 my $sql = shift or return;
418 my $sth = C4::Context->dbh->prepare($sql);
419 $sth->execute();
420 my $rows = $sth->fetchall_arrayref();
421 return scalar (@$rows);
424 =head2 execute_query
426 ($sth, $error) = execute_query($sql, $offset, $limit[, \@sql_params])
429 This function returns a DBI statement handler from which the caller can
430 fetch the results of the SQL passed via C<$sql>.
432 If passed any query other than a SELECT, or if there is a DB error,
433 C<$errors> is returned, and is a hashref containing the error after this
434 manner:
436 C<$error->{'sqlerr'}> contains the offending SQL keyword.
437 C<$error->{'queryerr'}> contains the native db engine error returned
438 for the query.
440 C<$offset>, and C<$limit> are required parameters.
442 C<\@sql_params> is an optional list of parameter values to paste in.
443 The caller is responsible for making sure that C<$sql> has placeholders
444 and that the number placeholders matches the number of parameters.
446 =cut
448 # returns $sql, $offset, $limit
449 # $sql returned will be transformed to:
450 # ~ remove any LIMIT clause
451 # ~ repace SELECT clause w/ SELECT count(*)
453 sub select_2_select_count {
454 # Modify the query passed in to create a count query... (I think this covers all cases -crn)
455 my ($sql) = strip_limit(shift) or return;
456 $sql =~ s/\bSELECT\W+(?:\w+\W+){1,}?FROM\b|\bSELECT\W\*\WFROM\b/SELECT count(*) FROM /ig;
457 return $sql;
460 # This removes the LIMIT from the query so that a custom one can be specified.
461 # Usage:
462 # ($new_sql, $offset, $limit) = strip_limit($sql);
464 # Where:
465 # $sql is the query to modify
466 # $new_sql is the resulting query
467 # $offset is the offset value, if the LIMIT was the two-argument form,
468 # 0 if it wasn't otherwise given.
469 # $limit is the limit value
471 # Notes:
472 # * This makes an effort to not break subqueries that have their own
473 # LIMIT specified. It does that by only removing a LIMIT if it comes after
474 # a WHERE clause (which isn't perfect, but at least should make more cases
475 # work - subqueries with a limit in the WHERE will still break.)
476 # * If your query doesn't have a WHERE clause then all LIMITs will be
477 # removed. This may break some subqueries, but is hopefully rare enough
478 # to not be a big issue.
479 sub strip_limit {
480 my ($sql) = @_;
482 return unless $sql;
483 return ($sql, 0, undef) unless $sql =~ /\bLIMIT\b/i;
485 # Two options: if there's no WHERE clause in the SQL, we simply capture
486 # any LIMIT that's there. If there is a WHERE, we make sure that we only
487 # capture a LIMIT after the last one. This prevents stomping on subqueries.
488 if ($sql !~ /\bWHERE\b/i) {
489 (my $res = $sql) =~ s/\bLIMIT\b\s*(\d+)(\s*\,\s*(\d+))?\s*/ /ig;
490 return ($res, (defined $2 ? $1 : 0), (defined $3 ? $3 : $1));
491 } else {
492 my $res = $sql;
493 $res =~ m/.*\bWHERE\b/gsi;
494 $res =~ s/\G(.*)\bLIMIT\b\s*(\d+)(\s*\,\s*(\d+))?\s*/$1 /is;
495 return ($res, (defined $3 ? $2 : 0), (defined $4 ? $4 : $2));
499 sub execute_query {
501 my ( $sql, $offset, $limit, $sql_params ) = @_;
503 $sql_params = [] unless defined $sql_params;
505 # check parameters
506 unless ($sql) {
507 carp "execute_query() called without SQL argument";
508 return;
510 $offset = 0 unless $offset;
511 $limit = 999999 unless $limit;
512 $debug and print STDERR "execute_query($sql, $offset, $limit)\n";
513 if ($sql =~ /;?\W?(UPDATE|DELETE|DROP|INSERT|SHOW|CREATE)\W/i) {
514 return (undef, { sqlerr => $1} );
515 } elsif ($sql !~ /^\s*SELECT\b\s*/i) {
516 return (undef, { queryerr => 'Missing SELECT'} );
519 my ($useroffset, $userlimit);
521 # Grab offset/limit from user supplied LIMIT and drop the LIMIT so we can control pagination
522 ($sql, $useroffset, $userlimit) = strip_limit($sql);
523 $debug and warn sprintf "User has supplied (OFFSET,) LIMIT = %s, %s",
524 $useroffset,
525 (defined($userlimit ) ? $userlimit : 'UNDEF');
526 $offset += $useroffset;
527 if (defined($userlimit)) {
528 if ($offset + $limit > $userlimit ) {
529 $limit = $userlimit - $offset;
530 } elsif ( ! $offset && $limit < $userlimit ) {
531 $limit = $userlimit;
534 $sql .= " LIMIT ?, ?";
536 my $sth = C4::Context->dbh->prepare($sql);
537 $sth->execute(@$sql_params, $offset, $limit);
538 return ( $sth, { queryerr => $sth->errstr } ) if ($sth->err);
539 return ( $sth );
540 # my @xmlarray = ... ;
541 # my $url = "/cgi-bin/koha/reports/guided_reports.pl?phase=retrieve%20results&id=$id";
542 # my $xml = XML::Dumper->new()->pl2xml( \@xmlarray );
543 # store_results($id,$xml);
546 =head2 save_report($sql,$name,$type,$notes)
548 Given some sql and a name this will saved it so that it can reused
549 Returns id of the newly created report
551 =cut
553 sub save_report {
554 my ($fields) = @_;
555 my $borrowernumber = $fields->{borrowernumber};
556 my $sql = $fields->{sql};
557 my $name = $fields->{name};
558 my $type = $fields->{type};
559 my $notes = $fields->{notes};
560 my $area = $fields->{area};
561 my $group = $fields->{group};
562 my $subgroup = $fields->{subgroup};
563 my $cache_expiry = $fields->{cache_expiry} || 300;
564 my $public = $fields->{public};
566 my $dbh = C4::Context->dbh();
567 $sql =~ s/(\s*\;\s*)$//; # removes trailing whitespace and /;/
568 my $query = "INSERT INTO saved_sql (borrowernumber,date_created,last_modified,savedsql,report_name,report_area,report_group,report_subgroup,type,notes,cache_expiry,public) VALUES (?,now(),now(),?,?,?,?,?,?,?,?,?)";
569 $dbh->do($query, undef, $borrowernumber, $sql, $name, $area, $group, $subgroup, $type, $notes, $cache_expiry, $public);
571 my $id = $dbh->selectrow_array("SELECT max(id) FROM saved_sql WHERE borrowernumber=? AND report_name=?", undef,
572 $borrowernumber, $name);
573 return $id;
576 sub update_sql {
577 my $id = shift || croak "No Id given";
578 my $fields = shift;
579 my $sql = $fields->{sql};
580 my $name = $fields->{name};
581 my $notes = $fields->{notes};
582 my $group = $fields->{group};
583 my $subgroup = $fields->{subgroup};
584 my $cache_expiry = $fields->{cache_expiry};
585 my $public = $fields->{public};
587 if( $cache_expiry >= 2592000 ){
588 die "Please specify a cache expiry less than 30 days\n";
591 my $dbh = C4::Context->dbh();
592 $sql =~ s/(\s*\;\s*)$//; # removes trailing whitespace and /;/
593 my $query = "UPDATE saved_sql SET savedsql = ?, last_modified = now(), report_name = ?, report_group = ?, report_subgroup = ?, notes = ?, cache_expiry = ?, public = ? WHERE id = ? ";
594 $dbh->do($query, undef, $sql, $name, $group, $subgroup, $notes, $cache_expiry, $public, $id );
597 sub store_results {
598 my ($id,$xml)=@_;
599 my $dbh = C4::Context->dbh();
600 my $query = "SELECT * FROM saved_reports WHERE report_id=?";
601 my $sth = $dbh->prepare($query);
602 $sth->execute($id);
603 if (my $data=$sth->fetchrow_hashref()){
604 my $query2 = "UPDATE saved_reports SET report=?,date_run=now() WHERE report_id=?";
605 my $sth2 = $dbh->prepare($query2);
606 $sth2->execute($xml,$id);
608 else {
609 my $query2 = "INSERT INTO saved_reports (report_id,report,date_run) VALUES (?,?,now())";
610 my $sth2 = $dbh->prepare($query2);
611 $sth2->execute($id,$xml);
615 sub format_results {
616 my ($id) = @_;
617 my $dbh = C4::Context->dbh();
618 my $query = "SELECT * FROM saved_reports WHERE report_id = ?";
619 my $sth = $dbh->prepare($query);
620 $sth->execute($id);
621 my $data = $sth->fetchrow_hashref();
622 my $dump = new XML::Dumper;
623 my $perl = $dump->xml2pl( $data->{'report'} );
624 foreach my $row (@$perl) {
625 my $htmlrow="<tr>";
626 foreach my $key (keys %$row){
627 $htmlrow .= "<td>$row->{$key}</td>";
629 $htmlrow .= "</tr>";
630 $row->{'row'} = $htmlrow;
632 $sth->finish;
633 $query = "SELECT * FROM saved_sql WHERE id = ?";
634 $sth = $dbh->prepare($query);
635 $sth->execute($id);
636 $data = $sth->fetchrow_hashref();
637 return ($perl,$data->{'report_name'},$data->{'notes'});
640 sub delete_report {
641 my (@ids) = @_;
642 return unless @ids;
643 foreach my $id (@ids) {
644 my $data = get_saved_report($id);
645 logaction( "REPORTS", "DELETE", $id, "$data->{'report_name'} | $data->{'savedsql'} " ) if C4::Context->preference("ReportsLog");
647 my $dbh = C4::Context->dbh;
648 my $query = 'DELETE FROM saved_sql WHERE id IN (' . join( ',', ('?') x @ids ) . ')';
649 my $sth = $dbh->prepare($query);
650 return $sth->execute(@ids);
653 sub get_saved_reports_base_query {
654 my $area_name_sql_snippet = get_area_name_sql_snippet;
655 return <<EOQ;
656 SELECT s.*, r.report, r.date_run, $area_name_sql_snippet, av_g.lib AS groupname, av_sg.lib AS subgroupname,
657 b.firstname AS borrowerfirstname, b.surname AS borrowersurname
658 FROM saved_sql s
659 LEFT JOIN saved_reports r ON r.report_id = s.id
660 LEFT OUTER JOIN authorised_values av_g ON (av_g.category = 'REPORT_GROUP' AND av_g.authorised_value = s.report_group)
661 LEFT OUTER JOIN authorised_values av_sg ON (av_sg.category = 'REPORT_SUBGROUP' AND av_sg.lib_opac = s.report_group AND av_sg.authorised_value = s.report_subgroup)
662 LEFT OUTER JOIN borrowers b USING (borrowernumber)
666 sub get_saved_reports {
667 # $filter is either { date => $d, author => $a, keyword => $kw, }
668 # or $keyword. Optional.
669 my ($filter) = @_;
670 $filter = { keyword => $filter } if $filter && !ref( $filter );
671 my ($group, $subgroup) = @_;
673 my $dbh = C4::Context->dbh();
674 my $query = get_saved_reports_base_query;
675 my (@cond,@args);
676 if ($filter) {
677 if (my $date = $filter->{date}) {
678 $date = eval { output_pref( { dt => dt_from_string( $date ), dateonly => 1, dateformat => 'iso' }); };
679 push @cond, "DATE(date_run) = ? OR
680 DATE(date_created) = ? OR
681 DATE(last_modified) = ? OR
682 DATE(last_run) = ?";
683 push @args, $date, $date, $date, $date;
685 if (my $author = $filter->{author}) {
686 $author = "%$author%";
687 push @cond, "surname LIKE ? OR
688 firstname LIKE ?";
689 push @args, $author, $author;
691 if (my $keyword = $filter->{keyword}) {
692 push @cond, q|
693 report LIKE ?
694 OR report_name LIKE ?
695 OR notes LIKE ?
696 OR savedsql LIKE ?
697 OR s.id = ?
699 push @args, "%$keyword%", "%$keyword%", "%$keyword%", "%$keyword%", $keyword;
701 if ($filter->{group}) {
702 push @cond, "report_group = ?";
703 push @args, $filter->{group};
705 if ($filter->{subgroup}) {
706 push @cond, "report_subgroup = ?";
707 push @args, $filter->{subgroup};
710 $query .= " WHERE ".join( " AND ", map "($_)", @cond ) if @cond;
711 $query .= " ORDER by date_created";
713 my $result = $dbh->selectall_arrayref($query, {Slice => {}}, @args);
715 return $result;
718 sub get_saved_report {
719 my $dbh = C4::Context->dbh();
720 my $query;
721 my $report_arg;
722 if ($#_ == 0 && ref $_[0] ne 'HASH') {
723 ($report_arg) = @_;
724 $query = " SELECT * FROM saved_sql WHERE id = ?";
725 } elsif (ref $_[0] eq 'HASH') {
726 my ($selector) = @_;
727 if ($selector->{name}) {
728 $query = " SELECT * FROM saved_sql WHERE report_name = ?";
729 $report_arg = $selector->{name};
730 } elsif ($selector->{id} || $selector->{id} eq '0') {
731 $query = " SELECT * FROM saved_sql WHERE id = ?";
732 $report_arg = $selector->{id};
733 } else {
734 return;
736 } else {
737 return;
739 return $dbh->selectrow_hashref($query, undef, $report_arg);
742 =head2 create_compound($masterID,$subreportID)
744 This will take 2 reports and create a compound report using both of them
746 =cut
748 sub create_compound {
749 my ( $masterID, $subreportID ) = @_;
750 my $dbh = C4::Context->dbh();
752 # get the reports
753 my $master = get_saved_report($masterID);
754 my $mastersql = $master->{savedsql};
755 my $mastertype = $master->{type};
756 my $sub = get_saved_report($subreportID);
757 my $subsql = $master->{savedsql};
758 my $subtype = $master->{type};
760 # now we have to do some checking to see how these two will fit together
761 # or if they will
762 my ( $mastertables, $subtables );
763 if ( $mastersql =~ / from (.*) where /i ) {
764 $mastertables = $1;
766 if ( $subsql =~ / from (.*) where /i ) {
767 $subtables = $1;
769 return ( $mastertables, $subtables );
772 =head2 get_column_type($column)
774 This takes a column name of the format table.column and will return what type it is
775 (free text, set values, date)
777 =cut
779 sub get_column_type {
780 my ($tablecolumn) = @_;
781 my ($table,$column) = split(/\./,$tablecolumn);
782 my $dbh = C4::Context->dbh();
783 my $catalog;
784 my $schema;
786 # mysql doesn't support a column selection, set column to %
787 my $tempcolumn='%';
788 my $sth = $dbh->column_info( $catalog, $schema, $table, $tempcolumn ) || die $dbh->errstr;
789 while (my $info = $sth->fetchrow_hashref()){
790 if ($info->{'COLUMN_NAME'} eq $column){
791 #column we want
792 if ($info->{'TYPE_NAME'} eq 'CHAR' || $info->{'TYPE_NAME'} eq 'VARCHAR'){
793 $info->{'TYPE_NAME'} = 'distinct';
795 return $info->{'TYPE_NAME'};
800 =head2 get_distinct_values($column)
802 Given a column name, return an arrary ref of hashrefs suitable for use as a tmpl_loop
803 with the distinct values of the column
805 =cut
807 sub get_distinct_values {
808 my ($tablecolumn) = @_;
809 my ($table,$column) = split(/\./,$tablecolumn);
810 my $dbh = C4::Context->dbh();
811 my $query =
812 "SELECT distinct($column) as availablevalues FROM $table";
813 my $sth = $dbh->prepare($query);
814 $sth->execute();
815 return $sth->fetchall_arrayref({});
818 sub save_dictionary {
819 my ( $name, $description, $sql, $area ) = @_;
820 my $dbh = C4::Context->dbh();
821 my $query = "INSERT INTO reports_dictionary (name,description,saved_sql,report_area,date_created,date_modified)
822 VALUES (?,?,?,?,now(),now())";
823 my $sth = $dbh->prepare($query);
824 $sth->execute($name,$description,$sql,$area) || return 0;
825 return 1;
828 sub get_from_dictionary {
829 my ( $area, $id ) = @_;
830 my $dbh = C4::Context->dbh();
831 my $area_name_sql_snippet = get_area_name_sql_snippet;
832 my $query = <<EOQ;
833 SELECT d.*, $area_name_sql_snippet
834 FROM reports_dictionary d
837 if ($area) {
838 $query .= " WHERE report_area = ?";
839 } elsif ($id) {
840 $query .= " WHERE id = ?";
842 my $sth = $dbh->prepare($query);
843 if ($id) {
844 $sth->execute($id);
845 } elsif ($area) {
846 $sth->execute($area);
847 } else {
848 $sth->execute();
850 my @loop;
851 while ( my $data = $sth->fetchrow_hashref() ) {
852 push @loop, $data;
854 return ( \@loop );
857 sub delete_definition {
858 my ($id) = @_ or return;
859 my $dbh = C4::Context->dbh();
860 my $query = "DELETE FROM reports_dictionary WHERE id = ?";
861 my $sth = $dbh->prepare($query);
862 $sth->execute($id);
865 sub get_sql {
866 my ($id) = @_ or return;
867 my $dbh = C4::Context->dbh();
868 my $query = "SELECT * FROM saved_sql WHERE id = ?";
869 my $sth = $dbh->prepare($query);
870 $sth->execute($id);
871 my $data=$sth->fetchrow_hashref();
872 return $data->{'savedsql'};
875 sub _get_column_defs {
876 my ($cgi) = @_;
877 my %columns;
878 my $columns_def_file = "columns.def";
879 my $htdocs = C4::Context->config('intrahtdocs');
880 my $section = 'intranet';
882 # We need the theme and the lang
883 # Since columns.def is not in the modules directory, we cannot sent it for the $tmpl var
884 my ($theme, $lang, $availablethemes) = C4::Templates::themelanguage($htdocs, 'about.tt', $section, $cgi);
886 my $full_path_to_columns_def_file="$htdocs/$theme/$lang/$columns_def_file";
887 open (my $fh, '<:encoding(utf-8)', $full_path_to_columns_def_file);
888 while ( my $input = <$fh> ){
889 chomp $input;
890 if ( $input =~ m|<field name="(.*)">(.*)</field>| ) {
891 my ( $field, $translation ) = ( $1, $2 );
892 $columns{$field} = $translation;
895 close $fh;
896 return \%columns;
899 =head2 GetReservedAuthorisedValues
901 my %reserved_authorised_values = GetReservedAuthorisedValues();
903 Returns a hash containig all reserved words
905 =cut
907 sub GetReservedAuthorisedValues {
908 my %reserved_authorised_values =
909 map { $_ => 1 } ( 'date',
910 'branches',
911 'itemtypes',
912 'cn_source',
913 'categorycode',
914 'biblio_framework' );
916 return \%reserved_authorised_values;
920 =head2 IsAuthorisedValueValid
922 my $is_valid_ath_value = IsAuthorisedValueValid($authorised_value)
924 Returns 1 if $authorised_value is on the reserved authorised values list or
925 in the authorised value categories defined in
927 =cut
929 sub IsAuthorisedValueValid {
931 my $authorised_value = shift;
932 my $reserved_authorised_values = GetReservedAuthorisedValues();
934 if ( exists $reserved_authorised_values->{$authorised_value} ||
935 Koha::AuthorisedValues->search({ category => $authorised_value })->count ) {
936 return 1;
939 return 0;
942 =head2 GetParametersFromSQL
944 my @sql_parameters = GetParametersFromSQL($sql)
946 Returns an arrayref of hashes containing the keys name and authval
948 =cut
950 sub GetParametersFromSQL {
952 my $sql = shift ;
953 my @split = split(/<<|>>/,$sql);
954 my @sql_parameters = ();
956 for ( my $i = 0; $i < ($#split/2) ; $i++ ) {
957 my ($name,$authval) = split(/\|/,$split[$i*2+1]);
958 push @sql_parameters, { 'name' => $name, 'authval' => $authval };
961 return \@sql_parameters;
964 =head2 ValidateSQLParameters
966 my @problematic_parameters = ValidateSQLParameters($sql)
968 Returns an arrayref of hashes containing the keys name and authval of
969 those SQL parameters that do not correspond to valid authorised names
971 =cut
973 sub ValidateSQLParameters {
975 my $sql = shift;
976 my @problematic_parameters = ();
977 my $sql_parameters = GetParametersFromSQL($sql);
979 foreach my $sql_parameter (@$sql_parameters) {
980 if ( defined $sql_parameter->{'authval'} ) {
981 push @problematic_parameters, $sql_parameter unless
982 IsAuthorisedValueValid($sql_parameter->{'authval'});
986 return \@problematic_parameters;
989 sub _get_display_value {
990 my ( $original_value, $column ) = @_;
991 if ( $column eq 'periodicity' ) {
992 my $dbh = C4::Context->dbh();
993 my $query = "SELECT description FROM subscription_frequencies WHERE id = ?";
994 my $sth = $dbh->prepare($query);
995 $sth->execute($original_value);
996 return $sth->fetchrow;
998 return $original_value;
1002 __END__
1004 =head1 AUTHOR
1006 Chris Cormack <crc@liblime.com>
1008 =cut