]> git.evergreen-ils.org Git - working/Evergreen.git/blob - Open-ILS/src/perlmods/lib/OpenILS/Application/AppUtils.pm
LP#1836963: reduce the cost of utility functions, speeding up search
[working/Evergreen.git] / Open-ILS / src / perlmods / lib / OpenILS / Application / AppUtils.pm
1 package OpenILS::Application::AppUtils;
2 use strict; use warnings;
3 use OpenILS::Application;
4 use base qw/OpenILS::Application/;
5 use OpenSRF::Utils::Cache;
6 use OpenSRF::Utils::Logger qw/$logger/;
7 use OpenILS::Utils::ModsParser;
8 use OpenSRF::EX qw(:try);
9 use OpenILS::Event;
10 use Data::Dumper;
11 use OpenILS::Utils::CStoreEditor;
12 use OpenILS::Const qw/:const/;
13 use Unicode::Normalize;
14 use OpenSRF::Utils::SettingsClient;
15 use UUID::Tiny;
16 use Encode;
17 use DateTime;
18 use DateTime::Format::ISO8601;
19 use List::MoreUtils qw/uniq/;
20 use Digest::MD5 qw(md5_hex);
21
22 # ---------------------------------------------------------------------------
23 # Pile of utilty methods used accross applications.
24 # ---------------------------------------------------------------------------
25 my $cache_client = "OpenSRF::Utils::Cache";
26
27
28 # ---------------------------------------------------------------------------
29 # on sucess, returns the created session, on failure throws ERROR exception
30 # ---------------------------------------------------------------------------
31 sub start_db_session {
32
33     my $self = shift;
34     my $session = OpenSRF::AppSession->connect( "open-ils.storage" );
35     my $trans_req = $session->request( "open-ils.storage.transaction.begin" );
36
37     my $trans_resp = $trans_req->recv();
38     if(ref($trans_resp) and UNIVERSAL::isa($trans_resp,"Error")) { throw $trans_resp; }
39     if( ! $trans_resp->content() ) {
40         throw OpenSRF::ERROR 
41             ("Unable to Begin Transaction with database" );
42     }
43     $trans_req->finish();
44
45     $logger->debug("Setting global storage session to ".
46         "session: " . $session->session_id . " : " . $session->app );
47
48     return $session;
49 }
50
51 sub set_audit_info {
52     my $self = shift;
53     my $session = shift;
54     my $authtoken = shift;
55     my $user_id = shift;
56     my $ws_id = shift;
57     
58     my $audit_req = $session->request( "open-ils.storage.set_audit_info", $authtoken, $user_id, $ws_id );
59     my $audit_resp = $audit_req->recv();
60     $audit_req->finish();
61 }
62
63 my $PERM_QUERY = {
64     select => {
65         au => [ {
66             transform => 'permission.usr_has_perm',
67             alias => 'has_perm',
68             column => 'id',
69             params => []
70         } ]
71     },
72     from => 'au',
73     where => {},
74 };
75
76
77 # returns undef if user has all of the perms provided
78 # returns the first failed perm on failure
79 sub check_user_perms {
80     my($self, $user_id, $org_id, @perm_types ) = @_;
81     $logger->debug("Checking perms with user : $user_id , org: $org_id, @perm_types");
82
83     for my $type (@perm_types) {
84         $PERM_QUERY->{select}->{au}->[0]->{params} = [$type, $org_id];
85         $PERM_QUERY->{where}->{id} = $user_id;
86         return $type unless $self->is_true(OpenILS::Utils::CStoreEditor->new->json_query($PERM_QUERY)->[0]->{has_perm});
87     }
88     return undef;
89 }
90
91 # checks the list of user perms.  The first one that fails returns a new
92 sub check_perms {
93     my( $self, $user_id, $org_id, @perm_types ) = @_;
94     my $t = $self->check_user_perms( $user_id, $org_id, @perm_types );
95     return OpenILS::Event->new('PERM_FAILURE', ilsperm => $t, ilspermloc => $org_id ) if $t;
96     return undef;
97 }
98
99
100
101 # ---------------------------------------------------------------------------
102 # commits and destroys the session
103 # ---------------------------------------------------------------------------
104 sub commit_db_session {
105     my( $self, $session ) = @_;
106
107     my $req = $session->request( "open-ils.storage.transaction.commit" );
108     my $resp = $req->recv();
109
110     if(!$resp) {
111         throw OpenSRF::EX::ERROR ("Unable to commit db session");
112     }
113
114     if(UNIVERSAL::isa($resp,"Error")) { 
115         throw $resp ($resp->stringify); 
116     }
117
118     if(!$resp->content) {
119         throw OpenSRF::EX::ERROR ("Unable to commit db session");
120     }
121
122     $session->finish();
123     $session->disconnect();
124     $session->kill_me();
125 }
126
127 sub rollback_db_session {
128     my( $self, $session ) = @_;
129
130     my $req = $session->request("open-ils.storage.transaction.rollback");
131     my $resp = $req->recv();
132     if(UNIVERSAL::isa($resp,"Error")) { throw $resp;  }
133
134     $session->finish();
135     $session->disconnect();
136     $session->kill_me();
137 }
138
139
140 # returns undef it the event is not an ILS event
141 # returns the event code otherwise
142 sub event_code {
143     my( $self, $evt ) = @_;
144     return $evt->{ilsevent} if $self->is_event($evt);
145     return undef;
146 }
147
148 # some events, in particular auto-generated events, don't have an 
149 # ilsevent key.  treat hashes with a 'textcode' key as events.
150 sub is_event {
151     my ($self, $evt) = @_;
152     return (
153         ref($evt) eq 'HASH' and (
154             defined $evt->{ilsevent} or
155             defined $evt->{textcode}
156         )
157     );
158 }
159
160 # ---------------------------------------------------------------------------
161 # Checks to see if a user is logged in.  Returns the user record on success,
162 # throws an exception on error.
163 # ---------------------------------------------------------------------------
164 sub check_user_session {
165     my( $self, $user_session ) = @_;
166
167     my $content = $self->simplereq( 
168         'open-ils.auth', 
169         'open-ils.auth.session.retrieve', $user_session);
170
171     return undef if (!$content) or $self->event_code($content);
172     return $content;
173 }
174
175 # generic simple request returning a scalar value
176 sub simplereq {
177     my($self, $service, $method, @params) = @_;
178     return $self->simple_scalar_request($service, $method, @params);
179 }
180
181
182 sub simple_scalar_request {
183     my($self, $service, $method, @params) = @_;
184
185     my $session = OpenSRF::AppSession->create( $service );
186
187     my $request = $session->request( $method, @params );
188
189     my $val;
190     my $err;
191     try  {
192
193         $val = $request->gather(1); 
194
195     } catch Error with {
196         $err = shift;
197     };
198
199     if( $err ) {
200         warn "received error : service=$service : method=$method : params=".Dumper(\@params) . "\n $err";
201         throw $err ("Call to $service for method $method \n failed with exception: $err : " );
202     }
203
204     return $val;
205 }
206
207 sub build_org_tree {
208     my( $self, $orglist ) = @_;
209
210     return $orglist unless ref $orglist; 
211     return $$orglist[0] if @$orglist == 1;
212
213     my @list = sort { 
214         $a->ou_type <=> $b->ou_type ||
215         $a->name cmp $b->name } @$orglist;
216
217     for my $org (@list) {
218
219         next unless ($org);
220         next if (!defined($org->parent_ou) || $org->parent_ou eq "");
221
222         my ($parent) = grep { $_->id == $org->parent_ou } @list;
223         next unless $parent;
224         $parent->children([]) unless defined($parent->children); 
225         push( @{$parent->children}, $org );
226     }
227
228     return $list[0];
229 }
230
231 sub fetch_closed_date {
232     my( $self, $cd ) = @_;
233     my $evt;
234     
235     $logger->debug("Fetching closed_date $cd from cstore");
236
237     my $cd_obj = $self->simplereq(
238         'open-ils.cstore',
239         'open-ils.cstore.direct.actor.org_unit.closed_date.retrieve', $cd );
240
241     if(!$cd_obj) {
242         $logger->info("closed_date $cd not found in the db");
243         $evt = OpenILS::Event->new('ACTOR_USER_NOT_FOUND');
244     }
245
246     return ($cd_obj, $evt);
247 }
248
249 sub fetch_user {
250     my( $self, $userid ) = @_;
251     my( $user, $evt );
252     
253     $logger->debug("Fetching user $userid from cstore");
254
255     $user = $self->simplereq(
256         'open-ils.cstore',
257         'open-ils.cstore.direct.actor.user.retrieve', $userid );
258
259     if(!$user) {
260         $logger->info("User $userid not found in the db");
261         $evt = OpenILS::Event->new('ACTOR_USER_NOT_FOUND');
262     }
263
264     return ($user, $evt);
265 }
266
267 sub checkses {
268     my( $self, $session ) = @_;
269     my $user = $self->check_user_session($session) or 
270         return (undef, OpenILS::Event->new('NO_SESSION'));
271     return ($user);
272 }
273
274
275 # verifiese the session and checks the permissions agains the
276 # session user and the user's home_ou as the org id
277 sub checksesperm {
278     my( $self, $session, @perms ) = @_;
279     my $user; my $evt; my $e; 
280     $logger->debug("Checking user session $session and perms @perms");
281     ($user, $evt) = $self->checkses($session);
282     return (undef, $evt) if $evt;
283     $evt = $self->check_perms($user->id, $user->home_ou, @perms);
284     return ($user, $evt);
285 }
286
287
288 sub checkrequestor {
289     my( $self, $staffobj, $userid, @perms ) = @_;
290     my $user; my $evt;
291     $userid = $staffobj->id unless defined $userid;
292
293     $logger->debug("checkrequestor(): requestor => " . $staffobj->id . ", target => $userid");
294
295     if( $userid ne $staffobj->id ) {
296         ($user, $evt) = $self->fetch_user($userid);
297         return (undef, $evt) if $evt;
298         $evt = $self->check_perms( $staffobj->id, $user->home_ou, @perms );
299
300     } else {
301         $user = $staffobj;
302     }
303
304     return ($user, $evt);
305 }
306
307 sub checkses_requestor {
308     my( $self, $authtoken, $targetid, @perms ) = @_;
309     my( $requestor, $target, $evt );
310
311     ($requestor, $evt) = $self->checkses($authtoken);
312     return (undef, undef, $evt) if $evt;
313
314     ($target, $evt) = $self->checkrequestor( $requestor, $targetid, @perms );
315     return( $requestor, $target, $evt);
316 }
317
318 sub fetch_copy {
319     my( $self, $copyid ) = @_;
320     my( $copy, $evt );
321
322     $logger->debug("Fetching copy $copyid from cstore");
323
324     $copy = $self->simplereq(
325         'open-ils.cstore',
326         'open-ils.cstore.direct.asset.copy.retrieve', $copyid );
327
328     if(!$copy) { $evt = OpenILS::Event->new('ASSET_COPY_NOT_FOUND'); }
329
330     return( $copy, $evt );
331 }
332
333
334 # retrieves a circ object by id
335 sub fetch_circulation {
336     my( $self, $circid ) = @_;
337     my $circ; my $evt;
338     
339     $logger->debug("Fetching circ $circid from cstore");
340
341     $circ = $self->simplereq(
342         'open-ils.cstore',
343         "open-ils.cstore.direct.action.circulation.retrieve", $circid );
344
345     if(!$circ) {
346         $evt = OpenILS::Event->new('ACTION_CIRCULATION_NOT_FOUND', circid => $circid );
347     }
348
349     return ( $circ, $evt );
350 }
351
352 sub fetch_record_by_copy {
353     my( $self, $copyid ) = @_;
354     my( $record, $evt );
355
356     $logger->debug("Fetching record by copy $copyid from cstore");
357
358     $record = $self->simplereq(
359         'open-ils.cstore',
360         'open-ils.cstore.direct.asset.copy.retrieve', $copyid,
361         { flesh => 3,
362           flesh_fields => { bre => [ 'fixed_fields' ],
363                     acn => [ 'record' ],
364                     acp => [ 'call_number' ],
365                   }
366         }
367     );
368
369     if(!$record) {
370         $evt = OpenILS::Event->new('BIBLIO_RECORD_ENTRY_NOT_FOUND');
371     } else {
372         $record = $record->call_number->record;
373     }
374
375     return ($record, $evt);
376 }
377
378 # turns a record object into an mvr (mods) object
379 sub record_to_mvr {
380     my( $self, $record ) = @_;
381     return undef unless $record and $record->marc;
382     my $u = OpenILS::Utils::ModsParser->new();
383     $u->start_mods_batch( $record->marc );
384     my $mods = $u->finish_mods_batch();
385     $mods->doc_id($record->id);
386    $mods->tcn($record->tcn_value);
387     return $mods;
388 }
389
390 sub fetch_hold {
391     my( $self, $holdid ) = @_;
392     my( $hold, $evt );
393
394     $logger->debug("Fetching hold $holdid from cstore");
395
396     $hold = $self->simplereq(
397         'open-ils.cstore',
398         'open-ils.cstore.direct.action.hold_request.retrieve', $holdid);
399
400     $evt = OpenILS::Event->new('ACTION_HOLD_REQUEST_NOT_FOUND', holdid => $holdid) unless $hold;
401
402     return ($hold, $evt);
403 }
404
405
406 sub fetch_hold_transit_by_hold {
407     my( $self, $holdid ) = @_;
408     my( $transit, $evt );
409
410     $logger->debug("Fetching transit by hold $holdid from cstore");
411
412     $transit = $self->simplereq(
413         'open-ils.cstore',
414         'open-ils.cstore.direct.action.hold_transit_copy.search', { hold => $holdid, cancel_time => undef } );
415
416     $evt = OpenILS::Event->new('ACTION_HOLD_TRANSIT_COPY_NOT_FOUND', holdid => $holdid) unless $transit;
417
418     return ($transit, $evt );
419 }
420
421 # fetches the captured, but not fulfilled hold attached to a given copy
422 sub fetch_open_hold_by_copy {
423     my( $self, $copyid ) = @_;
424     $logger->debug("Searching for active hold for copy $copyid");
425     my( $hold, $evt );
426
427     $hold = $self->cstorereq(
428         'open-ils.cstore.direct.action.hold_request.search',
429         { 
430             current_copy        => $copyid , 
431             capture_time        => { "!=" => undef }, 
432             fulfillment_time    => undef,
433             cancel_time         => undef,
434         } );
435
436     $evt = OpenILS::Event->new('ACTION_HOLD_REQUEST_NOT_FOUND', copyid => $copyid) unless $hold;
437     return ($hold, $evt);
438 }
439
440 sub fetch_hold_transit {
441     my( $self, $transid ) = @_;
442     my( $htransit, $evt );
443     $logger->debug("Fetching hold transit with hold id $transid");
444     $htransit = $self->cstorereq(
445         'open-ils.cstore.direct.action.hold_transit_copy.retrieve', $transid );
446     $evt = OpenILS::Event->new('ACTION_HOLD_TRANSIT_COPY_NOT_FOUND', id => $transid) unless $htransit;
447     return ($htransit, $evt);
448 }
449
450 sub fetch_copy_by_barcode {
451     my( $self, $barcode ) = @_;
452     my( $copy, $evt );
453
454     $logger->debug("Fetching copy by barcode $barcode from cstore");
455
456     $copy = $self->simplereq( 'open-ils.cstore',
457         'open-ils.cstore.direct.asset.copy.search', { barcode => $barcode, deleted => 'f'} );
458         #'open-ils.storage.direct.asset.copy.search.barcode', $barcode );
459
460     $evt = OpenILS::Event->new('ASSET_COPY_NOT_FOUND', barcode => $barcode) unless $copy;
461
462     return ($copy, $evt);
463 }
464
465 sub fetch_open_billable_transaction {
466     my( $self, $transid ) = @_;
467     my( $transaction, $evt );
468
469     $logger->debug("Fetching open billable transaction $transid from cstore");
470
471     $transaction = $self->simplereq(
472         'open-ils.cstore',
473         'open-ils.cstore.direct.money.open_billable_transaction_summary.retrieve',  $transid);
474
475     $evt = OpenILS::Event->new(
476         'MONEY_OPEN_BILLABLE_TRANSACTION_SUMMARY_NOT_FOUND', transid => $transid ) unless $transaction;
477
478     return ($transaction, $evt);
479 }
480
481
482
483 my %buckets;
484 $buckets{'biblio'} = 'biblio_record_entry_bucket';
485 $buckets{'callnumber'} = 'call_number_bucket';
486 $buckets{'copy'} = 'copy_bucket';
487 $buckets{'user'} = 'user_bucket';
488
489 sub fetch_container {
490     my( $self, $id, $type ) = @_;
491     my( $bucket, $evt );
492
493     $logger->debug("Fetching container $id with type $type");
494
495     my $e = 'CONTAINER_CALL_NUMBER_BUCKET_NOT_FOUND';
496     $e = 'CONTAINER_BIBLIO_RECORD_ENTRY_BUCKET_NOT_FOUND' if $type eq 'biblio';
497     $e = 'CONTAINER_USER_BUCKET_NOT_FOUND' if $type eq 'user';
498     $e = 'CONTAINER_COPY_BUCKET_NOT_FOUND' if $type eq 'copy';
499
500     my $meth = $buckets{$type};
501     $bucket = $self->simplereq(
502         'open-ils.cstore',
503         "open-ils.cstore.direct.container.$meth.retrieve", $id );
504
505     $evt = OpenILS::Event->new(
506         $e, container => $id, container_type => $type ) unless $bucket;
507
508     return ($bucket, $evt);
509 }
510
511
512 sub fetch_container_e {
513     my( $self, $editor, $id, $type ) = @_;
514
515     my( $bucket, $evt );
516     $bucket = $editor->retrieve_container_copy_bucket($id) if $type eq 'copy';
517     $bucket = $editor->retrieve_container_call_number_bucket($id) if $type eq 'callnumber';
518     $bucket = $editor->retrieve_container_biblio_record_entry_bucket($id) if $type eq 'biblio';
519     $bucket = $editor->retrieve_container_user_bucket($id) if $type eq 'user';
520
521     $evt = $editor->event unless $bucket;
522     return ($bucket, $evt);
523 }
524
525 sub fetch_container_item_e {
526     my( $self, $editor, $id, $type ) = @_;
527
528     my( $bucket, $evt );
529     $bucket = $editor->retrieve_container_copy_bucket_item($id) if $type eq 'copy';
530     $bucket = $editor->retrieve_container_call_number_bucket_item($id) if $type eq 'callnumber';
531     $bucket = $editor->retrieve_container_biblio_record_entry_bucket_item($id) if $type eq 'biblio';
532     $bucket = $editor->retrieve_container_user_bucket_item($id) if $type eq 'user';
533
534     $evt = $editor->event unless $bucket;
535     return ($bucket, $evt);
536 }
537
538
539
540
541
542 sub fetch_container_item {
543     my( $self, $id, $type ) = @_;
544     my( $bucket, $evt );
545
546     $logger->debug("Fetching container item $id with type $type");
547
548     my $meth = $buckets{$type} . "_item";
549
550     $bucket = $self->simplereq(
551         'open-ils.cstore',
552         "open-ils.cstore.direct.container.$meth.retrieve", $id );
553
554
555     my $e = 'CONTAINER_CALL_NUMBER_BUCKET_ITEM_NOT_FOUND';
556     $e = 'CONTAINER_BIBLIO_RECORD_ENTRY_BUCKET_ITEM_NOT_FOUND' if $type eq 'biblio';
557     $e = 'CONTAINER_USER_BUCKET_ITEM_NOT_FOUND' if $type eq 'user';
558     $e = 'CONTAINER_COPY_BUCKET_ITEM_NOT_FOUND' if $type eq 'copy';
559
560     $evt = OpenILS::Event->new(
561         $e, itemid => $id, container_type => $type ) unless $bucket;
562
563     return ($bucket, $evt);
564 }
565
566
567 sub fetch_patron_standings {
568     my $self = shift;
569     $logger->debug("Fetching patron standings");    
570     return $self->simplereq(
571         'open-ils.cstore', 
572         'open-ils.cstore.direct.config.standing.search.atomic', { id => { '!=' => undef } });
573 }
574
575
576 sub fetch_permission_group_tree {
577     my $self = shift;
578     $logger->debug("Fetching patron profiles"); 
579     return $self->simplereq(
580         'open-ils.actor', 
581         'open-ils.actor.groups.tree.retrieve' );
582 }
583
584 sub fetch_permission_group_descendants {
585     my( $self, $profile ) = @_;
586     my $group_tree = $self->fetch_permission_group_tree();
587     my $start_here;
588     my @groups;
589
590     # FIXME: okay, so it's not an org tree, but it is compatible
591     $self->walk_org_tree($group_tree, sub {
592         my $g = shift;
593         if ($g->id == $profile) {
594             $start_here = $g;
595         }
596     });
597
598     $self->walk_org_tree($start_here, sub {
599         my $g = shift;
600         push(@groups,$g->id);
601     });
602
603     return \@groups;
604 }
605
606 sub fetch_patron_circ_summary {
607     my( $self, $userid ) = @_;
608     $logger->debug("Fetching patron summary for $userid");
609     my $summary = $self->simplereq(
610         'open-ils.storage', 
611         "open-ils.storage.action.circulation.patron_summary", $userid );
612
613     if( $summary ) {
614         $summary->[0] ||= 0;
615         $summary->[1] ||= 0.0;
616         return $summary;
617     }
618     return undef;
619 }
620
621
622 sub fetch_copy_statuses {
623     my( $self ) = @_;
624     $logger->debug("Fetching copy statuses");
625     return $self->simplereq(
626         'open-ils.cstore', 
627         'open-ils.cstore.direct.config.copy_status.search.atomic', { id => { '!=' => undef } });
628 }
629
630 sub fetch_copy_location {
631     my( $self, $id ) = @_;
632     my $evt;
633     my $cl = $self->cstorereq(
634         'open-ils.cstore.direct.asset.copy_location.retrieve', $id );
635     $evt = OpenILS::Event->new('ASSET_COPY_LOCATION_NOT_FOUND') unless $cl;
636     return ($cl, $evt);
637 }
638
639 sub fetch_copy_locations {
640     my $self = shift; 
641     return $self->simplereq(
642         'open-ils.cstore', 
643         'open-ils.cstore.direct.asset.copy_location.search.atomic', { id => { '!=' => undef }, deleted => 'f' });
644 }
645
646 sub fetch_copy_location_by_name {
647     my( $self, $name, $org ) = @_;
648     my $evt;
649     my $cl = $self->cstorereq(
650         'open-ils.cstore.direct.asset.copy_location.search',
651             { name => $name, owning_lib => $org, deleted => 'f' } );
652     $evt = OpenILS::Event->new('ASSET_COPY_LOCATION_NOT_FOUND') unless $cl;
653     return ($cl, $evt);
654 }
655
656 sub fetch_callnumber {
657     my( $self, $id, $flesh, $e ) = @_;
658
659     $e ||= OpenILS::Utils::CStoreEditor->new;
660
661     my $evt = OpenILS::Event->new( 'ASSET_CALL_NUMBER_NOT_FOUND', id => $id );
662     return( undef, $evt ) unless $id;
663
664     $logger->debug("Fetching callnumber $id");
665
666     my $cn = $e->retrieve_asset_call_number([
667         $id,
668         { flesh => $flesh, flesh_fields => { acn => [ 'prefix', 'suffix', 'label_class' ] } },
669     ]);
670
671     return ( $cn, $e->event );
672 }
673
674 my %ORG_CACHE; # - these rarely change, so cache them..
675 sub fetch_org_unit {
676     my( $self, $id ) = @_;
677     return undef unless $id;
678     return $id if( ref($id) eq 'Fieldmapper::actor::org_unit' );
679     return $ORG_CACHE{$id} if $ORG_CACHE{$id};
680     $logger->debug("Fetching org unit $id");
681     my $evt = undef;
682
683     my $org = $self->simplereq(
684         'open-ils.cstore', 
685         'open-ils.cstore.direct.actor.org_unit.retrieve', $id );
686     $evt = OpenILS::Event->new( 'ACTOR_ORG_UNIT_NOT_FOUND', id => $id ) unless $org;
687     $ORG_CACHE{$id}  = $org;
688
689     return ($org, $evt);
690 }
691
692 sub fetch_stat_cat {
693     my( $self, $type, $id ) = @_;
694     my( $cat, $evt );
695     $logger->debug("Fetching $type stat cat: $id");
696     $cat = $self->simplereq(
697         'open-ils.cstore', 
698         "open-ils.cstore.direct.$type.stat_cat.retrieve", $id );
699
700     my $e = 'ASSET_STAT_CAT_NOT_FOUND';
701     $e = 'ACTOR_STAT_CAT_NOT_FOUND' if $type eq 'actor';
702
703     $evt = OpenILS::Event->new( $e, id => $id ) unless $cat;
704     return ( $cat, $evt );
705 }
706
707 sub fetch_stat_cat_entry {
708     my( $self, $type, $id ) = @_;
709     my( $entry, $evt );
710     $logger->debug("Fetching $type stat cat entry: $id");
711     $entry = $self->simplereq(
712         'open-ils.cstore', 
713         "open-ils.cstore.direct.$type.stat_cat_entry.retrieve", $id );
714
715     my $e = 'ASSET_STAT_CAT_ENTRY_NOT_FOUND';
716     $e = 'ACTOR_STAT_CAT_ENTRY_NOT_FOUND' if $type eq 'actor';
717
718     $evt = OpenILS::Event->new( $e, id => $id ) unless $entry;
719     return ( $entry, $evt );
720 }
721
722 sub fetch_stat_cat_entry_default {
723     my( $self, $type, $id ) = @_;
724     my( $entry_default, $evt );
725     $logger->debug("Fetching $type stat cat entry default: $id");
726     $entry_default = $self->simplereq(
727         'open-ils.cstore', 
728         "open-ils.cstore.direct.$type.stat_cat_entry_default.retrieve", $id );
729
730     my $e = 'ASSET_STAT_CAT_ENTRY_DEFAULT_NOT_FOUND';
731     $e = 'ACTOR_STAT_CAT_ENTRY_DEFAULT_NOT_FOUND' if $type eq 'actor';
732
733     $evt = OpenILS::Event->new( $e, id => $id ) unless $entry_default;
734     return ( $entry_default, $evt );
735 }
736
737 sub fetch_stat_cat_entry_default_by_stat_cat_and_org {
738     my( $self, $type, $stat_cat, $orgId ) = @_;
739     my $entry_default;
740     $logger->info("### Fetching $type stat cat entry default with stat_cat $stat_cat owned by org_unit $orgId");
741     $entry_default = $self->simplereq(
742         'open-ils.cstore', 
743         "open-ils.cstore.direct.$type.stat_cat_entry_default.search.atomic", 
744         { stat_cat => $stat_cat, owner => $orgId } );
745
746     $entry_default = $entry_default->[0];
747     return ($entry_default, undef) if $entry_default;
748
749     my $e = 'ASSET_STAT_CAT_ENTRY_DEFAULT_NOT_FOUND';
750     $e = 'ACTOR_STAT_CAT_ENTRY_DEFAULT_NOT_FOUND' if $type eq 'actor';
751     return (undef, OpenILS::Event->new($e) );
752 }
753
754 sub find_org {
755     my( $self, $org_tree, $orgid )  = @_;
756     return undef unless $org_tree and defined $orgid;
757     return $org_tree if ( $org_tree->id eq $orgid );
758     return undef unless ref($org_tree->children);
759     for my $c (@{$org_tree->children}) {
760         my $o = $self->find_org($c, $orgid);
761         return $o if $o;
762     }
763     return undef;
764 }
765
766 sub find_org_by_shortname {
767     my( $self, $org_tree, $shortname )  = @_;
768     return undef unless $org_tree and defined $shortname;
769     return $org_tree if ( $org_tree->shortname eq $shortname );
770     return undef unless ref($org_tree->children);
771     for my $c (@{$org_tree->children}) {
772         my $o = $self->find_org_by_shortname($c, $shortname);
773         return $o if $o;
774     }
775     return undef;
776 }
777
778 sub fetch_non_cat_type_by_name_and_org {
779     my( $self, $name, $orgId ) = @_;
780     $logger->debug("Fetching non cat type $name at org $orgId");
781     my $types = $self->simplereq(
782         'open-ils.cstore',
783         'open-ils.cstore.direct.config.non_cataloged_type.search.atomic',
784         { name => $name, owning_lib => $orgId } );
785     return ($types->[0], undef) if($types and @$types);
786     return (undef, OpenILS::Event->new('CONFIG_NON_CATALOGED_TYPE_NOT_FOUND') );
787 }
788
789 sub fetch_non_cat_type {
790     my( $self, $id ) = @_;
791     $logger->debug("Fetching non cat type $id");
792     my( $type, $evt );
793     $type = $self->simplereq(
794         'open-ils.cstore', 
795         'open-ils.cstore.direct.config.non_cataloged_type.retrieve', $id );
796     $evt = OpenILS::Event->new('CONFIG_NON_CATALOGED_TYPE_NOT_FOUND') unless $type;
797     return ($type, $evt);
798 }
799
800 sub DB_UPDATE_FAILED { 
801     my( $self, $payload ) = @_;
802     return OpenILS::Event->new('DATABASE_UPDATE_FAILED', 
803         payload => ($payload) ? $payload : undef ); 
804 }
805
806 sub fetch_booking_reservation {
807     my( $self, $id ) = @_;
808     my( $res, $evt );
809
810     $res = $self->simplereq(
811         'open-ils.cstore', 
812         'open-ils.cstore.direct.booking.reservation.retrieve', $id
813     );
814
815     # simplereq doesn't know how to flesh so ...
816     if ($res) {
817         $res->usr(
818             $self->simplereq(
819                 'open-ils.cstore', 
820                 'open-ils.cstore.direct.actor.user.retrieve', $res->usr
821             )
822         );
823
824         $res->target_resource_type(
825             $self->simplereq(
826                 'open-ils.cstore', 
827                 'open-ils.cstore.direct.booking.resource_type.retrieve', $res->target_resource_type
828             )
829         );
830
831         if ($res->current_resource) {
832             $res->current_resource(
833                 $self->simplereq(
834                     'open-ils.cstore', 
835                     'open-ils.cstore.direct.booking.resource.retrieve', $res->current_resource
836                 )
837             );
838
839             if ($self->is_true( $res->target_resource_type->catalog_item )) {
840                 $res->current_resource->catalog_item( $self->fetch_copy_by_barcode( $res->current_resource->barcode ) );
841             }
842         }
843
844         if ($res->target_resource) {
845             $res->target_resource(
846                 $self->simplereq(
847                     'open-ils.cstore', 
848                     'open-ils.cstore.direct.booking.resource.retrieve', $res->target_resource
849                 )
850             );
851
852             if ($self->is_true( $res->target_resource_type->catalog_item )) {
853                 $res->target_resource->catalog_item( $self->fetch_copy_by_barcode( $res->target_resource->barcode ) );
854             }
855         }
856
857     } else {
858         $evt = OpenILS::Event->new('RESERVATION_NOT_FOUND');
859     }
860
861     return ($res, $evt);
862 }
863
864 sub fetch_circ_duration_by_name {
865     my( $self, $name ) = @_;
866     my( $dur, $evt );
867     $dur = $self->simplereq(
868         'open-ils.cstore', 
869         'open-ils.cstore.direct.config.rules.circ_duration.search.atomic', { name => $name } );
870     $dur = $dur->[0];
871     $evt = OpenILS::Event->new('CONFIG_RULES_CIRC_DURATION_NOT_FOUND') unless $dur;
872     return ($dur, $evt);
873 }
874
875 sub fetch_recurring_fine_by_name {
876     my( $self, $name ) = @_;
877     my( $obj, $evt );
878     $obj = $self->simplereq(
879         'open-ils.cstore', 
880         'open-ils.cstore.direct.config.rules.recurring_fine.search.atomic', { name => $name } );
881     $obj = $obj->[0];
882     $evt = OpenILS::Event->new('CONFIG_RULES_RECURRING_FINE_NOT_FOUND') unless $obj;
883     return ($obj, $evt);
884 }
885
886 sub fetch_max_fine_by_name {
887     my( $self, $name ) = @_;
888     my( $obj, $evt );
889     $obj = $self->simplereq(
890         'open-ils.cstore', 
891         'open-ils.cstore.direct.config.rules.max_fine.search.atomic', { name => $name } );
892     $obj = $obj->[0];
893     $evt = OpenILS::Event->new('CONFIG_RULES_MAX_FINE_NOT_FOUND') unless $obj;
894     return ($obj, $evt);
895 }
896
897 sub fetch_hard_due_date_by_name {
898     my( $self, $name ) = @_;
899     my( $obj, $evt );
900     $obj = $self->simplereq(
901         'open-ils.cstore', 
902         'open-ils.cstore.direct.config.hard_due_date.search.atomic', { name => $name } );
903     $obj = $obj->[0];
904     $evt = OpenILS::Event->new('CONFIG_RULES_HARD_DUE_DATE_NOT_FOUND') unless $obj;
905     return ($obj, $evt);
906 }
907
908 sub storagereq {
909     my( $self, $method, @params ) = @_;
910     return $self->simplereq(
911         'open-ils.storage', $method, @params );
912 }
913
914 sub storagereq_xact {
915     my($self, $method, @params) = @_;
916     my $ses = $self->start_db_session();
917     my $val = $ses->request($method, @params)->gather(1);
918     $self->rollback_db_session($ses);
919     return $val;
920 }
921
922 sub cstorereq {
923     my( $self, $method, @params ) = @_;
924     return $self->simplereq(
925         'open-ils.cstore', $method, @params );
926 }
927
928 sub event_equals {
929     my( $self, $e, $name ) =  @_;
930     if( $e and ref($e) eq 'HASH' and 
931         defined($e->{textcode}) and $e->{textcode} eq $name ) {
932         return 1 ;
933     }
934     return 0;
935 }
936
937 sub logmark {
938     my( undef, $f, $l ) = caller(0);
939     my( undef, undef, undef, $s ) = caller(1);
940     $s =~ s/.*:://g;
941     $f =~ s/.*\///g;
942     $logger->debug("LOGMARK: $f:$l:$s");
943 }
944
945 # takes a copy id 
946 sub fetch_open_circulation {
947     my( $self, $cid ) = @_;
948     $self->logmark;
949
950     my $e = OpenILS::Utils::CStoreEditor->new;
951     my $circ = $e->search_action_circulation({
952         target_copy => $cid, 
953         stop_fines_time => undef, 
954         checkin_time => undef
955     })->[0];
956     
957     return ($circ, $e->event);
958 }
959
960 my $copy_statuses;
961 sub copy_status_from_name {
962     my( $self, $name ) = @_;
963     $copy_statuses = $self->fetch_copy_statuses unless $copy_statuses;
964     for my $status (@$copy_statuses) { 
965         return $status if( $status->name =~ /$name/i );
966     }
967     return undef;
968 }
969
970 sub copy_status_to_name {
971     my( $self, $sid ) = @_;
972     $copy_statuses = $self->fetch_copy_statuses unless $copy_statuses;
973     for my $status (@$copy_statuses) { 
974         return $status->name if( $status->id == $sid );
975     }
976     return undef;
977 }
978
979
980 sub copy_status {
981     my( $self, $arg ) = @_;
982     return $arg if ref $arg;
983     $copy_statuses = $self->fetch_copy_statuses unless $copy_statuses;
984     my ($stat) = grep { $_->id == $arg } @$copy_statuses;
985     return $stat;
986 }
987
988 sub fetch_open_transit_by_copy {
989     my( $self, $copyid ) = @_;
990     my($transit, $evt);
991     $transit = $self->cstorereq(
992         'open-ils.cstore.direct.action.transit_copy.search',
993         { target_copy => $copyid, dest_recv_time => undef, cancel_time => undef });
994     $evt = OpenILS::Event->new('ACTION_TRANSIT_COPY_NOT_FOUND') unless $transit;
995     return ($transit, $evt);
996 }
997
998 sub unflesh_copy {
999     my( $self, $copy ) = @_;
1000     return undef unless $copy;
1001     $copy->status( $copy->status->id ) if ref($copy->status);
1002     $copy->location( $copy->location->id ) if ref($copy->location);
1003     $copy->circ_lib( $copy->circ_lib->id ) if ref($copy->circ_lib);
1004     return $copy;
1005 }
1006
1007 sub unflesh_reservation {
1008     my( $self, $reservation ) = @_;
1009     return undef unless $reservation;
1010     $reservation->usr( $reservation->usr->id ) if ref($reservation->usr);
1011     $reservation->target_resource_type( $reservation->target_resource_type->id ) if ref($reservation->target_resource_type);
1012     $reservation->target_resource( $reservation->target_resource->id ) if ref($reservation->target_resource);
1013     $reservation->current_resource( $reservation->current_resource->id ) if ref($reservation->current_resource);
1014     return $reservation;
1015 }
1016
1017 # un-fleshes a copy and updates it in the DB
1018 # returns a DB_UPDATE_FAILED event on error
1019 # returns undef on success
1020 sub update_copy {
1021     my( $self, %params ) = @_;
1022
1023     my $copy        = $params{copy} || die "update_copy(): copy required";
1024     my $editor  = $params{editor} || die "update_copy(): copy editor required";
1025     my $session = $params{session};
1026
1027     $logger->debug("Updating copy in the database: " . $copy->id);
1028
1029     $self->unflesh_copy($copy);
1030     $copy->editor( $editor );
1031     $copy->edit_date( 'now' );
1032
1033     my $s;
1034     my $meth = 'open-ils.storage.direct.asset.copy.update';
1035
1036     $s = $session->request( $meth, $copy )->gather(1) if $session;
1037     $s = $self->storagereq( $meth, $copy ) unless $session;
1038
1039     $logger->debug("Update of copy ".$copy->id." returned: $s");
1040
1041     return $self->DB_UPDATE_FAILED($copy) unless $s;
1042     return undef;
1043 }
1044
1045 sub update_reservation {
1046     my( $self, %params ) = @_;
1047
1048     my $reservation = $params{reservation}  || die "update_reservation(): reservation required";
1049     my $editor      = $params{editor} || die "update_reservation(): copy editor required";
1050     my $session     = $params{session};
1051
1052     $logger->debug("Updating copy in the database: " . $reservation->id);
1053
1054     $self->unflesh_reservation($reservation);
1055
1056     my $s;
1057     my $meth = 'open-ils.cstore.direct.booking.reservation.update';
1058
1059     $s = $session->request( $meth, $reservation )->gather(1) if $session;
1060     $s = $self->cstorereq( $meth, $reservation ) unless $session;
1061
1062     $logger->debug("Update of copy ".$reservation->id." returned: $s");
1063
1064     return $self->DB_UPDATE_FAILED($reservation) unless $s;
1065     return undef;
1066 }
1067
1068 sub fetch_billable_xact {
1069     my( $self, $id ) = @_;
1070     my($xact, $evt);
1071     $logger->debug("Fetching billable transaction %id");
1072     $xact = $self->cstorereq(
1073         'open-ils.cstore.direct.money.billable_transaction.retrieve', $id );
1074     $evt = OpenILS::Event->new('MONEY_BILLABLE_TRANSACTION_NOT_FOUND') unless $xact;
1075     return ($xact, $evt);
1076 }
1077
1078 sub fetch_billable_xact_summary {
1079     my( $self, $id ) = @_;
1080     my($xact, $evt);
1081     $logger->debug("Fetching billable transaction summary %id");
1082     $xact = $self->cstorereq(
1083         'open-ils.cstore.direct.money.billable_transaction_summary.retrieve', $id );
1084     $evt = OpenILS::Event->new('MONEY_BILLABLE_TRANSACTION_NOT_FOUND') unless $xact;
1085     return ($xact, $evt);
1086 }
1087
1088 sub fetch_fleshed_copy {
1089     my( $self, $id ) = @_;
1090     my( $copy, $evt );
1091     $logger->info("Fetching fleshed copy $id");
1092     $copy = $self->cstorereq(
1093         "open-ils.cstore.direct.asset.copy.retrieve", $id,
1094         { flesh => 1,
1095           flesh_fields => { acp => [ qw/ circ_lib location status stat_cat_entries / ] }
1096         }
1097     );
1098     $evt = OpenILS::Event->new('ASSET_COPY_NOT_FOUND', id => $id) unless $copy;
1099     return ($copy, $evt);
1100 }
1101
1102
1103 # returns the org that owns the callnumber that the copy
1104 # is attached to
1105 sub fetch_copy_owner {
1106     my( $self, $copyid ) = @_;
1107     my( $copy, $cn, $evt );
1108     $logger->debug("Fetching copy owner $copyid");
1109     ($copy, $evt) = $self->fetch_copy($copyid);
1110     return (undef,$evt) if $evt;
1111     ($cn, $evt) = $self->fetch_callnumber($copy->call_number);
1112     return (undef,$evt) if $evt;
1113     return ($cn->owning_lib);
1114 }
1115
1116 sub fetch_copy_note {
1117     my( $self, $id ) = @_;
1118     my( $note, $evt );
1119     $logger->debug("Fetching copy note $id");
1120     $note = $self->cstorereq(
1121         'open-ils.cstore.direct.asset.copy_note.retrieve', $id );
1122     $evt = OpenILS::Event->new('ASSET_COPY_NOTE_NOT_FOUND', id => $id ) unless $note;
1123     return ($note, $evt);
1124 }
1125
1126 sub fetch_call_numbers_by_title {
1127     my( $self, $titleid ) = @_;
1128     $logger->info("Fetching call numbers by title $titleid");
1129     return $self->cstorereq(
1130         'open-ils.cstore.direct.asset.call_number.search.atomic', 
1131         { record => $titleid, deleted => 'f' });
1132         #'open-ils.storage.direct.asset.call_number.search.record.atomic', $titleid);
1133 }
1134
1135 sub fetch_copies_by_call_number {
1136     my( $self, $cnid ) = @_;
1137     $logger->info("Fetching copies by call number $cnid");
1138     return $self->cstorereq(
1139         'open-ils.cstore.direct.asset.copy.search.atomic', { call_number => $cnid, deleted => 'f' } );
1140         #'open-ils.storage.direct.asset.copy.search.call_number.atomic', $cnid );
1141 }
1142
1143 sub fetch_user_by_barcode {
1144     my( $self, $bc ) = @_;
1145     my $cardid = $self->cstorereq(
1146         'open-ils.cstore.direct.actor.card.id_list', { barcode => $bc } );
1147     return (undef, OpenILS::Event->new('ACTOR_CARD_NOT_FOUND', barcode => $bc)) unless $cardid;
1148     my $user = $self->cstorereq(
1149         'open-ils.cstore.direct.actor.user.search', { card => $cardid } );
1150     return (undef, OpenILS::Event->new('ACTOR_USER_NOT_FOUND', card => $cardid)) unless $user;
1151     return ($user);
1152     
1153 }
1154
1155 sub fetch_bill {
1156     my( $self, $billid ) = @_;
1157     $logger->debug("Fetching billing $billid");
1158     my $bill = $self->cstorereq(
1159         'open-ils.cstore.direct.money.billing.retrieve', $billid );
1160     my $evt = OpenILS::Event->new('MONEY_BILLING_NOT_FOUND') unless $bill;
1161     return($bill, $evt);
1162 }
1163
1164 sub walk_org_tree {
1165     my( $self, $node, $callback ) = @_;
1166     return unless $node;
1167     $callback->($node);
1168     if( $node->children ) {
1169         $self->walk_org_tree($_, $callback) for @{$node->children};
1170     }
1171 }
1172
1173 sub is_true {
1174     my( $self, $item ) = @_;
1175     return 1 if $item and $item !~ /^f$/i;
1176     return 0;
1177 }
1178
1179
1180 sub patientreq {
1181     my ($self, $client, $service, $method, @params) = @_;
1182     my ($response, $err);
1183
1184     my $session = create OpenSRF::AppSession($service);
1185     my $request = $session->request($method, @params);
1186
1187     my $spurt = 10;
1188     my $give_up = time + 1000;
1189
1190     try {
1191         while (time < $give_up) {
1192             $response = $request->recv("timeout" => $spurt);
1193             last if $request->complete;
1194
1195             $client->status(new OpenSRF::DomainObject::oilsContinueStatus);
1196         }
1197     } catch Error with {
1198         $err = shift;
1199     };
1200
1201     if ($err) {
1202         warn "received error : service=$service : method=$method : params=".Dumper(\@params) . "\n $err";
1203         throw $err ("Call to $service for method $method \n failed with exception: $err : " );
1204     }
1205
1206     return $response->content;
1207 }
1208
1209 # This logic now lives in storage
1210 sub __patron_money_owed {
1211     my( $self, $patronid ) = @_;
1212     my $ses = OpenSRF::AppSession->create('open-ils.storage');
1213     my $req = $ses->request(
1214         'open-ils.storage.money.billable_transaction.summary.search',
1215         { usr => $patronid, xact_finish => undef } );
1216
1217     my $total = 0;
1218     my $data;
1219     while( $data = $req->recv ) {
1220         $data = $data->content;
1221         $total += $data->balance_owed;
1222     }
1223     return $total;
1224 }
1225
1226 sub patron_money_owed {
1227     my( $self, $userid ) = @_;
1228     my $ses = $self->start_db_session();
1229     my $val = $ses->request(
1230         'open-ils.storage.actor.user.total_owed', $userid)->gather(1);
1231     $self->rollback_db_session($ses);
1232     return $val;
1233 }
1234
1235 sub patron_total_items_out {
1236     my( $self, $userid ) = @_;
1237     my $ses = $self->start_db_session();
1238     my $val = $ses->request(
1239         'open-ils.storage.actor.user.total_out', $userid)->gather(1);
1240     $self->rollback_db_session($ses);
1241     return $val;
1242 }
1243
1244
1245
1246
1247 #---------------------------------------------------------------------
1248 # Returns  ($summary, $event) 
1249 #---------------------------------------------------------------------
1250 sub fetch_mbts {
1251     my $self = shift;
1252     my $id  = shift;
1253     my $e = shift || OpenILS::Utils::CStoreEditor->new;
1254     $id = $id->id if ref($id);
1255     
1256     my $xact = $e->retrieve_money_billable_transaction_summary($id)
1257         or return (undef, $e->event);
1258
1259     return ($xact);
1260 }
1261
1262
1263 #---------------------------------------------------------------------
1264 # Given a list of money.billable_transaction objects, this creates
1265 # transaction summary objects for each
1266 #--------------------------------------------------------------------
1267 sub make_mbts {
1268     my $self = shift;
1269     my $e = shift;
1270     my @xacts = @_;
1271     return () if (!@xacts);
1272     return @{$e->search_money_billable_transaction_summary({id => [ map { $_->id } @xacts ]})};
1273 }
1274         
1275         
1276 sub ou_ancestor_setting_value {
1277     my($self, $org_id, $name, $e) = @_;
1278     $e = $e || OpenILS::Utils::CStoreEditor->new;
1279     my $set = $self->ou_ancestor_setting($org_id, $name, $e);
1280     return $set->{value} if $set;
1281     return undef;
1282 }
1283
1284
1285 # If an authentication token is provided AND this org unit setting has a
1286 # view_perm, then make sure the user referenced by the auth token has
1287 # that permission.  This means that if you call this method without an
1288 # authtoken param, you can get whatever org unit setting values you want.
1289 # API users beware.
1290 #
1291 # NOTE: If you supply an editor ($e) arg AND an auth token arg, the editor's
1292 # authtoken is checked, but the $auth arg is NOT checked.  To say that another
1293 # way, be sure NOT to pass an editor argument if you want your token checked.
1294 # Otherwise the auth arg is just a flag saying "check the editor".  
1295
1296 sub ou_ancestor_setting {
1297     my( $self, $orgid, $name, $e, $auth ) = @_;
1298     $e = $e || OpenILS::Utils::CStoreEditor->new(
1299         (defined $auth) ? (authtoken => $auth) : ()
1300     );
1301
1302     if ($auth) {
1303         my $coust = $e->retrieve_config_org_unit_setting_type([
1304             $name, {flesh => 1, flesh_fields => {coust => ['view_perm']}}
1305         ]);
1306         if ($coust && $coust->view_perm) {
1307             # And you can't have permission if you don't have a valid session.
1308             return undef if not $e->checkauth;
1309             # And now that we know you MIGHT have permission, we check it.
1310             return undef if not $e->allowed($coust->view_perm->code, $orgid);
1311         }
1312     }
1313
1314     my $query = {from => ['actor.org_unit_ancestor_setting', $name, $orgid]};
1315     my $setting = $e->json_query($query)->[0];
1316     return undef unless $setting;
1317     return {org => $setting->{org_unit}, value => OpenSRF::Utils::JSON->JSON2perl($setting->{value})};
1318 }   
1319
1320 # This fetches a set of OU settings in one fell swoop,
1321 # which can be significantly faster than invoking
1322 # $U->ou_ancestor_setting() one setting at a time.
1323 # As the "_insecure" implies, however, callers are
1324 # responsible for ensuring that the settings to be
1325 # fetch do not need view permission checks.
1326 sub ou_ancestor_setting_batch_insecure {
1327     my( $self, $orgid, $names ) = @_;
1328
1329     my %result = map { $_ => undef } @$names;
1330     my $query = {
1331         from => [
1332             'actor.org_unit_ancestor_setting_batch',
1333             $orgid,
1334             '{' . join(',', @$names) . '}'
1335         ]
1336     };
1337     my $e = OpenILS::Utils::CStoreEditor->new();
1338     my $settings = $e->json_query($query);
1339     foreach my $setting (@$settings) {
1340         $result{$setting->{name}} = {
1341             org => $setting->{org_unit},
1342             value => OpenSRF::Utils::JSON->JSON2perl($setting->{value})
1343         };
1344     }
1345     return %result;
1346 }
1347
1348 # Returns a hash of hashes like so:
1349 # { 
1350 #   $lookup_org_id => {org => $context_org, value => $setting_value},
1351 #   $lookup_org_id2 => {org => $context_org2, value => $setting_value2},
1352 #   $lookup_org_id3 => {} # example of no setting value exists
1353 #   ...
1354 # }
1355 sub ou_ancestor_setting_batch_by_org_insecure {
1356     my ($self, $org_ids, $name, $e) = @_;
1357
1358     $e ||= OpenILS::Utils::CStoreEditor->new();
1359     my %result = map { $_ => {value => undef} } @$org_ids;
1360
1361     my $query = {
1362         from => [
1363             'actor.org_unit_ancestor_setting_batch_by_org',
1364             $name, '{' . join(',', @$org_ids) . '}'
1365         ]
1366     };
1367
1368     # DB func returns an array of settings matching the order of the
1369     # list of org unit IDs.  If the setting does not contain a valid
1370     # ->id value, then no setting value exists for that org unit.
1371     my $settings = $e->json_query($query);
1372     for my $idx (0 .. $#$org_ids) {
1373         my $setting = $settings->[$idx];
1374         my $org_id = $org_ids->[$idx];
1375
1376         next unless $setting->{id}; # null ID means no value is present.
1377
1378         $result{$org_id}->{org} = $setting->{org_unit};
1379         $result{$org_id}->{value} = 
1380             OpenSRF::Utils::JSON->JSON2perl($setting->{value});
1381     }
1382
1383     return %result;
1384 }
1385
1386 # returns the ISO8601 string representation of the requested epoch in GMT
1387 sub epoch2ISO8601 {
1388     my( $self, $epoch ) = @_;
1389     my ($sec,$min,$hour,$mday,$mon,$year) = gmtime($epoch);
1390     $year += 1900; $mon += 1;
1391     my $date = sprintf(
1392         '%s-%0.2d-%0.2dT%0.2d:%0.2d:%0.2d-00',
1393         $year, $mon, $mday, $hour, $min, $sec);
1394     return $date;
1395 }
1396             
1397 sub find_highest_perm_org {
1398     my ( $self, $perm, $userid, $start_org, $org_tree ) = @_;
1399     my $org = $self->find_org($org_tree, $start_org );
1400
1401     my $lastid = -1;
1402     while( $org ) {
1403         last if ($self->check_perms( $userid, $org->id, $perm )); # perm failed
1404         $lastid = $org->id;
1405         $org = $self->find_org( $org_tree, $org->parent_ou() );
1406     }
1407
1408     return $lastid;
1409 }
1410
1411
1412 # returns the org_unit ID's 
1413 sub user_has_work_perm_at {
1414     my($self, $e, $perm, $options, $user_id) = @_;
1415     $options ||= {};
1416     $user_id = (defined $user_id) ? $user_id : $e->requestor->id;
1417
1418     my $func = 'permission.usr_has_perm_at';
1419     $func = $func.'_all' if $$options{descendants};
1420
1421     my $orgs = $e->json_query({from => [$func, $user_id, $perm]});
1422     $orgs = [map { $_->{ (keys %$_)[0] } } @$orgs];
1423
1424     return $orgs unless $$options{objects};
1425
1426     return $e->search_actor_org_unit({id => $orgs});
1427 }
1428
1429 sub get_user_work_ou_ids {
1430     my($self, $e, $userid) = @_;
1431     my $work_orgs = $e->json_query({
1432         select => {puwoum => ['work_ou']},
1433         from => 'puwoum',
1434         where => {usr => $e->requestor->id}});
1435
1436     return [] unless @$work_orgs;
1437     my @work_orgs;
1438     push(@work_orgs, $_->{work_ou}) for @$work_orgs;
1439
1440     return \@work_orgs;
1441 }
1442
1443
1444 my $org_types;
1445 sub get_org_types {
1446     my($self, $client) = @_;
1447     return $org_types if $org_types;
1448     return $org_types = OpenILS::Utils::CStoreEditor->new->retrieve_all_actor_org_unit_type();
1449 }
1450
1451 my %ORG_TREE;
1452 sub get_org_tree {
1453     my $self = shift;
1454     my $locale = shift || '';
1455     my $cache = OpenSRF::Utils::Cache->new("global", 0);
1456     my $tree = $ORG_TREE{$locale} || $cache->get_cache("orgtree.$locale");
1457     $ORG_TREE{$locale} = $tree; # make sure to populate the process-local cache
1458     return $tree if $tree;
1459
1460     my $ses = OpenILS::Utils::CStoreEditor->new;
1461     $ses->session->session_locale($locale);
1462     $tree = $ses->search_actor_org_unit( 
1463         [
1464             {"parent_ou" => undef },
1465             {
1466                 flesh               => -1,
1467                 flesh_fields    => { aou =>  ['children'] },
1468                 order_by            => { aou => 'name'}
1469             }
1470         ]
1471     )->[0];
1472
1473     $ORG_TREE{$locale} = $tree;
1474     $cache->put_cache("orgtree.$locale", $tree);
1475     return $tree;
1476 }
1477
1478 sub get_global_flag {
1479     my($self, $flag) = @_;
1480     return undef unless ($flag);
1481     return OpenILS::Utils::CStoreEditor->new->retrieve_config_global_flag($flag);
1482 }
1483
1484 sub get_org_descendants {
1485     my($self, $org_id, $depth) = @_;
1486
1487     my $select = {
1488         transform => 'actor.org_unit_descendants',
1489         column => 'id',
1490         result_field => 'id',
1491     };
1492     $select->{params} = [$depth] if defined $depth;
1493
1494     my $org_list = OpenILS::Utils::CStoreEditor->new->json_query({
1495         select => {aou => [$select]},
1496         from => 'aou',
1497         where => {id => $org_id}
1498     });
1499     my @orgs;
1500     push(@orgs, $_->{id}) for @$org_list;
1501     return \@orgs;
1502 }
1503
1504 sub get_org_ancestors {
1505     my($self, $org_id, $use_cache) = @_;
1506
1507     my ($cache, $orgs);
1508
1509     if ($use_cache) {
1510         $cache = OpenSRF::Utils::Cache->new("global", 0);
1511         $orgs = $cache->get_cache("org.ancestors.$org_id");
1512         return $orgs if $orgs;
1513     }
1514
1515     my $org_list = OpenILS::Utils::CStoreEditor->new->json_query({
1516         select => {
1517             aou => [{
1518                 transform => 'actor.org_unit_ancestors',
1519                 column => 'id',
1520                 result_field => 'id',
1521                 params => []
1522             }],
1523         },
1524         from => 'aou',
1525         where => {id => $org_id}
1526     });
1527
1528     $orgs = [ map { $_->{id} } @$org_list ];
1529
1530     $cache->put_cache("org.ancestors.$org_id", $orgs) if $use_cache;
1531     return $orgs;
1532 }
1533
1534 sub get_org_full_path {
1535     my($self, $org_id, $depth) = @_;
1536
1537     my $query = {
1538         select => {
1539             aou => [{
1540                 transform => 'actor.org_unit_full_path',
1541                 column => 'id',
1542                 result_field => 'id',
1543             }],
1544         },
1545         from => 'aou',
1546         where => {id => $org_id}
1547     };
1548
1549     $query->{select}->{aou}->[0]->{params} = [$depth] if defined $depth;
1550     my $org_list = OpenILS::Utils::CStoreEditor->new->json_query($query);
1551     return [ map {$_->{id}} @$org_list ];
1552 }
1553
1554 # returns the ID of the org unit ancestor at the specified depth
1555 sub org_unit_ancestor_at_depth {
1556     my($class, $org_id, $depth) = @_;
1557     my $resp = OpenILS::Utils::CStoreEditor->new->json_query(
1558         {from => ['actor.org_unit_ancestor_at_depth', $org_id, $depth]})->[0];
1559     return ($resp) ? $resp->{id} : undef;
1560 }
1561
1562 # Returns the proximity value between two org units.
1563 sub get_org_unit_proximity {
1564     my ($class, $e, $from_org, $to_org) = @_;
1565     $e = OpenILS::Utils::CStoreEditor->new unless ($e);
1566     my $r = $e->json_query(
1567         {
1568             select => {aoup => ['prox']},
1569             from => 'aoup',
1570             where => {from_org => $from_org, to_org => $to_org}
1571         }
1572     );
1573     if (ref($r) eq 'ARRAY' && @$r) {
1574         return $r->[0]->{prox};
1575     }
1576     return undef;
1577 }
1578
1579 # returns the user's configured locale as a string.  Defaults to en-US if none is configured.
1580 sub get_user_locale {
1581     my($self, $user_id, $e) = @_;
1582     $e ||= OpenILS::Utils::CStoreEditor->new;
1583
1584     # first, see if the user has an explicit locale set
1585     my $setting = $e->search_actor_user_setting(
1586         {usr => $user_id, name => 'global.locale'})->[0];
1587     return OpenSRF::Utils::JSON->JSON2perl($setting->value) if $setting;
1588
1589     my $user = $e->retrieve_actor_user($user_id) or return $e->event;
1590     return $self->get_org_locale($user->home_ou, $e);
1591 }
1592
1593 # returns org locale setting
1594 sub get_org_locale {
1595     my($self, $org_id, $e) = @_;
1596     $e ||= OpenILS::Utils::CStoreEditor->new;
1597
1598     my $locale;
1599     if(defined $org_id) {
1600         $locale = $self->ou_ancestor_setting_value($org_id, 'global.default_locale', $e);
1601         return $locale if $locale;
1602     }
1603
1604     # system-wide default
1605     my $sclient = OpenSRF::Utils::SettingsClient->new;
1606     $locale = $sclient->config_value('default_locale');
1607     return $locale if $locale;
1608
1609     # if nothing else, fallback to locale=cowboy
1610     return 'en-US';
1611 }
1612
1613
1614 # xml-escape non-ascii characters
1615 sub entityize { 
1616     my($self, $string, $form) = @_;
1617     $form ||= "";
1618
1619     if ($form eq 'D') {
1620         $string = NFD($string);
1621     } else {
1622         $string = NFC($string);
1623     }
1624
1625     # Convert raw ampersands to entities
1626     $string =~ s/&(?!\S+;)/&amp;/gso;
1627
1628     # Convert Unicode characters to entities
1629     $string =~ s/([\x{0080}-\x{fffd}])/sprintf('&#x%X;',ord($1))/sgoe;
1630
1631     return $string;
1632 }
1633
1634 # x0000-x0008 isn't legal in XML documents
1635 # XXX Perhaps this should just go into our standard entityize method
1636 sub strip_ctrl_chars {
1637     my ($self, $string) = @_;
1638
1639     $string =~ s/([\x{0000}-\x{0008}])//sgoe; 
1640     return $string;
1641 }
1642
1643 sub get_copy_price {
1644     my($self, $e, $copy, $volume) = @_;
1645
1646     $copy->price(0) if $copy->price and $copy->price < 0;
1647
1648
1649     my $owner;
1650     if(ref $volume) {
1651         if($volume->id == OILS_PRECAT_CALL_NUMBER) {
1652             $owner = $copy->circ_lib;
1653         } else {
1654             $owner = $volume->owning_lib;
1655         }
1656     } else {
1657         if($copy->call_number == OILS_PRECAT_CALL_NUMBER) {
1658             $owner = $copy->circ_lib;
1659         } else {
1660             $owner = $e->retrieve_asset_call_number($copy->call_number)->owning_lib;
1661         }
1662     }
1663
1664     my $min_price = $self->ou_ancestor_setting_value($owner, OILS_SETTING_MIN_ITEM_PRICE);
1665     my $max_price = $self->ou_ancestor_setting_value($owner, OILS_SETTING_MAX_ITEM_PRICE);
1666     my $charge_on_0 = $self->ou_ancestor_setting_value($owner, OILS_SETTING_CHARGE_LOST_ON_ZERO, $e);
1667
1668     my $price = $copy->price;
1669
1670     # set the default price if needed
1671     if (!defined $price or ($price == 0 and $charge_on_0)) {
1672         # set to default price
1673         $price = $self->ou_ancestor_setting_value(
1674             $owner, OILS_SETTING_DEF_ITEM_PRICE, $e) || 0;
1675     }
1676
1677     # adjust to min/max range if needed
1678     if (defined $max_price and $price > $max_price) {
1679         $price = $max_price;
1680     } elsif (defined $min_price and $price < $min_price
1681         and ($price != 0 or $charge_on_0 or !defined $charge_on_0)) {
1682         # default to raising the price to the minimum,
1683         # but let 0 fall through if $charge_on_0 is set and is false
1684         $price = $min_price;
1685     }
1686
1687     return $price;
1688 }
1689
1690 # given a transaction ID, this returns the context org_unit for the transaction
1691 sub xact_org {
1692     my($self, $xact_id, $e) = @_;
1693     $e ||= OpenILS::Utils::CStoreEditor->new;
1694     
1695     my $loc = $e->json_query({
1696         "select" => {circ => ["circ_lib"]},
1697         from     => "circ",
1698         "where"  => {id => $xact_id},
1699     });
1700
1701     return $loc->[0]->{circ_lib} if @$loc;
1702
1703     $loc = $e->json_query({
1704         "select" => {bresv => ["request_lib"]},
1705         from     => "bresv",
1706         "where"  => {id => $xact_id},
1707     });
1708
1709     return $loc->[0]->{request_lib} if @$loc;
1710
1711     $loc = $e->json_query({
1712         "select" => {mg => ["billing_location"]},
1713         from     => "mg",
1714         "where"  => {id => $xact_id},
1715     });
1716
1717     return $loc->[0]->{billing_location};
1718 }
1719
1720
1721 sub find_event_def_by_hook {
1722     my($self, $hook, $context_org, $e) = @_;
1723
1724     $e ||= OpenILS::Utils::CStoreEditor->new;
1725
1726     my $orgs = $self->get_org_ancestors($context_org);
1727
1728     # search from the context org up
1729     for my $org_id (reverse @$orgs) {
1730
1731         my $def = $e->search_action_trigger_event_definition(
1732             {hook => $hook, owner => $org_id, active => 't'})->[0];
1733
1734         return $def if $def;
1735     }
1736
1737     return undef;
1738 }
1739
1740
1741
1742 # If an event_def ID is not provided, use the hook and context org to find the 
1743 # most appropriate event.  create the event, fire it, then return the resulting
1744 # event with fleshed template_output and error_output
1745 sub fire_object_event {
1746     my($self, $event_def, $hook, $object, $context_org, $granularity, $user_data, $client) = @_;
1747
1748     my $e = OpenILS::Utils::CStoreEditor->new;
1749     my $def;
1750
1751     my $auto_method = "open-ils.trigger.event.autocreate.by_definition";
1752
1753     if($event_def) {
1754         $def = $e->retrieve_action_trigger_event_definition($event_def)
1755             or return $e->event;
1756
1757         $auto_method .= '.include_inactive';
1758
1759     } else {
1760
1761         # find the most appropriate event def depending on context org
1762         $def = $self->find_event_def_by_hook($hook, $context_org, $e) 
1763             or return $e->event;
1764     }
1765
1766     my $final_resp;
1767
1768     if($def->group_field) {
1769         # we have a list of objects
1770         $object = [$object] unless ref $object eq 'ARRAY';
1771
1772         my @event_ids;
1773         $user_data ||= [];
1774         for my $i (0..$#$object) {
1775             my $obj = $$object[$i];
1776             my $udata = $$user_data[$i];
1777             my $event_id = $self->simplereq(
1778                 'open-ils.trigger', $auto_method, $def->id, $obj, $context_org, $udata);
1779             push(@event_ids, $event_id);
1780         }
1781
1782         $logger->info("EVENTS = " . OpenSRF::Utils::JSON->perl2JSON(\@event_ids));
1783
1784         my $resp;
1785         if (not defined $client) {
1786             $resp = $self->simplereq(
1787                 'open-ils.trigger',
1788                 'open-ils.trigger.event_group.fire',
1789                 \@event_ids);
1790         } else {
1791             $resp = $self->patientreq(
1792                 $client,
1793                 "open-ils.trigger", "open-ils.trigger.event_group.fire",
1794                 \@event_ids
1795             );
1796         }
1797
1798         if($resp and $resp->{events} and @{$resp->{events}}) {
1799
1800             $e->xact_begin;
1801             $final_resp = $e->retrieve_action_trigger_event([
1802                 $resp->{events}->[0]->id,
1803                 {flesh => 1, flesh_fields => {atev => ['template_output', 'error_output']}}
1804             ]);
1805             $e->rollback;
1806         }
1807
1808     } else {
1809
1810         $object = $$object[0] if ref $object eq 'ARRAY';
1811
1812         my $event_id;
1813         my $resp;
1814
1815         if (not defined $client) {
1816             $event_id = $self->simplereq(
1817                 'open-ils.trigger',
1818                 $auto_method, $def->id, $object, $context_org, $user_data
1819             );
1820
1821             $resp = $self->simplereq(
1822                 'open-ils.trigger',
1823                 'open-ils.trigger.event.fire',
1824                 $event_id
1825             );
1826         } else {
1827             $event_id = $self->patientreq(
1828                 $client,
1829                 'open-ils.trigger',
1830                 $auto_method, $def->id, $object, $context_org, $user_data
1831             );
1832
1833             $resp = $self->patientreq(
1834                 $client,
1835                 'open-ils.trigger',
1836                 'open-ils.trigger.event.fire',
1837                 $event_id
1838             );
1839         }
1840         
1841         if($resp and $resp->{event}) {
1842             $e->xact_begin;
1843             $final_resp = $e->retrieve_action_trigger_event([
1844                 $resp->{event}->id,
1845                 {flesh => 1, flesh_fields => {atev => ['template_output', 'error_output']}}
1846             ]);
1847             $e->rollback;
1848         }
1849     }
1850
1851     return $final_resp;
1852 }
1853
1854
1855 sub create_events_for_hook {
1856     my($self, $hook, $obj, $org_id, $granularity, $user_data, $wait) = @_;
1857     my $ses = OpenSRF::AppSession->create('open-ils.trigger');
1858     my $req = $ses->request('open-ils.trigger.event.autocreate', 
1859         $hook, $obj, $org_id, $granularity, $user_data);
1860     return undef unless $wait;
1861     my $resp = $req->recv;
1862     return $resp->content if $resp;
1863 }
1864
1865 sub create_uuid_string {
1866     return create_UUID_as_string();
1867 }
1868
1869 sub create_circ_chain_summary {
1870     my($class, $e, $circ_id) = @_;
1871     my $sum = $e->json_query({from => ['action.summarize_all_circ_chain', $circ_id]})->[0];
1872     return undef unless $sum;
1873     my $obj = Fieldmapper::action::circ_chain_summary->new;
1874     $obj->$_($sum->{$_}) for keys %$sum;
1875     return $obj;
1876 }
1877
1878
1879 # Returns "mra" attribute key/value pairs for a set of bre's
1880 # Takes a list of bre IDs, returns a hash of hashes,
1881 # {bre_id1 => {key1 => {code => value1, label => label1}, ...}...}
1882 my $ccvm_cache;
1883 sub get_bre_attrs {
1884     my ($class, $bre_ids, $e) = @_;
1885     $e = $e || OpenILS::Utils::CStoreEditor->new;
1886
1887     my $attrs = {};
1888     return $attrs unless defined $bre_ids;
1889     $bre_ids = [$bre_ids] unless ref $bre_ids;
1890
1891     my $mra = $e->json_query({
1892         select => {
1893             mra => [
1894                 {
1895                     column => 'id',
1896                     alias => 'bre'
1897                 }, {
1898                     column => 'attrs',
1899                     transform => 'each',
1900                     result_field => 'key',
1901                     alias => 'key'
1902                 },{
1903                     column => 'attrs',
1904                     transform => 'each',
1905                     result_field => 'value',
1906                     alias => 'value'
1907                 }
1908             ]
1909         },
1910         from => 'mra',
1911         where => {id => $bre_ids}
1912     });
1913
1914     return $attrs unless $mra;
1915
1916     $ccvm_cache = $ccvm_cache || $e->search_config_coded_value_map({id => {'!=' => undef}});
1917
1918     for my $id (@$bre_ids) {
1919         $attrs->{$id} = {};
1920         for my $mra (grep { $_->{bre} eq $id } @$mra) {
1921             my $ctype = $mra->{key};
1922             my $code = $mra->{value};
1923             $attrs->{$id}->{$ctype} = {code => $code};
1924             if($code) {
1925                 my ($ccvm) = grep { $_->ctype eq $ctype and $_->code eq $code } @$ccvm_cache;
1926                 $attrs->{$id}->{$ctype}->{label} = $ccvm->value if $ccvm;
1927             }
1928         }
1929     }
1930
1931     return $attrs;
1932 }
1933
1934 # Shorter version of bib_container_items_via_search() below, only using
1935 # the queryparser record_list filter instead of the container filter.
1936 sub bib_record_list_via_search {
1937     my ($class, $search_query, $search_args) = @_;
1938
1939     # First, Use search API to get container items sorted in any way that crad
1940     # sorters support.
1941     my $search_result = $class->simplereq(
1942         "open-ils.search", "open-ils.search.biblio.multiclass.query",
1943         $search_args, $search_query
1944     );
1945
1946     unless ($search_result) {
1947         # empty result sets won't cause this, but actual errors should.
1948         $logger->warn("bib_record_list_via_search() got nothing from search");
1949         return;
1950     }
1951
1952     # Throw away other junk from search, keeping only bib IDs.
1953     return [ map { shift @$_ } @{$search_result->{ids}} ];
1954 }
1955
1956 # 'no_flesh' avoids fleshing the target_biblio_record_entry
1957 sub bib_container_items_via_search {
1958     my ($class, $container_id, $search_query, $search_args, $no_flesh) = @_;
1959
1960     # First, Use search API to get container items sorted in any way that crad
1961     # sorters support.
1962     my $search_result = $class->simplereq(
1963         "open-ils.search", "open-ils.search.biblio.multiclass.query",
1964         $search_args, $search_query
1965     );
1966     unless ($search_result) {
1967         # empty result sets won't cause this, but actual errors should.
1968         $logger->warn("bib_container_items_via_search() got nothing from search");
1969         return;
1970     }
1971
1972     # Throw away other junk from search, keeping only bib IDs.
1973     my $id_list = [ map { shift @$_ } @{$search_result->{ids}} ];
1974
1975     return [] unless @$id_list;
1976
1977     # Now get the bib container items themselves...
1978     my $e = new OpenILS::Utils::CStoreEditor;
1979     unless ($e) {
1980         $logger->warn("bib_container_items_via_search() couldn't get cstoreeditor");
1981         return;
1982     }
1983
1984     my @flesh_fields = qw/notes/;
1985     push(@flesh_fields, 'target_biblio_record_entry') unless $no_flesh;
1986
1987     my $items = $e->search_container_biblio_record_entry_bucket_item([
1988         {
1989             "target_biblio_record_entry" => $id_list,
1990             "bucket" => $container_id
1991         }, {
1992             flesh => 1,
1993             flesh_fields => {"cbrebi" => \@flesh_fields}
1994         }
1995     ], {substream => 1});
1996
1997     unless ($items) {
1998         $logger->warn(
1999             "bib_container_items_via_search() couldn't get bucket items: " .
2000             $e->die_event->{textcode}
2001         );
2002         return;
2003     }
2004
2005     # ... and put them in the same order that the search API said they
2006     # should be in.
2007     my %ordering_hash = map { 
2008         ($no_flesh) ? $_->target_biblio_record_entry : $_->target_biblio_record_entry->id, 
2009         $_ 
2010     } @$items;
2011
2012     return [map { $ordering_hash{$_} } @$id_list];
2013 }
2014
2015 # returns undef on success, Event on error
2016 sub log_user_activity {
2017     my ($class, $user_id, $who, $what, $e, $async) = @_;
2018
2019     my $commit = 0;
2020     if (!$e) {
2021         $e = OpenILS::Utils::CStoreEditor->new(xact => 1);
2022         $commit = 1;
2023     }
2024
2025     my $res = $e->json_query({
2026         from => [
2027             'actor.insert_usr_activity', 
2028             $user_id, $who, $what, OpenSRF::AppSession->ingress
2029         ]
2030     });
2031
2032     if ($res) { # call returned OK
2033
2034         $e->commit   if $commit and @$res;
2035         $e->rollback if $commit and !@$res;
2036
2037     } else {
2038         return $e->die_event;
2039     }
2040
2041     return undef;
2042 }
2043
2044 # I hate to put this here exactly, but this code needs to be shared between
2045 # the TPAC's mod_perl module and open-ils.serial.
2046 #
2047 # There is a reason every part of the query *except* those parts dealing
2048 # with scope are moved here from the code's origin in TPAC.  The serials
2049 # use case does *not* want the same scoping logic.
2050 #
2051 # Also, note that for the serials uses case, we may filter in OPAC visible
2052 # status and copy/call_number deletedness, but we don't filter on any
2053 # particular values for serial.item.status or serial.item.date_received.
2054 # Since we're only using this *after* winnowing down the set of issuances
2055 # that copies should be related to, I'm not sure we need any such serial.item
2056 # filters.
2057
2058 sub basic_opac_copy_query {
2059     ######################################################################
2060     # Pass a defined value for either $rec_id OR ($iss_id AND $dist_id), #
2061     # not both.                                                          #
2062     ######################################################################
2063     my ($self,$rec_id,$iss_id,$dist_id,$copy_limit,$copy_offset,$staff) = @_;
2064
2065     return {
2066         select => {
2067             acp => ['id', 'barcode', 'circ_lib', 'create_date', 'active_date',
2068                     'age_protect', 'holdable', 'copy_number', 'circ_modifier'],
2069             acpl => [
2070                 {column => 'name', alias => 'copy_location'},
2071                 {column => 'holdable', alias => 'location_holdable'},
2072                 {column => 'url', alias => 'location_url'}
2073             ],
2074             ccs => [
2075                 {column => 'id', alias => 'status_code'},
2076                 {column => 'name', alias => 'copy_status'},
2077                 {column => 'holdable', alias => 'status_holdable'}
2078             ],
2079             acn => [
2080                 {column => 'label', alias => 'call_number_label'},
2081                 {column => 'id', alias => 'call_number'},
2082                 {column => 'owning_lib', alias => 'call_number_owning_lib'}
2083             ],
2084             circ => ['due_date',{column => 'circ_lib', alias => 'circ_circ_lib'}],
2085             acnp => [
2086                 {column => 'label', alias => 'call_number_prefix_label'},
2087                 {column => 'id', alias => 'call_number_prefix'}
2088             ],
2089             acns => [
2090                 {column => 'label', alias => 'call_number_suffix_label'},
2091                 {column => 'id', alias => 'call_number_suffix'}
2092             ],
2093             bmp => [
2094                 {column => 'label', alias => 'part_label'},
2095             ],
2096             ($iss_id ? (sitem => ["issuance"]) : ())
2097         },
2098
2099         from => {
2100             acp => [
2101                 {acn => { # 0
2102                     join => {
2103                         acnp => { fkey => 'prefix' },
2104                         acns => { fkey => 'suffix' }
2105                     },
2106                     filter => [
2107                         {deleted => 'f'},
2108                         ($rec_id ? {record => $rec_id} : ())
2109                     ],
2110                 }},
2111                 'aou', # 1
2112                 {circ => { # 2 If the copy is circulating, retrieve the open circ
2113                     type => 'left',
2114                     filter => {checkin_time => undef}
2115                 }},
2116                 {acpl => { # 3
2117                     filter => {
2118                         deleted => 'f',
2119                         ($staff ? () : ( opac_visible => 't' )),
2120                     },
2121                 }},
2122                 {ccs => { # 4
2123                     ($staff ? () : (filter => { opac_visible => 't' }))
2124                 }},
2125                 {acpm => { # 5
2126                     type => 'left',
2127                     join => {
2128                         bmp => { type => 'left', filter => { deleted => 'f' } }
2129                     }
2130                 }},
2131                 ($iss_id ? { # 6 
2132                     sitem => {
2133                         fkey => 'id',
2134                         field => 'unit',
2135                         filter => {issuance => $iss_id},
2136                         join => {
2137                             sstr => { }
2138                         }
2139                     }
2140                 } : ())
2141             ]
2142         },
2143
2144         where => {
2145             '+acp' => {
2146                 deleted => 'f',
2147                 ($staff ? () : (opac_visible => 't'))
2148             },
2149             ($dist_id ? ( '+sstr' => { distribution => $dist_id } ) : ()),
2150             ($staff ? () : ( '+aou' => { opac_visible => 't' } ))
2151         },
2152
2153         order_by => [
2154             {class => 'aou', field => 'name'},
2155             {class => 'acn', field => 'label_sortkey'},
2156             {class => 'bmp', field => 'label_sortkey'},
2157             {class => 'acp', field => 'copy_number'},
2158             {class => 'acp', field => 'barcode'}
2159         ],
2160
2161         limit => $copy_limit,
2162         offset => $copy_offset
2163     };
2164 }
2165
2166 # Compare two dates, date1 and date2. If date2 is not defined, then
2167 # DateTime->now will be used. Assumes dates are in ISO8601 format as
2168 # supported by DateTime::Format::ISO8601. (A future enhancement might
2169 # be to support other formats.)
2170 #
2171 # Returns -1 if $date1 < $date2
2172 # Returns 0 if $date1 == $date2
2173 # Returns 1 if $date1 > $date2
2174 sub datecmp {
2175     my $self = shift;
2176     my $date1 = shift;
2177     my $date2 = shift;
2178
2179     # Check for timezone offsets and limit them to 2 digits:
2180     if ($date1 && $date1 =~ /(?:-|\+)\d\d\d\d$/) {
2181         $date1 = substr($date1, 0, length($date1) - 2);
2182     }
2183     if ($date2 && $date2 =~ /(?:-|\+)\d\d\d\d$/) {
2184         $date2 = substr($date2, 0, length($date2) - 2);
2185     }
2186
2187     # check date1:
2188     unless (UNIVERSAL::isa($date1, "DateTime")) {
2189         $date1 = DateTime::Format::ISO8601->parse_datetime($date1);
2190     }
2191
2192     # Check for date2:
2193     unless ($date2) {
2194         $date2 = DateTime->now;
2195     } else {
2196         unless (UNIVERSAL::isa($date2, "DateTime")) {
2197             $date2 = DateTime::Format::ISO8601->parse_datetime($date2);
2198         }
2199     }
2200
2201     return DateTime->compare($date1, $date2);
2202 }
2203
2204
2205 # marcdoc is an XML::LibXML document
2206 # updates the doc and returns the entityized MARC string
2207 sub strip_marc_fields {
2208     my ($class, $e, $marcdoc, $grps) = @_;
2209     
2210     my $orgs = $class->get_org_ancestors($e->requestor->ws_ou);
2211
2212     my $query = {
2213         select  => {vibtf => ['field']},
2214         from    => {vibtf => 'vibtg'},
2215         where   => {'+vibtg' => {owner => $orgs}},
2216         distinct => 1
2217     };
2218
2219     # give me always-apply groups plus any selected groups
2220     if ($grps and @$grps) {
2221         $query->{where}->{'+vibtg'}->{'-or'} = [
2222             {id => $grps},
2223             {always_apply => 't'}
2224         ];
2225
2226     } else {
2227         $query->{where}->{'+vibtg'}->{always_apply} = 't';
2228     }
2229
2230     my $fields = $e->json_query($query);
2231
2232     for my $field (@$fields) {
2233         my $tag = $field->{field};
2234         for my $node ($marcdoc->findnodes('//*[@tag="'.$tag.'"]')) {
2235             $node->parentNode->removeChild($node);
2236         }
2237     }
2238
2239     return $class->entityize($marcdoc->documentElement->toString);
2240 }
2241
2242 # marcdoc is an XML::LibXML document
2243 # updates the document and returns the entityized MARC string.
2244 sub set_marc_905u {
2245     my ($class, $marcdoc, $username) = @_;
2246
2247     # Look for existing 905$u subfields. If any exist, do nothing.
2248     my @nodes = $marcdoc->findnodes('//*[@tag="905"]/*[@code="u"]');
2249     unless (@nodes) {
2250         # We create a new 905 and the subfield u to that.
2251         my $parentNode = $marcdoc->createElement('datafield');
2252         $parentNode->setAttribute('tag', '905');
2253         $parentNode->setAttribute('ind1', '');
2254         $parentNode->setAttribute('ind2', '');
2255         $marcdoc->documentElement->addChild($parentNode);
2256         my $node = $marcdoc->createElement('subfield');
2257         $node->setAttribute('code', 'u');
2258         $node->appendTextNode($username);
2259         $parentNode->addChild($node);
2260
2261     }
2262
2263     return $class->entityize($marcdoc->documentElement->toString);
2264 }
2265
2266 # Given a list of PostgreSQL arrays of numbers,
2267 # unnest the numbers and return a unique set, skipping any list elements
2268 # that are just '{NULL}'.
2269 sub unique_unnested_numbers {
2270     my $class = shift;
2271
2272     no warnings 'numeric';
2273
2274     return uniq(
2275         map(
2276             int,
2277             map { $_ eq 'NULL' ? undef : (split /,/, $_) }
2278                 map { substr($_, 1, -1) } @_
2279         )
2280     );
2281 }
2282
2283 # Given a list of numbers, turn them into a PG array, skipping undef's
2284 sub intarray2pgarray {
2285     my $class = shift;
2286     no warnings 'numeric';
2287
2288     return '{' . join( ',', map(int, grep { defined && /^\d+$/ } @_) ) . '}';
2289 }
2290
2291 # Check if a transaction should be left open or closed. Close the
2292 # transaction if it should be closed or open it otherwise. Returns
2293 # undef on success or a failure event.
2294 sub check_open_xact {
2295     my( $self, $editor, $xactid, $xact ) = @_;
2296
2297     # Grab the transaction
2298     $xact ||= $editor->retrieve_money_billable_transaction($xactid);
2299     return $editor->event unless $xact;
2300     $xactid ||= $xact->id;
2301
2302     # grab the summary and see how much is owed on this transaction
2303     my ($summary) = $self->fetch_mbts($xactid, $editor);
2304
2305     # grab the circulation if it is a circ;
2306     my $circ = $editor->retrieve_action_circulation($xactid);
2307
2308     # If nothing is owed on the transaction but it is still open
2309     # and this transaction is not an open circulation, close it
2310     if(
2311         ( $summary->balance_owed == 0 and ! $xact->xact_finish ) and
2312         ( !$circ or $circ->stop_fines )) {
2313
2314         $logger->info("closing transaction ".$xact->id. ' because balance_owed == 0');
2315         $xact->xact_finish('now');
2316         $editor->update_money_billable_transaction($xact)
2317             or return $editor->event;
2318         return undef;
2319     }
2320
2321     # If money is owed or a refund is due on the xact and xact_finish
2322     # is set, clear it (to reopen the xact) and update
2323     if( $summary->balance_owed != 0 and $xact->xact_finish ) {
2324         $logger->info("re-opening transaction ".$xact->id. ' because balance_owed != 0');
2325         $xact->clear_xact_finish;
2326         $editor->update_money_billable_transaction($xact)
2327             or return $editor->event;
2328         return undef;
2329     }
2330     return undef;
2331 }
2332
2333 # Because floating point math has rounding issues, and Dyrcona gets
2334 # tired of typing out the code to multiply floating point numbers
2335 # before adding and subtracting them and then dividing the result by
2336 # 100 each time, he wrote this little subroutine for subtracting
2337 # floating point values.  It can serve as a model for the other
2338 # operations if you like.
2339 #
2340 # It takes a list of floating point values as arguments.  The rest are
2341 # all subtracted from the first and the result is returned.  The
2342 # values are all multiplied by 100 before being used, and the result
2343 # is divided by 100 in order to avoid decimal rounding errors inherent
2344 # in floating point math.
2345 #
2346 # XXX shifting using multiplication/division *may* still introduce
2347 # rounding errors -- better to implement using string manipulation?
2348 sub fpdiff {
2349     my ($class, @args) = @_;
2350     my $result = shift(@args) * 100;
2351     while (my $arg = shift(@args)) {
2352         $result -= $arg * 100;
2353     }
2354     return $result / 100;
2355 }
2356
2357 sub fpsum {
2358     my ($class, @args) = @_;
2359     my $result = shift(@args) * 100;
2360     while (my $arg = shift(@args)) {
2361         $result += $arg * 100;
2362     }
2363     return $result / 100;
2364 }
2365
2366 # Non-migrated passwords can be verified directly in the DB
2367 # with any extra hashing.
2368 sub verify_user_password {
2369     my ($class, $e, $user_id, $passwd, $pw_type) = @_;
2370
2371     $pw_type ||= 'main'; # primary login password
2372
2373     my $verify = $e->json_query({
2374         from => [
2375             'actor.verify_passwd', 
2376             $user_id, $pw_type, $passwd
2377         ]
2378     })->[0];
2379
2380     return $class->is_true($verify->{'actor.verify_passwd'});
2381 }
2382
2383 # Passwords migrated from the original MD5 scheme are passed through 2
2384 # extra layers of MD5 hashing for backwards compatibility with the
2385 # MD5 passwords of yore and the MD5-based chap-style authentication.  
2386 # Passwords are stored in the DB like this:
2387 # CRYPT( MD5( pw_salt || MD5(real_password) ), pw_salt )
2388 #
2389 # If 'as_md5' is true, the password provided has already been
2390 # MD5 hashed.
2391 sub verify_migrated_user_password {
2392     my ($class, $e, $user_id, $passwd, $as_md5) = @_;
2393
2394     # 'main' is the primary login password. This is the only password 
2395     # type that requires the additional MD5 hashing.
2396     my $pw_type = 'main';
2397
2398     # Sometimes we have the bare password, sometimes the MD5 version.
2399     my $md5_pass = $as_md5 ? $passwd : md5_hex($passwd);
2400
2401     my $salt = $e->json_query({
2402         from => [
2403             'actor.get_salt', 
2404             $user_id, 
2405             $pw_type
2406         ]
2407     })->[0];
2408
2409     $salt = $salt->{'actor.get_salt'};
2410
2411     return $class->verify_user_password(
2412         $e, $user_id, md5_hex($salt . $md5_pass), $pw_type);
2413 }
2414
2415
2416 1;
2417