]> git.evergreen-ils.org Git - Evergreen.git/blob - Open-ILS/web/js/ui/default/staff/circ/patron/regctl.js
6a2a648d7de9485b49940eaced867d34bcad7592
[Evergreen.git] / Open-ILS / web / js / ui / default / staff / circ / patron / regctl.js
1
2 angular.module('egCoreMod')
3 // toss tihs onto egCoreMod since the page app may vary
4
5 .factory('patronRegSvc', ['$q', '$filter', 'egCore', 'egLovefield', function($q, $filter, egCore, egLovefield) {
6
7     var service = {
8         field_doc : {},            // config.idl_field_doc
9         profiles : [],             // permission groups
10         profile_entries : [],      // permission gorup display entries
11         edit_profiles : [],        // perm groups we can modify
12         edit_profile_entries : [], // perm group display entries we can modify
13         sms_carriers : [],
14         user_settings : {},        // applied user settings
15         user_setting_types : {},   // config.usr_setting_type
16         opt_in_setting_types : {}, // config.usr_setting_type for event-def opt-in
17         surveys : [],
18         survey_questions : {},
19         survey_answers : {},
20         survey_responses : {},     // survey.responses for loaded patron in progress
21         stat_cats : [],
22         stat_cat_entry_maps : {},   // cat.id to selected value
23         virt_id : -1,               // virtual ID for new objects
24         init_done : false           // have we loaded our initialization data?
25     };
26
27     // Launch a series of parallel data retrieval calls.
28     service.init = function(scope) {
29
30         // These are fetched with every instance of the page.
31         var page_data = [
32             service.get_user_settings(),
33             service.get_clone_user(),
34             service.get_stage_user()
35         ];
36
37         var common_data = [];
38         if (!service.init_done) {
39             // These are fetched with every instance of the app.
40             common_data = [
41                 service.get_field_doc(),
42                 service.get_perm_groups(),
43                 service.get_perm_group_entries(),
44                 service.get_ident_types(),
45                 service.get_org_settings(),
46                 service.get_stat_cats(),
47                 service.get_surveys(),
48                 service.get_net_access_levels()
49             ];
50             service.init_done = true;
51         }
52
53         return $q.all(common_data.concat(page_data));
54     };
55
56     service.get_clone_user = function() {
57         if (!service.clone_id) return $q.when();
58         // we could load egUser and use its get() function, but loading
59         // user.js into the standalone register UI would mean creating a
60         // new module, since egUser is not loaded into egCoreMod.  This
61         // is a lot simpler.
62         return egCore.net.request(
63             'open-ils.actor',
64             'open-ils.actor.user.fleshed.retrieve',
65             egCore.auth.token(), service.clone_id, 
66             ['billing_address', 'mailing_address'])
67         .then(function(cuser) {
68             if (e = egCore.evt.parse(cuser)) {
69                 alert(e);
70             } else {
71                 service.clone_user = cuser;
72             }
73         });
74     }
75
76     // When editing a user with addresses linked to other users, fetch
77     // the linked user(s) so we can display their names and edit links.
78     service.get_linked_addr_users = function(addrs) {
79         angular.forEach(addrs, function(addr) {
80             if (addr.usr == service.existing_patron.id()) return;
81             egCore.pcrud.retrieve('au', addr.usr)
82             .then(function(usr) {
83                 addr._linked_owner_id = usr.id();
84                 addr._linked_owner = service.format_name(
85                     usr.family_name(),
86                     usr.first_given_name(),
87                     usr.second_given_name()
88                 );
89             })
90         });
91     }
92
93     service.apply_secondary_groups = function(user_id, group_ids) {
94         return egCore.net.request(
95             'open-ils.actor',
96             'open-ils.actor.user.set_groups',
97             egCore.auth.token(), user_id, group_ids)
98         .then(function(resp) {
99             if (resp == 1) {
100                 return true;
101             } else {
102                 // debugging -- should be no events
103                 alert('linked groups failure ' + egCore.evt.parse(resp));
104             }
105         });
106     }
107
108     service.get_stage_user = function() {
109         if (!service.stage_username) return $q.when();
110
111         // fetch the staged user object
112         return egCore.net.request(
113             'open-ils.actor',
114             'open-ils.actor.user.stage.retrieve.by_username',
115             egCore.auth.token(), 
116             service.stage_username
117         ).then(function(suser) {
118             if (e = egCore.evt.parse(suser)) {
119                 alert(e);
120             } else {
121                 service.stage_user = suser;
122             }
123         }).then(function() {
124
125             if (!service.stage_user) return;
126             var requestor = service.stage_user.user.requesting_usr();
127
128             if (!requestor) return;
129
130             // fetch the requesting user
131             return egCore.net.request(
132                 'open-ils.actor', 
133                 'open-ils.actor.user.retrieve.parts',
134                 egCore.auth.token(),
135                 requestor, 
136                 ['family_name', 'first_given_name', 'second_given_name'] 
137             ).then(function(parts) {
138                 service.stage_user_requestor = 
139                     service.format_name(parts[0], parts[1], parts[2]);
140             })
141         });
142     }
143
144     // See note above about not loading egUser.
145     // TODO: i18n
146     service.format_name = function(last, first, middle) {
147         return last + ', ' + first + (middle ? ' ' + middle : '');
148     }
149
150     service.check_dupe_username = function(usrname) {
151
152         // empty usernames can't be dupes
153         if (!usrname) return $q.when(false);
154
155         // avoid dupe check if username matches the originally loaded usrname
156         if (service.existing_patron) {
157             if (usrname == service.existing_patron.usrname())
158                 return $q.when(false);
159         }
160
161         return egCore.net.request(
162             'open-ils.actor',
163             'open-ils.actor.username.exists',
164             egCore.auth.token(), usrname);
165     }
166
167     //service.check_grp_app_perm = function(grp_id) {
168
169     // determine which user groups our user is not allowed to modify
170     service.set_edit_profiles = function() {
171         var all_app_perms = [];
172         var failed_perms = [];
173
174         // extract the application permissions
175         angular.forEach(service.profiles, function(grp) {
176             if (grp.application_perm())
177                 all_app_perms.push(grp.application_perm());
178         }); 
179
180         // fill in service.edit_profiles by inspecting failed_perms
181         function traverse_grp_tree(grp, failed) {
182             failed = failed || 
183                 failed_perms.indexOf(grp.application_perm()) > -1;
184
185             if (!failed) service.edit_profiles.push(grp);
186
187             angular.forEach(
188                 service.profiles.filter( // children of grp
189                     function(p) { return p.parent() == grp.id() }),
190                 function(child) {traverse_grp_tree(child, failed)}
191             );
192         }
193
194         return egCore.perm.hasPermAt(all_app_perms, true).then(
195             function(perm_orgs) {
196                 angular.forEach(all_app_perms, function(p) {
197                     if (perm_orgs[p].length == 0)
198                         failed_perms.push(p);
199                 });
200
201                 traverse_grp_tree(egCore.env.pgt.tree);
202             }
203         );
204     }
205
206     service.set_edit_profile_entries = function() {
207         var all_app_perms = [];
208         var failed_perms = [];
209
210         // extract the application permissions
211         angular.forEach(service.profile_entries, function(entry) {
212             if (entry.grp().application_perm())
213                 all_app_perms.push(entry.grp().application_perm());
214         });
215
216         // fill in service.edit_profiles by inspecting failed_perms
217         function traverse_grp_tree(entry, failed) {
218             failed = failed ||
219                 failed_perms.indexOf(entry.grp().application_perm()) > -1;
220
221             if (!failed) service.edit_profile_entries.push(entry);
222
223             angular.forEach(
224                 service.profile_entries.filter( // children of grp
225                     function(p) { return p.parent() == entry.id() }),
226                 function(child) {traverse_grp_tree(child, failed)}
227             );
228         }
229
230         return egCore.perm.hasPermAt(all_app_perms, true).then(
231             function(perm_orgs) {
232                 angular.forEach(all_app_perms, function(p) {
233                     if (perm_orgs[p].length == 0)
234                         failed_perms.push(p);
235                 });
236
237                 angular.forEach(egCore.env.pgtde.tree, function(tree) {
238                     traverse_grp_tree(tree);
239                 });
240             }
241         );
242     }
243
244     // resolves to a hash of perm-name => boolean value indicating
245     // wether the user has the permission at org_id.
246     service.has_perms_for_org = function(org_id) {
247
248         var perms_needed = [
249             'EDIT_SELF_IN_CLIENT',
250             'UPDATE_USER',
251             'CREATE_USER',
252             'CREATE_USER_GROUP_LINK', 
253             'UPDATE_PATRON_COLLECTIONS_EXEMPT',
254             'UPDATE_PATRON_CLAIM_RETURN_COUNT',
255             'UPDATE_PATRON_CLAIM_NEVER_CHECKED_OUT_COUNT',
256             'UPDATE_PATRON_ACTIVE_CARD',
257             'UPDATE_PATRON_PRIMARY_CARD'
258         ];
259
260         return egCore.perm.hasPermAt(perms_needed, true)
261         .then(function(perm_map) {
262
263             angular.forEach(perms_needed, function(perm) {
264                 perm_map[perm] = 
265                     Boolean(perm_map[perm].indexOf(org_id) > -1);
266             });
267
268             return perm_map;
269         });
270     }
271
272     service.get_surveys = function() {
273         var org_ids = egCore.org.fullPath(egCore.auth.user().ws_ou(), true);
274
275         return egCore.pcrud.search('asv', {
276                 owner : org_ids,
277                 start_date : {'<=' : 'now'},
278                 end_date : {'>=' : 'now'}
279             }, {   
280                 flesh : 2, 
281                 flesh_fields : {
282                     asv : ['questions'], 
283                     asvq : ['answers']
284                 }
285             }, 
286             {atomic : true}
287         ).then(function(surveys) {
288             surveys = surveys.sort(function(a,b) {
289                 return a.name() < b.name() ? -1 : 1 });
290             service.surveys = surveys;
291             angular.forEach(surveys, function(survey) {
292                 angular.forEach(survey.questions(), function(question) {
293                     service.survey_questions[question.id()] = question;
294                     angular.forEach(question.answers(), function(answer) {
295                         service.survey_answers[answer.id()] = answer;
296                     });
297                 });
298             });
299
300             egLovefield.setListInOfflineCache('asv', service.surveys)
301             egLovefield.setListInOfflineCache('asvq', service.survey_questions)
302             egLovefield.setListInOfflineCache('asva', service.survey_answers)
303
304         });
305     }
306
307     service.get_stat_cats = function() {
308         return egCore.net.request(
309             'open-ils.circ',
310             'open-ils.circ.stat_cat.actor.retrieve.all',
311             egCore.auth.token(), egCore.auth.user().ws_ou()
312         ).then(function(cats) {
313             cats = cats.sort(function(a, b) {
314                 return a.name() < b.name() ? -1 : 1});
315             angular.forEach(cats, function(cat) {
316                 cat.entries(
317                     cat.entries().sort(function(a,b) {
318                         return a.value() < b.value() ? -1 : 1
319                     })
320                 );
321             });
322             service.stat_cats = cats;
323             return egLovefield.setStatCatsCache(cats);
324         });
325     };
326
327     service.get_org_settings = function() {
328         return egCore.org.settings([
329             'global.password_regex',
330             'global.juvenile_age_threshold',
331             'patron.password.use_phone',
332             'ui.patron.default_inet_access_level',
333             'ui.patron.default_ident_type',
334             'ui.patron.default_country',
335             'ui.patron.registration.require_address',
336             'circ.holds.behind_desk_pickup_supported',
337             'circ.patron_edit.clone.copy_address',
338             'circ.privacy_waiver',
339             'ui.patron.edit.au.prefix.require',
340             'ui.patron.edit.au.prefix.show',
341             'ui.patron.edit.au.prefix.suggest',
342             'ui.patron.edit.ac.barcode.regex',
343             'ui.patron.edit.au.second_given_name.show',
344             'ui.patron.edit.au.second_given_name.suggest',
345             'ui.patron.edit.au.suffix.show',
346             'ui.patron.edit.au.suffix.suggest',
347             'ui.patron.edit.au.alias.show',
348             'ui.patron.edit.au.alias.suggest',
349             'ui.patron.edit.au.dob.require',
350             'ui.patron.edit.au.dob.show',
351             'ui.patron.edit.au.dob.suggest',
352             'ui.patron.edit.au.dob.calendar',
353             'ui.patron.edit.au.dob.example',
354             'ui.patron.edit.au.juvenile.show',
355             'ui.patron.edit.au.juvenile.suggest',
356             'ui.patron.edit.au.ident_value.show',
357             'ui.patron.edit.au.ident_value.require',
358             'ui.patron.edit.au.ident_value.suggest',
359             'ui.patron.edit.au.ident_value2.show',
360             'ui.patron.edit.au.ident_value2.suggest',
361             'ui.patron.edit.au.email.require',
362             'ui.patron.edit.au.email.show',
363             'ui.patron.edit.au.email.suggest',
364             'ui.patron.edit.au.email.regex',
365             'ui.patron.edit.au.email.example',
366             'ui.patron.edit.au.day_phone.require',
367             'ui.patron.edit.au.day_phone.show',
368             'ui.patron.edit.au.day_phone.suggest',
369             'ui.patron.edit.au.day_phone.regex',
370             'ui.patron.edit.au.day_phone.example',
371             'ui.patron.edit.au.evening_phone.require',
372             'ui.patron.edit.au.evening_phone.show',
373             'ui.patron.edit.au.evening_phone.suggest',
374             'ui.patron.edit.au.evening_phone.regex',
375             'ui.patron.edit.au.evening_phone.example',
376             'ui.patron.edit.au.other_phone.require',
377             'ui.patron.edit.au.other_phone.show',
378             'ui.patron.edit.au.other_phone.suggest',
379             'ui.patron.edit.au.other_phone.regex',
380             'ui.patron.edit.au.other_phone.example',
381             'ui.patron.edit.phone.regex',
382             'ui.patron.edit.phone.example',
383             'ui.patron.edit.au.active.show',
384             'ui.patron.edit.au.active.suggest',
385             'ui.patron.edit.au.barred.show',
386             'ui.patron.edit.au.barred.suggest',
387             'ui.patron.edit.au.master_account.show',
388             'ui.patron.edit.au.master_account.suggest',
389             'ui.patron.edit.au.claims_returned_count.show',
390             'ui.patron.edit.au.claims_returned_count.suggest',
391             'ui.patron.edit.au.claims_never_checked_out_count.show',
392             'ui.patron.edit.au.claims_never_checked_out_count.suggest',
393             'ui.patron.edit.au.alert_message.show',
394             'ui.patron.edit.au.alert_message.suggest',
395             'ui.patron.edit.aua.post_code.regex',
396             'ui.patron.edit.aua.post_code.example',
397             'ui.patron.edit.aua.county.require',
398             'ui.patron.edit.au.guardian.show',
399             'ui.patron.edit.au.guardian.suggest',
400             'ui.patron.edit.guardian_required_for_juv',
401             'format.date',
402             'ui.patron.edit.default_suggested',
403             'opac.barcode_regex',
404             'opac.username_regex',
405             'sms.enable',
406             'ui.patron.edit.aua.state.require',
407             'ui.patron.edit.aua.state.suggest',
408             'ui.patron.edit.aua.state.show',
409             'ui.admin.work_log.max_entries',
410             'ui.admin.patron_log.max_entries'
411         ]).then(function(settings) {
412             service.org_settings = settings;
413             if (egCore && egCore.env && !egCore.env.aous) {
414                 egCore.env.aous = settings;
415                 console.log('setting egCore.env.aous');
416             }
417             return service.process_org_settings(settings);
418         });
419     };
420
421     // some org settings require the retrieval of additional data
422     service.process_org_settings = function(settings) {
423
424         var promises = [egLovefield.setSettingsCache(settings)];
425
426         if (settings['sms.enable']) {
427             // fetch SMS carriers
428             promises.push(
429                 egCore.pcrud.search('csc', 
430                     {active: 'true'}, 
431                     {'order_by':[
432                         {'class':'csc', 'field':'name'},
433                         {'class':'csc', 'field':'region'}
434                     ]}, {atomic : true}
435                 ).then(function(carriers) {
436                     service.sms_carriers = carriers;
437                 })
438             );
439         } else {
440             // if other promises are added below, this is not necessary.
441             promises.push($q.when());  
442         }
443
444         // other post-org-settings processing goes here,
445         // adding to promises as needed.
446
447         return $q.all(promises);
448     };
449
450     service.get_ident_types = function() {
451         if (egCore.env.cit) {
452             service.ident_types = egCore.env.cit.list;
453             return $q.when();
454         } else {
455             return egCore.pcrud.retrieveAll('cit', {}, {atomic : true})
456             .then(function(types) { 
457                 egCore.env.absorbList(types, 'cit')
458                 service.ident_types = types 
459             });
460         }
461     };
462
463     service.get_net_access_levels = function() {
464         if (egCore.env.cnal) {
465             service.net_access_levels = egCore.env.cnal.list;
466             return $q.when();
467         } else {
468             return egCore.pcrud.retrieveAll('cnal', {}, {atomic : true})
469             .then(function(levels) { 
470                 egCore.env.absorbList(levels, 'cnal')
471                 service.net_access_levels = levels 
472             });
473         }
474     }
475
476     service.get_perm_groups = function() {
477         if (egCore.env.pgt) {
478             service.profiles = egCore.env.pgt.list;
479             return service.set_edit_profiles();
480         } else {
481             return egCore.pcrud.search('pgt', {parent : null}, 
482                 {flesh : -1, flesh_fields : {pgt : ['children']}}
483             ).then(
484                 function(tree) {
485                     egCore.env.absorbTree(tree, 'pgt')
486                     service.profiles = egCore.env.pgt.list;
487                     return service.set_edit_profiles();
488                 }
489             );
490         }
491     }
492
493     service.searchPermGroupEntries = function(org) {
494         return egCore.pcrud.search('pgtde', {org: org, parent: null},
495             {flesh: -1, flesh_fields: {pgtde: ['grp', 'children']}}, {atomic: true}
496         ).then(function(treeArray) {
497             if (!treeArray.length && egCore.org.get(org).parent_ou()) {
498                 return service.searchPermGroupEntries(egCore.org.get(org).parent_ou());
499             }
500             return treeArray;
501         });
502     }
503
504     service.get_perm_group_entries = function() {
505         if (egCore.env.pgtde) {
506             service.profile_entries = egCore.env.pgtde.list;
507             return service.set_edit_profile_entries();
508         } else {
509             return service.searchPermGroupEntries(egCore.auth.user().ws_ou()).then(function(treeArray) {
510                 function compare(a,b) {
511                   if (a.position() > b.position())
512                     return -1;
513                   if (a.position() < b.position())
514                     return 1;
515                   return 0;
516                 }
517
518                 var list = [];
519                 function squash(node) {
520                     node.children().sort(compare);
521                     list.push(node);
522                     angular.forEach(node.children(), squash);
523                 }
524
525                 angular.forEach(treeArray, squash);
526                 var blob = egCore.env.absorbList(list, 'pgtde');
527                 blob.tree = treeArray;
528
529                 service.profile_entries = egCore.env.pgtde.list;
530                 return service.set_edit_profile_entries();
531             });
532         }
533     }
534
535     service.get_field_doc = function() {
536         var to_cache = [];
537         return egCore.pcrud.search('fdoc', {
538             fm_class: ['au', 'ac', 'aua', 'actsc', 'asv', 'asvq', 'asva']})
539         .then(
540             function () {
541                 return egLovefield.setListInOfflineCache('fdoc', to_cache)
542             },
543             null,
544             function(doc) {
545                 if (!service.field_doc[doc.fm_class()]) {
546                     service.field_doc[doc.fm_class()] = {};
547                 }
548                 service.field_doc[doc.fm_class()][doc.field()] = doc;
549                 to_cache.push(doc);
550             }
551         );
552
553     };
554
555     service.get_user_setting_types = function() {
556
557         // No need to re-fetch the common setting types.
558         if (Object.keys(service.user_setting_types).length) 
559             return $q.when();
560
561         var org_ids = egCore.org.ancestors(egCore.auth.user().ws_ou(), true);
562
563         var static_types = [
564             'circ.holds_behind_desk', 
565             'circ.collections.exempt', 
566             'opac.hold_notify', 
567             'opac.default_phone', 
568             'opac.default_pickup_location', 
569             'opac.default_sms_carrier', 
570             'opac.default_sms_notify'];
571
572         return egCore.pcrud.search('cust', {
573             '-or' : [
574                 {name : static_types}, // common user settings
575                 {name : { // opt-in notification user settings
576                     'in': {
577                         select : {atevdef : ['opt_in_setting']}, 
578                         from : 'atevdef',
579                         // we only care about opt-in settings for 
580                         // event_defs our users encounter
581                         where : {'+atevdef' : {owner : org_ids}}
582                     }
583                 }}
584             ]
585         }, {}, {atomic : true}).then(function(setting_types) {
586
587             egCore.env.absorbList(setting_types, 'cust'); // why not...
588
589             angular.forEach(setting_types, function(stype) {
590                 service.user_setting_types[stype.name()] = stype;
591                 if (static_types.indexOf(stype.name()) == -1) {
592                     service.opt_in_setting_types[stype.name()] = stype;
593                 }
594             });
595         });
596     };
597
598     service.get_user_settings = function() {
599
600         return service.get_user_setting_types()
601         .then(function() {
602
603             var setting_types = Object.values(service.user_setting_types);
604
605             if (service.patron_id) {
606                 // retrieve applied values for the current user 
607                 // for the setting types we care about.
608
609                 var setting_names = 
610                     setting_types.map(function(obj) { return obj.name() });
611
612                 return egCore.net.request(
613                     'open-ils.actor', 
614                     'open-ils.actor.patron.settings.retrieve.authoritative',
615                     egCore.auth.token(),
616                     service.patron_id,
617                     setting_names
618                 ).then(function(settings) {
619                     service.user_settings = settings;
620                 });
621
622             } else {
623
624                 // apply default user setting values
625                 angular.forEach(setting_types, function(stype, index) {
626                     if (stype.reg_default() != undefined) {
627                         var val = stype.reg_default();
628                         if (stype.datatype() == 'bool') {
629                             // A boolean user setting type whose default 
630                             // value starts with t/T is considered 'true',
631                             // false otherwise.
632                             val = Boolean((val+'').match(/^t/i));
633                         }
634                         service.user_settings[stype.name()] = val;
635                     }
636                 });
637             }
638         });
639     }
640
641     service.invalidate_field = function(patron, field) {
642         console.log('Invalidating patron field ' + field);
643
644         return egCore.net.request(
645             'open-ils.actor',
646             'open-ils.actor.invalidate.' + field,
647             egCore.auth.token(), patron.id, null, patron.home_ou.id()
648
649         ).then(function(res) {
650             // clear the invalid value from the form
651             patron[field] = '';
652
653             // update last_xact_id so future save operations
654             // on this patron will be allowed
655             patron.last_xact_id = res.payload.last_xact_id[patron.id];
656         });
657     }
658
659     service.send_test_message = function(user_id, hook) {
660
661         return egCore.net.request(
662             'open-ils.actor',
663             'open-ils.actor.event.test_notification',
664             egCore.auth.token(), {hook: hook, target: user_id}
665         ).then(function(res) {
666             return res;
667         });
668     }
669
670     service.dupe_patron_search = function(patron, type, value) {
671         var search;
672
673         console.log('Dupe search called with "'+ type +'" and value '+ value);
674
675         if (type.match(/phone/)) type = 'phone'; // day_phone, etc.
676
677         switch (type) {
678
679             case 'name':
680                 var fname = patron.first_given_name;   
681                 var lname = patron.family_name;   
682                 if (!(fname && lname)) return $q.when({count:0});
683                 search = {
684                     first_given_name : {value : fname, group : 0},
685                     family_name : {value : lname, group : 0}
686                 };
687                 break;
688
689             case 'email':
690                 search = {email : {value : value, group : 0}};
691                 break;
692
693             case 'ident':
694                 search = {ident : {value : value, group : 2}};
695                 break;
696
697             case 'phone':
698                 search = {phone : {value : value, group : 2}};
699                 break;
700
701             case 'address':
702                 search = {};
703                 angular.forEach(['street1', 'street2', 'city', 'post_code'],
704                     function(field) {
705                         if(value[field])
706                             search[field] = {value : value[field], group: 1};
707                     }
708                 );
709                 break;
710         }
711
712         return egCore.net.request( 
713             'open-ils.actor', 
714             'open-ils.actor.patron.search.advanced',
715             egCore.auth.token(), search, null, null, 1
716         ).then(function(res) {
717             res = res.filter(function(id) {return id != patron.id});
718             return {
719                 count : res.length,
720                 search : search
721             };
722         });
723     }
724
725     service.init_patron = function(current) {
726
727         if (!current)
728             return $q.when(service.init_new_patron());
729
730         service.patron = current;
731         return $q.when(service.init_existing_patron(current));
732     }
733
734     service.ingest_address = function(patron, addr) {
735         addr.valid = addr.valid == 't';
736         addr.within_city_limits = addr.within_city_limits == 't';
737         addr._is_mailing = (patron.mailing_address && 
738             addr.id == patron.mailing_address.id);
739         addr._is_billing = (patron.billing_address && 
740             addr.id == patron.billing_address.id);
741         addr.pending = addr.pending === 't';
742     }
743
744     service.ingest_waiver_entry = function(patron, waiver_entry) {
745         waiver_entry.place_holds = waiver_entry.place_holds == 't';
746         waiver_entry.pickup_holds = waiver_entry.pickup_holds == 't';
747         waiver_entry.view_history = waiver_entry.view_history == 't';
748         waiver_entry.checkout_items = waiver_entry.checkout_items == 't';
749     }
750
751     /*
752      * Existing patron objects reqire some data munging before insertion
753      * into the scope.
754      *
755      * 1. Turn everything into a hash
756      * 2. ... Except certain fields (selectors) whose widgets require objects
757      * 3. Bools must be Boolean, not t/f.
758      */
759     service.init_existing_patron = function(current) {
760
761         service.existing_patron = current;
762
763         var patron = egCore.idl.toHash(current);
764
765         patron.home_ou = egCore.org.get(patron.home_ou.id);
766         patron.expire_date = new Date(Date.parse(patron.expire_date));
767         patron.dob = service.parse_dob(patron.dob);
768         patron.profile = current.profile(); // pre-hash version
769         patron.net_access_level = current.net_access_level();
770         patron.ident_type = current.ident_type();
771         patron.ident_type2 = current.ident_type2();
772         patron.groups = current.groups(); // pre-hash
773
774         angular.forEach(
775             ['juvenile', 'barred', 'active', 'master_account'],
776             function(field) { patron[field] = patron[field] == 't'; }
777         );
778
779         angular.forEach(patron.cards, function(card) {
780             card.active = card.active == 't';
781             if (card.id == patron.card.id) {
782                 patron.card = card;
783                 card._primary = true;
784             }
785         });
786
787         angular.forEach(patron.addresses, 
788             function(addr) { service.ingest_address(patron, addr) });
789
790         // Link replaced address to its pending address.
791         angular.forEach(patron.addresses, function(addr) {
792             if (addr.replaces) {
793                 addr._replaces = patron.addresses.filter(
794                     function(a) {return a.id == addr.replaces})[0];
795             }
796         });
797
798         angular.forEach(patron.waiver_entries,
799             function(waiver_entry) { service.ingest_waiver_entry(patron, waiver_entry) });
800
801         service.get_linked_addr_users(patron.addresses);
802
803         // Remove stat cat entries that link to out-of-scope stat
804         // cats.  With this, we avoid unnecessarily updating (or worse,
805         // modifying) stat cat values that are not ours to modify.
806         patron.stat_cat_entries = patron.stat_cat_entries.filter(
807             function(map) {
808                 return Boolean(
809                     // service.stat_cats only contains in-scope stat cats.
810                     service.stat_cats.filter(function(cat) { 
811                         return (cat.id() == map.stat_cat.id) })[0]
812                 );
813             }
814         );
815
816         // toss entries for existing stat cat maps into our living 
817         // stat cat entry map, which is modified within the template.
818         service.stat_cat_entry_maps = [];
819         angular.forEach(patron.stat_cat_entries, function(map) {
820             service.stat_cat_entry_maps[map.stat_cat.id] = map.stat_cat_entry;
821         });
822
823         service.patron = patron;
824         return patron;
825     }
826
827     service.init_new_patron = function() {
828         var addr = {
829             id : service.virt_id--,
830             isnew : true,
831             valid : true,
832             address_type : egCore.strings.REG_ADDR_TYPE,
833             _is_mailing : true,
834             _is_billing : true,
835             within_city_limits : false,
836             country : service.org_settings['ui.patron.default_country'],
837         };
838
839         var card = {
840             id : service.virt_id--,
841             isnew : true,
842             active : true,
843             _primary : true
844         };
845
846         var user = {
847             isnew : true,
848             active : true,
849             card : card,
850             cards : [card],
851             home_ou : egCore.org.get(egCore.auth.user().ws_ou()),
852             stat_cat_entries : [],
853             waiver_entries : [],
854             groups : [],
855             addresses : [addr]
856         };
857
858         if (service.clone_user)
859             service.copy_clone_data(user);
860
861         if (service.stage_user)
862             service.copy_stage_data(user);
863
864         return user;
865     }
866
867     // dob is always YYYY-MM-DD
868     // Dates of birth do not contain timezone info, which can lead to
869     // inconcistent timezone handling, potentially representing
870     // different points in time, depending on the implementation.
871     // https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Date/parse
872     // See "Differences in assumed time zone"
873     // TODO: move this into egDate ?
874     service.parse_dob = function(dob) {
875         if (!dob) return null;
876         var parts = dob.split('-');
877         return new Date(parts[0], parts[1] - 1, parts[2])
878     }
879
880     service.copy_stage_data = function(user) {
881         var cuser = service.stage_user;
882
883         // copy the data into our new user object
884
885         for (var key in egCore.idl.classes.stgu.field_map) {
886             if (egCore.idl.classes.au.field_map[key] &&
887                 !egCore.idl.classes.stgu.field_map[key].virtual) {
888                 if (cuser.user[key]() !== null)
889                     user[key] = cuser.user[key]();
890             }
891         }
892
893         if (user.home_ou) user.home_ou = egCore.org.get(user.home_ou);
894         if (user.profile) user.profile = egCore.env.pgt.map[user.profile];
895         if (user.ident_type) 
896             user.ident_type = egCore.env.cit.map[user.ident_type];
897         if (user.ident_type2)
898             user.ident_type2 = egCore.env.cit.map[user.ident_type2];
899         user.dob = service.parse_dob(user.dob);
900
901         // Clear the usrname if it looks like a UUID
902         if (user.usrname.replace(/-/g,'').match(/[0-9a-f]{32}/)) 
903             user.usrname = '';
904
905         // Don't use stub address if we have one from the staged user.
906         if (cuser.mailing_addresses.length || cuser.billing_addresses.length)
907             user.addresses = [];
908
909         // is_mailing=false implies is_billing
910         function addr_from_stage(stage_addr) {
911             if (!stage_addr) return;
912             var cls = stage_addr.classname;
913
914             var addr = {
915                 id : service.virt_id--,
916                 usr : user.id,
917                 isnew : true,
918                 valid : true,
919                 address_type : egCore.strings.REG_ADDR_TYPE,
920                 _is_mailing : cls == 'stgma',
921                 _is_billing : cls == 'stgba'
922             };
923
924             user.mailing_address = addr;
925             user.addresses.push(addr);
926
927             for (var key in egCore.idl.classes[cls].field_map) {
928                 if (egCore.idl.classes.aua.field_map[key] &&
929                     !egCore.idl.classes[cls].field_map[key].virtual) {
930                     if (stage_addr[key]() !== null)
931                         addr[key] = stage_addr[key]();
932                 }
933             }
934         }
935
936         addr_from_stage(cuser.mailing_addresses[0]);
937         addr_from_stage(cuser.billing_addresses[0]);
938
939         if (user.addresses.length == 1) {
940             // If there is only one address, 
941             // use it as both mailing and billing.
942             var addr = user.addresses[0];
943             addr._is_mailing = addr._is_billing = true;
944             user.mailing_address = user.billing_address = addr;
945         }
946
947         if (cuser.cards.length) {
948             user.card = {
949                 id : service.virt_id--,
950                 barcode : cuser.cards[0].barcode(),
951                 isnew : true,
952                 active : true,
953                 _primary : true
954             };
955
956             user.cards.push(user.card);
957             if (user.usrname == '') 
958                 user.usrname = card.barcode;
959         }
960
961         angular.forEach(cuser.settings, function(setting) {
962             service.user_settings[setting.setting()] = Boolean(setting.value());
963         });
964     }
965
966     // copy select values from the cloned user to the new user.
967     // user is a hash
968     service.copy_clone_data = function(user) {
969         var clone_user = service.clone_user;
970
971         // flesh the home org locally
972         user.home_ou = egCore.org.get(clone_user.home_ou());
973         if (user.profile) user.profile = egCore.env.pgt.map[user.profile];
974
975         if (!clone_user.billing_address() &&
976             !clone_user.mailing_address())
977             return; // no addresses to copy or link
978
979         // if the cloned user has any addresses, we don't need 
980         // the stub address created in init_new_patron.
981         user.addresses = [];
982
983         var copy_addresses = 
984             service.org_settings['circ.patron_edit.clone.copy_address'];
985
986         var clone_fields = [
987             'day_phone',
988             'evening_phone',
989             'other_phone',
990             'usrgroup'
991         ]; 
992
993         angular.forEach(clone_fields, function(field) {
994             user[field] = clone_user[field]();
995         });
996
997         if (copy_addresses) {
998             var bill_addr, mail_addr;
999
1000             // copy the billing and mailing addresses into new addresses
1001             function clone_addr(addr) {
1002                 var new_addr = egCore.idl.toHash(addr);
1003                 new_addr.id = service.virt_id--;
1004                 new_addr.usr = user.id;
1005                 new_addr.isnew = true;
1006                 new_addr.valid = true;
1007                 user.addresses.push(new_addr);
1008                 return new_addr;
1009             }
1010
1011             if (bill_addr = clone_user.billing_address()) {
1012                 var addr = clone_addr(bill_addr);
1013                 addr._is_billing = true;
1014                 user.billing_address = addr;
1015             }
1016
1017             if (mail_addr = clone_user.mailing_address()) {
1018
1019                 if (bill_addr && bill_addr.id() == mail_addr.id()) {
1020                     user.mailing_address = user.billing_address;
1021                     user.mailing_address._is_mailing = true;
1022                 } else {
1023                     var addr = clone_addr(mail_addr);
1024                     addr._is_mailing = true;
1025                     user.mailing_address = addr;
1026                 }
1027
1028                 if (!bill_addr) {
1029                     // if there is no billing addr, use the mailing addr
1030                     user.billing_address = user.mailing_address;
1031                     user.billing_address._is_billing = true;
1032                 }
1033             }
1034
1035
1036         } else {
1037
1038             // link the billing and mailing addresses
1039             var addr;
1040             if (addr = clone_user.billing_address()) {
1041                 user.billing_address = egCore.idl.toHash(addr);
1042                 user.billing_address._is_billing = true;
1043                 user.addresses.push(user.billing_address);
1044                 user.billing_address._linked_owner_id = clone_user.id();
1045                 user.billing_address._linked_owner = service.format_name(
1046                     clone_user.family_name(),
1047                     clone_user.first_given_name(),
1048                     clone_user.second_given_name()
1049                 );
1050             }
1051
1052             if (addr = clone_user.mailing_address()) {
1053                 if (user.billing_address && 
1054                     addr.id() == user.billing_address.id) {
1055                     // mailing matches billing
1056                     user.mailing_address = user.billing_address;
1057                     user.mailing_address._is_mailing = true;
1058                 } else {
1059                     user.mailing_address = egCore.idl.toHash(addr);
1060                     user.mailing_address._is_mailing = true;
1061                     user.addresses.push(user.mailing_address);
1062                     user.mailing_address._linked_owner_id = clone_user.id();
1063                     user.mailing_address._linked_owner = service.format_name(
1064                         clone_user.family_name(),
1065                         clone_user.first_given_name(),
1066                         clone_user.second_given_name()
1067                     );
1068                 }
1069             }
1070         }
1071     }
1072
1073     // translate the patron back into IDL form
1074     service.save_user = function(phash) {
1075
1076         var patron = egCore.idl.fromHash('au', phash);
1077
1078         patron.home_ou(patron.home_ou().id());
1079         patron.expire_date(patron.expire_date().toISOString());
1080         patron.profile(patron.profile().id());
1081         if (patron.dob()) 
1082             patron.dob(patron.dob().toISOString().replace(/T.*/,''));
1083         if (patron.ident_type()) 
1084             patron.ident_type(patron.ident_type().id());
1085         if (patron.net_access_level())
1086             patron.net_access_level(patron.net_access_level().id());
1087
1088         angular.forEach(
1089             ['juvenile', 'barred', 'active', 'master_account'],
1090             function(field) { patron[field](phash[field] ? 't' : 'f'); }
1091         );
1092
1093         var card_hashes = patron.cards();
1094         patron.cards([]);
1095         angular.forEach(card_hashes, function(chash) {
1096             var card = egCore.idl.fromHash('ac', chash)
1097             card.usr(patron.id());
1098             card.active(chash.active ? 't' : 'f');
1099             patron.cards().push(card);
1100             if (chash._primary) {
1101                 patron.card(card);
1102             }
1103         });
1104
1105         var addr_hashes = patron.addresses();
1106         patron.addresses([]);
1107         angular.forEach(addr_hashes, function(addr_hash) {
1108             if (!addr_hash.isnew && !addr_hash.isdeleted) 
1109                 addr_hash.ischanged = true;
1110             var addr = egCore.idl.fromHash('aua', addr_hash);
1111             patron.addresses().push(addr);
1112             addr.valid(addr.valid() ? 't' : 'f');
1113             addr.within_city_limits(addr.within_city_limits() ? 't' : 'f');
1114             addr.pending(addr.pending() ? 't' : 'f');
1115             if (addr_hash._is_mailing) patron.mailing_address(addr);
1116             if (addr_hash._is_billing) patron.billing_address(addr);
1117         });
1118
1119         patron.survey_responses([]);
1120         angular.forEach(service.survey_responses, function(answer) {
1121             var question = service.survey_questions[answer.question()];
1122             var resp = new egCore.idl.asvr();
1123             resp.isnew(true);
1124             resp.survey(question.survey());
1125             resp.question(question.id());
1126             resp.answer(answer.id());
1127             resp.usr(patron.id());
1128             resp.answer_date('now');
1129             patron.survey_responses().push(resp);
1130         });
1131         
1132         // re-object-ify the patron stat cat entry maps
1133         var maps = [];
1134         angular.forEach(patron.stat_cat_entries(), function(entry) {
1135             var e = egCore.idl.fromHash('actscecm', entry);
1136             e.stat_cat(e.stat_cat().id);
1137             maps.push(e);
1138         });
1139         patron.stat_cat_entries(maps);
1140
1141         // service.stat_cat_entry_maps maps stats to values
1142         // patron.stat_cat_entries is an array of stat_cat_entry_usr_map's
1143         angular.forEach(
1144             service.stat_cat_entry_maps, function(value, cat_id) {
1145
1146             // see if we already have a mapping for this entry
1147             var existing = patron.stat_cat_entries().filter(
1148                 function(e) { return e.stat_cat() == cat_id })[0];
1149
1150             if (existing) { // we have a mapping
1151                 // if the existing mapping matches the new one,
1152                 // there' nothing left to do
1153                 if (existing.stat_cat_entry() == value) return;
1154
1155                 // mappings differ.  delete the old one and create
1156                 // a new one below.
1157                 existing.isdeleted(true);
1158             }
1159
1160             var newmap = new egCore.idl.actscecm();
1161             newmap.target_usr(patron.id());
1162             newmap.isnew(true);
1163             newmap.stat_cat(cat_id);
1164             newmap.stat_cat_entry(value);
1165             patron.stat_cat_entries().push(newmap);
1166         });
1167
1168         var waiver_hashes = patron.waiver_entries();
1169         patron.waiver_entries([]);
1170         angular.forEach(waiver_hashes, function(waiver_hash) {
1171             if (!waiver_hash.isnew && !waiver_hash.isdeleted)
1172                 waiver_hash.ischanged = true;
1173             var waiver_entry = egCore.idl.fromHash('aupw', waiver_hash);
1174             patron.waiver_entries().push(waiver_entry);
1175         });
1176
1177         if (!patron.isnew()) patron.ischanged(true);
1178
1179         return egCore.net.request(
1180             'open-ils.actor', 
1181             'open-ils.actor.patron.update',
1182             egCore.auth.token(), patron);
1183     }
1184
1185     service.remove_staged_user = function() {
1186         if (!service.stage_user) return $q.when();
1187         return egCore.net.request(
1188             'open-ils.actor',
1189             'open-ils.actor.user.stage.delete',
1190             egCore.auth.token(),
1191             service.stage_user.user.row_id()
1192         );
1193     }
1194
1195     service.save_user_settings = function(new_user, user_settings) {
1196
1197         var settings = {};
1198         if (service.patron_id) {
1199             // Update all user editor setting values for existing 
1200             // users regardless of whether a value changed.
1201             settings = user_settings;
1202
1203         } else {
1204             // Create settings for all non-null setting values for new patrons.
1205             angular.forEach(user_settings, function(val, key) {
1206                 if (val !== null) settings[key] = val;
1207             });
1208         }
1209
1210         if (Object.keys(settings).length == 0) return $q.when();
1211
1212         return egCore.net.request(
1213             'open-ils.actor',
1214             'open-ils.actor.patron.settings.update',
1215             egCore.auth.token(), new_user.id(), settings
1216         ).then(function(resp) {
1217             return resp;
1218         });
1219     }
1220
1221     // Applies field-specific validation regex's from org settings 
1222     // to form fields.  Be careful not remove any pattern data we
1223     // are not explicitly over-writing in the provided patterns obj.
1224     service.set_field_patterns = function(patterns) {
1225         if (service.org_settings['opac.username_regex']) {
1226             patterns.au.usrname = 
1227                 new RegExp(service.org_settings['opac.username_regex']);
1228         }
1229
1230         if (service.org_settings['ui.patron.edit.ac.barcode.regex']) {
1231             patterns.ac.barcode = 
1232                 new RegExp(service.org_settings['ui.patron.edit.ac.barcode.regex']);
1233         }
1234
1235         if (service.org_settings['global.password_regex']) {
1236             patterns.au.passwd = 
1237                 new RegExp(service.org_settings['global.password_regex']);
1238         }
1239
1240         var phone_reg = service.org_settings['ui.patron.edit.phone.regex'];
1241         if (phone_reg) {
1242             // apply generic phone regex first, replace below as needed.
1243             patterns.au.day_phone = new RegExp(phone_reg);
1244             patterns.au.evening_phone = new RegExp(phone_reg);
1245             patterns.au.other_phone = new RegExp(phone_reg);
1246         }
1247
1248         // the remaining patterns fit a well-known key name pattern
1249
1250         angular.forEach(service.org_settings, function(val, key) {
1251             if (!val) return;
1252             var parts = key.match(/ui.patron.edit\.(\w+)\.(\w+)\.regex/);
1253             if (!parts) return;
1254             var cls = parts[1];
1255             var name = parts[2];
1256             patterns[cls][name] = new RegExp(val);
1257         });
1258     }
1259
1260     return service;
1261 }])
1262
1263 .controller('PatronRegCtrl',
1264        ['$scope','$routeParams','$q','$uibModal','$window','egCore',
1265         'patronSvc','patronRegSvc','egUnloadPrompt','egAlertDialog',
1266         'egWorkLog', '$timeout','ngToast',
1267 function($scope , $routeParams , $q , $uibModal , $window , egCore ,
1268          patronSvc , patronRegSvc , egUnloadPrompt, egAlertDialog ,
1269          egWorkLog, $timeout, ngToast) {
1270
1271     $scope.page_data_loaded = false;
1272     $scope.hold_notify_type = { phone : null, email : null, sms : null };
1273     $scope.hold_notify_observer = {};
1274     $scope.hold_rel_contacts = {};
1275     $scope.clone_id = patronRegSvc.clone_id = $routeParams.clone_id;
1276     $scope.stage_username = 
1277         patronRegSvc.stage_username = $routeParams.stage_username;
1278     $scope.patron_id = 
1279         patronRegSvc.patron_id = $routeParams.edit_id || $routeParams.id;
1280
1281     // for existing patrons, disable barcode input by default
1282     $scope.disable_bc = $scope.focus_usrname = Boolean($scope.patron_id);
1283     $scope.focus_bc = !Boolean($scope.patron_id);
1284     $scope.address_alerts = [];
1285     $scope.dupe_counts = {};
1286
1287     // map of perm name to true/false for perms the logged in user
1288     // has at the currently selected patron home org unit.
1289     $scope.perms = {};
1290
1291     $scope.name_tab = 'primary';
1292
1293     if (!$scope.edit_passthru) {
1294         // in edit more, scope.edit_passthru is delivered to us by
1295         // the enclosing controller.  In register mode, there is 
1296         // no enclosing controller, so we create our own.
1297         $scope.edit_passthru = {};
1298     }
1299
1300     // 0=all, 1=suggested, 2=all
1301     $scope.edit_passthru.vis_level = 0; 
1302
1303     // Apply default values for new patrons during initial registration
1304     // prs is shorthand for patronSvc
1305     function set_new_patron_defaults(prs) {
1306         if (!$scope.patron.passwd) {
1307             // passsword may originate from staged user.
1308             $scope.generate_password();
1309         }
1310
1311         var notify = 'phone:email'; // hard-coded default when opac.hold_notify has no reg_default
1312         var notify_stype = $scope.user_setting_types['opac.hold_notify'];
1313         if (notify_stype && notify_stype.reg_default() !== undefined && notify_stype.reg_default() !== null) {
1314             console.log('using default opac.hold_notify');
1315             notify = notify_stype.reg_default();
1316         }
1317         $scope.hold_notify_type.phone = Boolean(notify.match(/phone/));
1318         $scope.hold_notify_type.email = Boolean(notify.match(/email/));
1319         $scope.hold_notify_type.sms = Boolean(notify.match(/sms/));
1320
1321         // staged users may be loaded w/ a profile.
1322         $scope.set_expire_date();
1323
1324         if (prs.org_settings['ui.patron.default_ident_type']) {
1325             // $scope.patron needs this field to be an object
1326             var id = prs.org_settings['ui.patron.default_ident_type'];
1327             var ident_type = $scope.ident_types.filter(
1328                 function(type) { return type.id() == id })[0];
1329             $scope.patron.ident_type = ident_type;
1330         }
1331         if (prs.org_settings['ui.patron.default_inet_access_level']) {
1332             // $scope.patron needs this field to be an object
1333             var id = prs.org_settings['ui.patron.default_inet_access_level'];
1334             var level = $scope.net_access_levels.filter(
1335                 function(lvl) { return lvl.id() == id })[0];
1336             $scope.patron.net_access_level = level;
1337         }
1338         if (prs.org_settings['ui.patron.default_country']) {
1339             $scope.patron.addresses[0].country = 
1340                 prs.org_settings['ui.patron.default_country'];
1341         }
1342     }
1343
1344     // A null or undefined pattern leads to exceptions.  Before the
1345     // patterns are loaded from the server, default all patterns
1346     // to an innocuous regex.  To avoid re-creating numerous
1347     // RegExp objects, cache the stub RegExp after initial creation.
1348     // note: angular docs say ng-pattern accepts a regexp or string,
1349     // but as of writing, it only works with a regexp object.
1350     // (Likely an angular 1.2 vs. 1.4 issue).
1351     var field_patterns = {au : {}, ac : {}, aua : {}};
1352     $scope.field_pattern = function(cls, field) { 
1353         if (!field_patterns[cls][field])
1354             field_patterns[cls][field] = new RegExp('.*');
1355         return field_patterns[cls][field];
1356     }
1357
1358     // Main page load function.  Kicks off tab init and data loading.
1359     $q.all([
1360
1361         $scope.initTab ? // initTab comes from patron app
1362             $scope.initTab('edit', $routeParams.id) : $q.when(),
1363
1364         patronRegSvc.init(),
1365
1366     ]).then(function(){ return patronRegSvc.init_patron(patronSvc ? patronSvc.current : patronRegSvc.patron ) })
1367       .then(function(patron) {
1368         // called after initTab and patronRegSvc.init have completed
1369         // in standalone mode, we have no patronSvc
1370         var prs = patronRegSvc;
1371         $scope.patron = patron;
1372         $scope.base_email = patron.email;
1373         $scope.base_default_sms = prs.user_settings['opac.default_sms_notify']
1374         $scope.field_doc = prs.field_doc;
1375         $scope.edit_profiles = prs.edit_profiles;
1376         $scope.edit_profile_entries = prs.edit_profile_entries;
1377         $scope.ident_types = prs.ident_types;
1378         $scope.net_access_levels = prs.net_access_levels;
1379         $scope.user_setting_types = prs.user_setting_types;
1380         $scope.opt_in_setting_types = prs.opt_in_setting_types;
1381         $scope.org_settings = prs.org_settings;
1382         $scope.sms_carriers = prs.sms_carriers;
1383         $scope.stat_cats = prs.stat_cats;
1384         $scope.surveys = prs.surveys;
1385         $scope.survey_responses = prs.survey_responses;
1386         $scope.stat_cat_entry_maps = prs.stat_cat_entry_maps;
1387         $scope.stage_user = prs.stage_user;
1388         $scope.stage_user_requestor = prs.stage_user_requestor;
1389
1390         $scope.user_settings = prs.user_settings;
1391         prs.user_settings = {};
1392
1393         // If a default pickup lib is applied to the patron, apply it 
1394         // to the UI at page load time.  Otherwise, leave the value unset.
1395         if ($scope.user_settings['opac.default_pickup_location']) {
1396             $scope.patron._pickup_lib = egCore.org.get(
1397                 $scope.user_settings['opac.default_pickup_location']);
1398         }
1399
1400         extract_hold_notify();
1401
1402         if ($scope.patron.isnew)
1403             set_new_patron_defaults(prs);
1404
1405         $scope.handle_home_org_changed();
1406
1407         if ($scope.org_settings['ui.patron.edit.default_suggested'])
1408             $scope.edit_passthru.vis_level = 1;
1409
1410         // Stat cats are fetched from open-ils.storage, where 't'==1
1411         $scope.hasRequiredStatCat = prs.stat_cats.filter(
1412                 function(cat) {return cat.required() == 1} ).length > 0;
1413
1414         $scope.page_data_loaded = true;
1415
1416         prs.set_field_patterns(field_patterns);
1417         apply_username_regex();
1418
1419         add_date_watchers();
1420
1421         if ($scope.org_settings['ui.patron.edit.guardian_required_for_juv']) {
1422             add_juv_watcher();
1423         }
1424     });
1425
1426     function add_date_watchers() {
1427
1428         $scope.$watch('patron.dob', function(newVal, oldVal) {
1429             // Even though this runs after page data load, there
1430             // are still times when it fires unnecessarily.
1431             if (newVal === oldVal) return;
1432
1433             console.debug('dob change: ' + newVal + ' : ' + oldVal);
1434             maintain_juvenile_flag();
1435         });
1436
1437         // No need to watch expire_date
1438     }
1439
1440     function add_juv_watcher() {
1441         $scope.$watch('patron.juvenile', function(newVal, oldVal) {
1442             if (newVal === oldVal) return;
1443             if (newVal) {
1444                 field_visibility['au.guardian'] = 3; // required
1445             } else {
1446                 // Value will be reassessed by show_field()
1447                 delete field_visibility['au.guardian'];
1448             }
1449         });
1450     }
1451     
1452     // add watchers for hold notify method prefs
1453     $scope.$watch('hold_notify_type.phone', function(newVal, oldVal) {
1454         var notifyOpt = $scope.hold_notify_observer['phone'];
1455         if (newVal !== null) {
1456             notifyOpt.newval = newVal;
1457         }
1458     });
1459
1460     $scope.$watch('hold_notify_type.sms', function(newVal, oldVal) {
1461         var notifyOpt = $scope.hold_notify_observer['sms'];
1462         if (newVal !== null) {
1463             notifyOpt.newval = newVal;
1464         }
1465     });
1466     
1467     $scope.$watch('hold_notify_type.email', function(newVal, oldVal) {
1468         var notifyOpt = $scope.hold_notify_observer['email'];
1469         if (newVal !== null) {
1470             notifyOpt.newval = newVal;
1471         }
1472     });
1473
1474     // update the currently displayed field documentation
1475     $scope.set_selected_field_doc = function(cls, field) {
1476         $scope.selected_field_doc = $scope.field_doc[cls][field];
1477     }
1478
1479     // returns the tree depth of the selected profile group tree node.
1480     $scope.pgt_depth = function(grp) {
1481         var d = 0;
1482         while (grp = egCore.env.pgt.map[grp.parent()]) d++;
1483         return d;
1484     }
1485
1486     // returns the tree depth of the selected profile group tree node.
1487     $scope.pgtde_depth = function(entry) {
1488         var d = 0;
1489         while (entry = egCore.env.pgtde.map[entry.parent()]) d++;
1490         return d;
1491     }
1492
1493     // IDL fields used for labels in the UI.
1494     $scope.idl_fields = {
1495         au  : egCore.idl.classes.au.field_map,
1496         ac  : egCore.idl.classes.ac.field_map,
1497         aua : egCore.idl.classes.aua.field_map
1498     };
1499
1500     // field visibility cache.  Some fields are universally required.
1501     // 3 == value universally required
1502     // 2 == field is visible by default
1503     // 1 == field is suggested by default
1504     var field_visibility = {};
1505     var default_field_visibility = {
1506         'ac.barcode' : 3,
1507         'au.usrname' : 3,
1508         'au.passwd' :  3,
1509         'au.first_given_name' : 3,
1510         'au.family_name' : 3,
1511         'au.pref_first_given_name' : 2,
1512         'au.pref_family_name' : 2,
1513         'au.ident_type' : 3,
1514         'au.ident_type2' : 2,
1515         'au.home_ou' : 3,
1516         'au.profile' : 3,
1517         'au.expire_date' : 3,
1518         'au.net_access_level' : 3,
1519         'aua.address_type' : 3,
1520         'aua.post_code' : 3,
1521         'aua.street1' : 3,
1522         'aua.street2' : 2,
1523         'aua.city' : 3,
1524         'aua.county' : 2,
1525         'aua.state' : 2,
1526         'aua.country' : 3,
1527         'aua.valid' : 2,
1528         'aua.within_city_limits' : 2,
1529         'stat_cats' : 1,
1530         'surveys' : 1,
1531         'au.name_keywords': 1
1532     }; 
1533
1534     // Returns true if the selected field should be visible
1535     // given the current required/suggested/all setting.
1536     // The visibility flag applied to each field as a result of calling
1537     // this function also sets (via the same flag) the requiredness state.
1538     $scope.show_field = function(field_key) {
1539         // org settings have not been received yet.
1540         if (!$scope.org_settings) return false;
1541
1542         if (field_visibility[field_key] == undefined) {
1543             // compile and cache the visibility for the selected field
1544
1545             // The preferred name fields use the primary name field settings
1546             var org_key = field_key;
1547             var alt_name = false;
1548             if (field_key.match(/^au.alt_/)) {
1549                 alt_name = true;
1550                 org_key = field_key.slice(7);
1551             }
1552
1553             var req_set = 'ui.patron.edit.' + org_key + '.require';
1554             var sho_set = 'ui.patron.edit.' + org_key + '.show';
1555             var sug_set = 'ui.patron.edit.' + org_key + '.suggest';
1556
1557             if ($scope.org_settings[req_set]) {
1558                 if (alt_name) {
1559                     // Avoid requiring alt name fields when primary 
1560                     // name fields are required.
1561                     field_visibility[field_key] = 2;
1562                 } else {
1563                     field_visibility[field_key] = 3;
1564                 }
1565
1566             } else if ($scope.org_settings[sho_set]) {
1567                 field_visibility[field_key] = 2;
1568
1569             } else if ($scope.org_settings[sug_set]) {
1570                 field_visibility[field_key] = 1;
1571             }
1572         }
1573
1574         if (field_visibility[field_key] == undefined) {
1575             // No org settings were applied above.  Use the default
1576             // settings if present or assume the field has no
1577             // visibility flags applied.
1578             field_visibility[field_key] = 
1579                 default_field_visibility[field_key] || 0;
1580         }
1581
1582         return field_visibility[field_key] >= $scope.edit_passthru.vis_level;
1583     }
1584
1585     // See $scope.show_field().
1586     // A field with visbility level 3 means it's required.
1587     $scope.field_required = function(cls, field) {
1588
1589         // Value in the password field is not required
1590         // for existing patrons.
1591         if (field == 'passwd' && $scope.patron && !$scope.patron.isnew) 
1592           return false;
1593
1594         return (field_visibility[cls + '.' + field] == 3);
1595     }
1596
1597     // generates a random 4-digit password
1598     $scope.generate_password = function() {
1599         $scope.patron.passwd = Math.floor(Math.random()*9000) + 1000;
1600     }
1601
1602     $scope.set_expire_date = function() {
1603         if (!$scope.patron.profile) return;
1604         var seconds = egCore.date.intervalToSeconds(
1605             $scope.patron.profile.perm_interval());
1606         var now_epoch = new Date().getTime();
1607         $scope.patron.expire_date = new Date(
1608             now_epoch + (seconds * 1000 /* milliseconds */))
1609         $scope.field_modified();
1610     }
1611
1612     // grp is the pgt object
1613     $scope.set_profile = function(grp) {
1614         // If we can't save because of group perms or create/update perms
1615         if ($scope.edit_passthru.hide_save_actions()) return;
1616         $scope.patron.profile = grp;
1617         $scope.set_expire_date();
1618         $scope.field_modified();
1619     }
1620
1621     $scope.invalid_profile = function() {
1622         return !(
1623             $scope.patron && 
1624             $scope.patron.profile && 
1625             $scope.patron.profile.usergroup() == 't'
1626         );
1627     }
1628
1629     $scope.new_address = function() {
1630         var addr = egCore.idl.toHash(new egCore.idl.aua());
1631         patronRegSvc.ingest_address($scope.patron, addr);
1632         addr.id = patronRegSvc.virt_id--;
1633         addr.isnew = true;
1634         addr.valid = true;
1635         addr.within_city_limits = true;
1636         addr.country = $scope.org_settings['ui.patron.default_country'];
1637         $scope.patron.addresses.push(addr);
1638     }
1639
1640     // keep deleted addresses out of the patron object so
1641     // they won't appear in the UI.  They'll be re-inserted
1642     // when the patron is updated.
1643     deleted_addresses = [];
1644     $scope.delete_address = function(id) {
1645
1646         if ($scope.patron.isnew &&
1647             $scope.patron.addresses.length == 1 &&
1648             $scope.org_settings['ui.patron.registration.require_address']) {
1649             egAlertDialog.open(egCore.strings.REG_ADDR_REQUIRED);
1650             return;
1651         }
1652
1653         var addresses = [];
1654         angular.forEach($scope.patron.addresses, function(addr) {
1655             if (addr.id == id) {
1656                 if (id > 0) {
1657                     addr.isdeleted = true;
1658                     deleted_addresses.push(addr);
1659                 }
1660             } else {
1661                 addresses.push(addr);
1662             }
1663         });
1664         $scope.patron.addresses = addresses;
1665     } 
1666
1667     $scope.approve_pending_address = function(addr) {
1668
1669         egCore.net.request(
1670             'open-ils.actor',
1671             'open-ils.actor.user.pending_address.approve',
1672             egCore.auth.token(), addr.id
1673         ).then(function(replaced_id) {
1674             var evt = egCore.evt.parse(replaced_id);
1675             if (evt) { alert(evt); return; }
1676
1677             // Remove the pending address and the replaced address
1678             // from the local list of patron addresses.
1679             var addresses = [];
1680             angular.forEach($scope.patron.addresses, function(a) {
1681                 if (a.id != addr.id && a.id != replaced_id) {
1682                     addresses.push(a);
1683                 }
1684             });
1685             $scope.patron.addresses = addresses;
1686
1687             // Fetch a fresh copy of the modified address from the server.
1688             // and add it back to the list.
1689             egCore.pcrud.retrieve('aua', replaced_id, {}, {authoritative: true})
1690             .then(null, null, function(new_addr) {
1691                 new_addr = egCore.idl.toHash(new_addr);
1692                 patronRegSvc.ingest_address($scope.patron, new_addr);
1693                 $scope.patron.addresses.push(new_addr);
1694             });
1695         });
1696     }
1697
1698     $scope.post_code_changed = function(addr) { 
1699         egCore.net.request(
1700             'open-ils.search', 'open-ils.search.zip', addr.post_code)
1701         .then(function(resp) {
1702             if (!resp) return;
1703             if (resp.city) addr.city = resp.city;
1704             if (resp.state) addr.state = resp.state;
1705             if (resp.county) addr.county = resp.county;
1706             if (resp.alert) alert(resp.alert);
1707         });
1708     }
1709
1710     $scope.new_waiver_entry = function() {
1711         var waiver = egCore.idl.toHash(new egCore.idl.aupw());
1712         patronRegSvc.ingest_waiver_entry($scope.patron, waiver);
1713         waiver.id = patronRegSvc.virt_id--;
1714         waiver.isnew = true;
1715         $scope.patron.waiver_entries.push(waiver);
1716     }
1717
1718     deleted_waiver_entries = [];
1719     $scope.delete_waiver_entry = function(waiver_entry) {
1720         if (waiver_entry.id > 0) {
1721             waiver_entry.isdeleted = true;
1722             deleted_waiver_entries.push(waiver_entry);
1723         }
1724         var index = $scope.patron.waiver_entries.indexOf(waiver_entry);
1725         $scope.patron.waiver_entries.splice(index, 1);
1726     }
1727
1728     $scope.replace_card = function() {
1729         $scope.patron.card.active = false;
1730         $scope.patron.card.ischanged = true;
1731         $scope.disable_bc = false;
1732
1733         var new_card = egCore.idl.toHash(new egCore.idl.ac());
1734         new_card.id = patronRegSvc.virt_id--;
1735         new_card.isnew = true;
1736         new_card.active = true;
1737         new_card._primary = 'on';
1738         $scope.patron.card = new_card;
1739
1740         // Remove any previous attempts to replace the card, since they
1741         // may be incomplete or created by accident.
1742         $scope.patron.cards =
1743             $scope.patron.cards.filter(function(c) {return !c.isnew})
1744         $scope.patron.cards.push(new_card);
1745     }
1746
1747     $scope.day_phone_changed = function(phone) {
1748         if (phone && $scope.patron.isnew && 
1749             $scope.org_settings['patron.password.use_phone']) {
1750             $scope.patron.passwd = phone.substr(-4);
1751         }
1752     }
1753
1754     $scope.barcode_changed = function(bc) {
1755         if (!bc) return;
1756         $scope.dupe_barcode = false;
1757         egCore.net.request(
1758             'open-ils.actor',
1759             'open-ils.actor.barcode.exists',
1760             egCore.auth.token(), bc
1761         ).then(function(resp) {
1762             if (resp == '1') { // duplicate card
1763                 $scope.dupe_barcode = true;
1764                 console.log('duplicate barcode detected: ' + bc);
1765             } else {
1766                 if (!$scope.patron.usrname)
1767                     $scope.patron.usrname = bc;
1768                 // No dupe -- A-OK
1769             }
1770         });
1771     }
1772
1773     $scope.cards_dialog = function() {
1774         $uibModal.open({
1775             templateUrl: './circ/patron/t_patron_cards_dialog',
1776             backdrop: 'static',
1777             controller: 
1778                    ['$scope','$uibModalInstance','cards','perms','patron',
1779             function($scope , $uibModalInstance , cards , perms , patron) {
1780                 // scope here is the modal-level scope
1781                 $scope.args = {cards : cards, primary_barcode : null};
1782                 angular.forEach(cards, function(card) {
1783                     if (card.id == patron.card.id) {
1784                         $scope.args.primary_barcode = card.id;
1785                     }
1786                 });
1787                 $scope.perms = perms;
1788                 $scope.ok = function() { $uibModalInstance.close($scope.args) }
1789                 $scope.cancel = function () { $uibModalInstance.dismiss() }
1790             }],
1791             resolve : {
1792                 cards : function() {
1793                     // scope here is the controller-level scope
1794                     return $scope.patron.cards;
1795                 },
1796                 perms : function() {
1797                     return $scope.perms;
1798                 },
1799                 patron : function() {
1800                     return $scope.patron;
1801                 }
1802             }
1803         }).result.then(
1804             function(args) {
1805                 angular.forEach(args.cards, function(card) {
1806                     card.ischanged = true; // assume cards need updating, OK?
1807                     if (card.id == args.primary_barcode) {
1808                         $scope.patron.card = card;
1809                         card._primary = true;
1810                     } else {
1811                         card._primary = false;
1812                     }
1813                 });
1814             }
1815         );
1816     }
1817
1818     $scope.set_addr_type = function(addr, type) {
1819         var addrs = $scope.patron.addresses;
1820         if (addr['_is_'+type]) {
1821             angular.forEach(addrs, function(a) {
1822                 if (a.id != addr.id) a['_is_'+type] = false;
1823             });
1824         } else {
1825             // unchecking mailing/billing means we have to randomly
1826             // select another address to fill that role.  Select the
1827             // first address in the list (that does not match the
1828             // modifed address)
1829             for (var i = 0; i < addrs.length; i++) {
1830                 if (addrs[i].id != addr.id) {
1831                     addrs[i]['_is_' + type] = true;
1832                     break;
1833                 }
1834             }
1835         }
1836     }
1837
1838
1839     // Translate hold notify preferences from the form/scope back into a 
1840     // single user setting value for opac.hold_notify.
1841     function compress_hold_notify() {
1842         var hold_notify_methods = [];
1843         if ($scope.hold_notify_type.phone) {
1844             hold_notify_methods.push('phone');
1845         }
1846         if ($scope.hold_notify_type.email) {
1847             hold_notify_methods.push('email');
1848         }
1849         if ($scope.hold_notify_type.sms) {
1850             hold_notify_methods.push('sms');
1851         }
1852
1853         $scope.user_settings['opac.hold_notify'] = hold_notify_methods.join(':');
1854     }
1855
1856     // dialog for selecting additional permission groups
1857     $scope.secondary_groups_dialog = function() {
1858         $uibModal.open({
1859             templateUrl: './circ/patron/t_patron_groups_dialog',
1860             backdrop: 'static',
1861             controller: 
1862                    ['$scope','$uibModalInstance','linked_groups','pgt_depth',
1863             function($scope , $uibModalInstance , linked_groups , pgt_depth) {
1864
1865                 $scope.pgt_depth = pgt_depth;
1866                 $scope.args = {
1867                     linked_groups : linked_groups,
1868                     edit_profiles : patronRegSvc.edit_profiles,
1869                     new_profile   : patronRegSvc.edit_profiles[0]
1870                 };
1871
1872                 // add a new group to the linked groups list
1873                 $scope.link_group = function($event, grp) {
1874                     var found = false; // avoid duplicates
1875                     angular.forEach($scope.args.linked_groups, 
1876                         function(g) {if (g.id() == grp.id()) found = true});
1877                     if (!found) $scope.args.linked_groups.push(grp);
1878                     $event.preventDefault(); // avoid close
1879                 }
1880
1881                 // remove a group from the linked groups list
1882                 $scope.unlink_group = function($event, grp) {
1883                     $scope.args.linked_groups = 
1884                         $scope.args.linked_groups.filter(function(g) {
1885                         return g.id() != grp.id()
1886                     });
1887                     $event.preventDefault(); // avoid close
1888                 }
1889
1890                 $scope.ok = function() { $uibModalInstance.close($scope.args) }
1891                 $scope.cancel = function () { $uibModalInstance.dismiss() }
1892             }],
1893             resolve : {
1894                 linked_groups : function() { return $scope.patron.groups },
1895                 pgt_depth : function() { return $scope.pgt_depth }
1896             }
1897         }).result.then(
1898             function(args) {
1899
1900                 if ($scope.patron.isnew) {
1901                     // groups must be linked for new patrons after the
1902                     // patron is created.
1903                     $scope.patron.groups = args.linked_groups;
1904                     return;
1905                 }
1906
1907                 // update links groups for existing users in real time.
1908                 var ids = args.linked_groups.map(function(g) {return g.id()});
1909                 patronRegSvc.apply_secondary_groups($scope.patron.id, ids)
1910                 .then(function(success) {
1911                     if (success)
1912                         $scope.patron.groups = args.linked_groups;
1913                 });
1914             }
1915         );
1916     }
1917
1918     function extract_hold_notify() {
1919         var p = $scope.patron;
1920
1921         // get the user's opac.hold_notify setting
1922         var notify = $scope.user_settings['opac.hold_notify'];
1923
1924         // if it's not set, use the default opac.hold_notify value
1925         if (!notify && !(notify === '')) {
1926             var notify_stype = $scope.user_setting_types['opac.hold_notify'];
1927             if (notify_stype && notify_stype.reg_default() !== undefined && notify_stype.reg_default() !== null) {
1928                 notify = notify_stype.reg_default();
1929             } else {
1930                 // no setting and no default: set phone and email to true
1931                 notify = 'phone:email';
1932             }
1933         }
1934
1935         $scope.hold_notify_type.phone = Boolean(notify.match(/phone/));
1936         $scope.hold_notify_type.email = Boolean(notify.match(/email/));
1937         $scope.hold_notify_type.sms = Boolean(notify.match(/sms/));
1938
1939         // stores original loaded values for comparison later
1940         for (var k in $scope.hold_notify_type){
1941             var val = $scope.hold_notify_type[k];
1942
1943             if ($scope.hold_notify_type.hasOwnProperty(k)){
1944                 $scope.hold_notify_observer[k] = {old : val, newval: null};
1945             }
1946         }
1947
1948         // actual value from user
1949         $scope.hold_rel_contacts.day_phone = { old: p.day_phone, newval : null };
1950         $scope.hold_rel_contacts.other_phone = { old: p.other_phone, newval : null };
1951         $scope.hold_rel_contacts.evening_phone = { old: p.evening_phone, newval : null };
1952         // from user_settings
1953         $scope.hold_rel_contacts.default_phone = { old: $scope.user_settings['opac.default_phone'], newval : null };
1954         $scope.hold_rel_contacts.default_sms = { old: $scope.user_settings['opac.default_sms_notify'], newval : null };
1955         $scope.hold_rel_contacts.default_sms_carrier_id = { old: $scope.user_settings['opac.default_sms_carrier'], newval : null };
1956
1957     }
1958
1959     function normalizePhone(number){
1960         // normalize phone # for comparison, only digits
1961         if (number == null || number == undefined) return '';
1962         
1963         var regex = /[^\d]/g;
1964         return number.replace(regex, '');
1965     }
1966
1967     $scope.invalidate_field = function(field) {
1968         patronRegSvc.invalidate_field($scope.patron, field).then(function() {
1969             $scope.handle_field_changed($scope.patron, field);
1970         });
1971     }
1972
1973     $scope.send_test_email = function() {
1974         patronRegSvc.send_test_message($scope.patron.id, 'au.email.test').then(function(res) {
1975             if (res && res.template_output() && res.template_output().is_error() == 'f') {
1976                  ngToast.success(egCore.strings.TEST_NOTIFY_SUCCESS);
1977             } else {
1978                 ngToast.warning(egCore.strings.TEST_NOTIFY_FAIL);
1979                 if (res) console.log(res);
1980             }
1981         });
1982     }
1983
1984     $scope.send_test_sms = function() {
1985         patronRegSvc.send_test_message($scope.patron.id, 'au.sms_text.test').then(function(res) {
1986             if (res && res.template_output() && res.template_output().is_error() == 'f') {
1987                  ngToast.success(egCore.strings.TEST_NOTIFY_SUCCESS);
1988             } else {
1989                 ngToast.warning(egCore.strings.TEST_NOTIFY_FAIL);
1990                 if (res) console.log(res);
1991             }
1992         });
1993     }
1994
1995     address_alert = function(addr) {
1996         var args = {
1997             street1: addr.street1,
1998             street2: addr.street2,
1999             city: addr.city,
2000             state: addr.state,
2001             county: addr.county,
2002             country: addr.country,
2003             post_code: addr.post_code,
2004             mailing_address: addr._is_mailing,
2005             billing_address: addr._is_billing
2006         }
2007
2008         egCore.net.request(
2009             'open-ils.actor',
2010             'open-ils.actor.address_alert.test',
2011             egCore.auth.token(), egCore.auth.user().ws_ou(), args
2012             ).then(function(res) {
2013                 $scope.address_alerts = res;
2014         });
2015     }
2016
2017     $scope.dupe_value_changed = function(type, value) {
2018         if (!$scope.dupe_search_encoded)
2019             $scope.dupe_search_encoded = {};
2020
2021         $scope.dupe_counts[type] = 0;
2022
2023         patronRegSvc.dupe_patron_search($scope.patron, type, value)
2024         .then(function(res) {
2025             $scope.dupe_counts[type] = res.count;
2026             if (res.count) {
2027                 $scope.dupe_search_encoded[type] = 
2028                     encodeURIComponent(js2JSON(res.search));
2029             } else {
2030                 $scope.dupe_search_encoded[type] = '';
2031             }
2032         });
2033     }
2034
2035     $scope.handle_home_org_changed = function() {
2036         org_id = $scope.patron.home_ou.id();
2037         patronRegSvc.has_perms_for_org(org_id).then(function(map) {
2038             angular.forEach(map, function(v, k) { $scope.perms[k] = v });
2039         });
2040     }
2041
2042     $scope.handle_pulib_changed = function(org) {
2043         if (!$scope.user_settings) return; // still rendering
2044         $scope.user_settings['opac.default_pickup_location'] = org.id();
2045     }
2046
2047     // This is called with every character typed in a form field,
2048     // since that's the only way to gaurantee something has changed.
2049     // See handle_field_changed for ng-change vs. ng-blur.
2050     $scope.field_modified = function() {
2051         // Call attach with every field change, regardless of whether
2052         // it's been called before.  This will allow for re-attach after
2053         // the user clicks through the unload warning. egUnloadPrompt
2054         // will ensure we only attach once.
2055         egUnloadPrompt.attach($scope);
2056     }
2057
2058     // also monitor when form is changed *by the user*, as using
2059     // an ng-change handler doesn't work with eg-date-input
2060     $scope.$watch('reg_form.$pristine', function(newVal, oldVal) {
2061         if (!newVal) egUnloadPrompt.attach($scope);
2062     });
2063
2064     // username regex (if present) must be removed any time
2065     // the username matches the barcode to avoid firing the
2066     // invalid field handlers.
2067     function apply_username_regex() {
2068         var regex = $scope.org_settings['opac.username_regex'];
2069         if (regex) {
2070             if ($scope.patron.card.barcode) {
2071                 // username must match the regex or the barcode
2072                 field_patterns.au.usrname = 
2073                     new RegExp(
2074                         regex + '|^' + $scope.patron.card.barcode + '$');
2075             } else {
2076                 // username must match the regex
2077                 field_patterns.au.usrname = new RegExp(regex);
2078             }
2079         } else {
2080             // username can be any format.
2081             field_patterns.au.usrname = new RegExp('.*');
2082         }
2083     }
2084
2085     // obj could be the patron, an address, etc.
2086     // This is called any time a form field achieves then loses focus.
2087     // It does not necessarily mean the field has changed.
2088     // The alternative is ng-change, but it's called with each character
2089     // typed, which would be overkill for many of the actions called here.
2090     $scope.handle_field_changed = function(obj, field_name) {
2091         var cls = obj.classname; // set by egIdl
2092         var value = obj[field_name];
2093
2094         console.debug('changing field ' + field_name + ' to ' + value);
2095
2096         switch (field_name) {
2097             case 'day_phone' :
2098                 if (normalizePhone(value) !== normalizePhone($scope.hold_rel_contacts.day_phone.old)){
2099                     $scope.hold_rel_contacts.day_phone.newval = value;
2100                 }
2101                 if ($scope.patron.day_phone && 
2102                     $scope.patron.isnew && 
2103                     $scope.org_settings['patron.password.use_phone']) {
2104                     $scope.patron.passwd = $scope.patron.day_phone.substr(-4);
2105                 }
2106                 $scope.dupe_value_changed(field_name, value);
2107                 break;
2108             case 'evening_phone' :
2109                 if (normalizePhone(value) !== normalizePhone($scope.hold_rel_contacts.evening_phone.old)){
2110                     $scope.hold_rel_contacts.evening_phone.newval = value;
2111                 }
2112                 $scope.dupe_value_changed(field_name, value);
2113                 break;
2114             case 'other_phone' : 
2115                 if (normalizePhone(value) !== normalizePhone($scope.hold_rel_contacts.other_phone.old)){
2116                     $scope.hold_rel_contacts.other_phone.newval = value;
2117                 }
2118                 $scope.dupe_value_changed(field_name, value);
2119                 break;
2120             case 'ident_value':
2121             case 'ident_value2':
2122                 $scope.dupe_value_changed('ident', value);
2123                 break;
2124
2125             case 'first_given_name':
2126             case 'family_name':
2127                 $scope.dupe_value_changed('name', value);
2128                 break;
2129
2130             case 'email':
2131                 $scope.dupe_value_changed('email', value);
2132                 break;
2133
2134             case 'street1':
2135             case 'street2':
2136             case 'city':
2137                 // dupe search on address wants the address object as the value.
2138                 $scope.dupe_value_changed('address', obj);
2139                 address_alert(obj);
2140                 break;
2141
2142             case 'post_code':
2143                 $scope.post_code_changed(obj);
2144                 break;
2145
2146             case 'usrname':
2147                 patronRegSvc.check_dupe_username(value)
2148                 .then(function(yes) {$scope.dupe_username = Boolean(yes)});
2149                 break;
2150
2151             case 'barcode':
2152                 // TODO: finish barcode_changed handler.
2153                 $scope.barcode_changed(value);
2154                 apply_username_regex();
2155                 break;
2156             case 'opac.default_phone':
2157                 if (normalizePhone(value) !== normalizePhone($scope.hold_rel_contacts.default_phone.old)){
2158                     $scope.hold_rel_contacts.default_phone.newval = value;
2159                 }
2160                 break;
2161             case 'opac.default_sms_notify':
2162                 if (normalizePhone(value) !== normalizePhone($scope.hold_rel_contacts.default_sms.old)){
2163                     $scope.hold_rel_contacts.default_sms.newval = value;
2164                 }
2165                 break;
2166             case 'opac.default_sms_carrier':
2167                 if (value !== $scope.hold_rel_contacts.default_sms_carrier_id.old){
2168                     $scope.hold_rel_contacts.default_sms_carrier_id.newval = value;
2169                 }
2170                 break;
2171         }
2172     }
2173
2174     // patron.juvenile is set to true if the user was born after
2175     function maintain_juvenile_flag() {
2176         if ( !($scope.patron && $scope.patron.dob) ) return;
2177
2178         var juv_interval = 
2179             $scope.org_settings['global.juvenile_age_threshold'] 
2180             || '18 years';
2181
2182         var base = new Date();
2183
2184         base.setTime(base.getTime() - 
2185             Number(egCore.date.intervalToSeconds(juv_interval) + '000'));
2186
2187         $scope.patron.juvenile = ($scope.patron.dob > base);
2188     }
2189
2190     // returns true (disable) for orgs that cannot have users.
2191     $scope.disable_home_org = function(org_id) {
2192         if (!org_id) return;
2193         var org = egCore.org.get(org_id);
2194         return (
2195             org &&
2196             org.ou_type() &&
2197             org.ou_type().can_have_users() == 'f'
2198         );
2199     }
2200
2201     // returns true (disable) for orgs that cannot have vols (for holds pickup)
2202     $scope.disable_pulib = function(org_id) {
2203         if (!org_id) return;
2204         return !egCore.org.CanHaveVolumes(org_id);
2205     }
2206
2207     // Returns true if attempting to edit self, but perms don't allow
2208     $scope.edit_passthru.self_edit_disallowed = function() {
2209         if ($scope.patron.id
2210             && $scope.patron.id == egCore.auth.user().id()
2211             && !$scope.perms.EDIT_SELF_IN_CLIENT
2212         ) return true;
2213         return false;
2214     }
2215
2216     // Returns true if attempting to edit a user without appropriate group application perms
2217     $scope.edit_passthru.group_edit_disallowed = function() {
2218         if ( $scope.patron.profile
2219              && patronRegSvc
2220                 .edit_profiles
2221                 .filter(function(p) {
2222                     return $scope.patron.profile.id() == p.id();
2223                 }).length == 0
2224         ) return true;
2225         return false;
2226     }
2227
2228     // Returns true if the Save and Save & Clone buttons should be disabled.
2229     $scope.edit_passthru.hide_save_actions = function() {
2230         if ($scope.edit_passthru.self_edit_disallowed()) return true;
2231         if ($scope.edit_passthru.group_edit_disallowed()) return true;
2232
2233         return $scope.patron.isnew ?
2234             !$scope.perms.CREATE_USER : 
2235             !$scope.perms.UPDATE_USER;
2236     }
2237
2238     // Returns true if any input elements are tagged as invalid
2239     // via Angular patterns or required attributes.
2240     function form_has_invalid_fields() {
2241         return $('#patron-reg-container .ng-invalid').length > 0;
2242     }
2243
2244     function form_is_incomplete() {
2245         return (
2246             $scope.dupe_username ||
2247             $scope.dupe_barcode ||
2248             form_has_invalid_fields()
2249         );
2250
2251     }
2252
2253     $scope.edit_passthru.save = function(save_args) {
2254         if (!save_args) save_args = {};
2255
2256         if (form_is_incomplete()) {
2257             // User has not provided valid values for all required fields.
2258             return egAlertDialog.open(egCore.strings.REG_INVALID_FIELDS);
2259         }
2260
2261         // remove page unload warning prompt
2262         egUnloadPrompt.clear();
2263
2264         // toss the deleted addresses back into the patron's list of
2265         // addresses so it's included in the update
2266         $scope.patron.addresses = 
2267             $scope.patron.addresses.concat(deleted_addresses);
2268         
2269         // ditto for waiver entries
2270         $scope.patron.waiver_entries = 
2271             $scope.patron.waiver_entries.concat(deleted_waiver_entries);
2272
2273         compress_hold_notify();
2274
2275         var updated_user;
2276
2277         patronRegSvc.save_user($scope.patron)
2278         .then(function(new_user) { 
2279             if (new_user && new_user.classname) {
2280                 updated_user = new_user;
2281                 return patronRegSvc.save_user_settings(
2282                     new_user, $scope.user_settings); 
2283             } else {
2284                 var evt = egCore.evt.parse(new_user);
2285
2286                 if (evt && evt.textcode == 'XACT_COLLISION') {
2287                     return egAlertDialog.open(
2288                         egCore.strings.PATRON_EDIT_COLLISION).result;
2289                 }
2290
2291                 // debug only -- should not get here.
2292                 alert('Patron update failed. \n\n' + js2JSON(new_user));
2293             }
2294
2295         }).then(function() {
2296
2297             // only remove the staged user if the update succeeded.
2298             if (updated_user) 
2299                 return patronRegSvc.remove_staged_user();
2300
2301             return $q.when();
2302
2303         }).then(function() {
2304
2305             // linked groups for new users must be created after the new
2306             // user is created.
2307             if ($scope.patron.isnew && 
2308                 $scope.patron.groups && $scope.patron.groups.length) {
2309                 var ids = $scope.patron.groups.map(function(g) {return g.id()});
2310                 return patronRegSvc.apply_secondary_groups(updated_user.id(), ids)
2311             }
2312             return $q.when();
2313
2314         }).then(findChangedFieldsAffectedHolds)
2315         .then(function(changed_fields_plus_holds) {
2316             var needModal = changed_fields_plus_holds[0] && changed_fields_plus_holds[0].length > 0;
2317             return needModal
2318                 ? $scope.update_holds_notify_modal(changed_fields_plus_holds[0])
2319                 : $q.when(); // nothing changed, continue
2320         }).then(function() {
2321             if (updated_user) {
2322                 egWorkLog.record(
2323                     $scope.patron.isnew
2324                     ? egCore.strings.EG_WORK_LOG_REGISTERED_PATRON
2325                     : egCore.strings.EG_WORK_LOG_EDITED_PATRON, {
2326                         'action' : $scope.patron.isnew ? 'registered_patron' : 'edited_patron',
2327                         'patron_id' : updated_user.id()
2328                     }
2329                 );
2330             }
2331
2332             // reloading the page means potentially losing some information
2333             // (e.g. last patron search), but is the only way to ensure all
2334             // components are properly updated to reflect the modified patron.
2335             if (updated_user && save_args.clone) {
2336                 // open a separate tab for registering a new 
2337                 // patron from our cloned data.
2338                 var url = 'https://' 
2339                     + $window.location.hostname 
2340                     + egCore.env.basePath 
2341                     + '/circ/patron/register/clone/' 
2342                     + updated_user.id();
2343                 $window.open(url, '_blank').focus();
2344
2345             } else if ($window.location.href.indexOf('stage') > -1 ){
2346                 // we're here after deleting a self-reg staged user.
2347                 // Just close tab, since refresh won't find staged user
2348                 $timeout(function(){
2349                     if (typeof BroadcastChannel != 'undefined') {
2350                         var bChannel = new BroadcastChannel("eg.pending_usr.update");
2351                         bChannel.postMessage({
2352                             usr: egCore.idl.toHash(updated_user)
2353                         });
2354                     }
2355
2356                     $window.close();
2357                 });
2358             } else {
2359                 // reload the current page
2360                 $window.location.href = location.href;
2361             }
2362         });
2363     }
2364     
2365     var phone_inputs = ["day_phone", "evening_phone","other_phone", "default_phone"];
2366     var sms_inputs = ["default_sms", "default_sms_carrier_id"];
2367     var method_prefs = ["sms_notify", "phone_notify", "email_notify"];
2368     var groupBy = function(xs, key){
2369         return xs.reduce(function(rv, x){
2370             (rv[x[key]] = rv[x[key]] || []).push(x);
2371             return rv;
2372         }, {});
2373     };
2374
2375     function findChangedFieldsAffectedHolds(){
2376     
2377         var changed_hold_fields = [];
2378
2379         var default_phone_changed = false;
2380         var default_sms_carrier_changed = false;
2381         var default_sms_changed = false;
2382         for (var c in $scope.hold_rel_contacts){
2383             var newinput = $scope.hold_rel_contacts[c].newval;
2384             if ($scope.hold_rel_contacts.hasOwnProperty(c)
2385                 && newinput !== null // null means user has not provided a value in this session
2386                 && newinput != $scope.hold_rel_contacts[c].old){
2387                 var changed = $scope.hold_rel_contacts[c];
2388                 changed.name = c;
2389                 changed.isChecked = false;
2390                 changed_hold_fields.push(changed);
2391                 if (c === 'default_phone') default_phone_changed = true;
2392                 if (c === 'default_sms_carrier_id') default_sms_carrier_changed = true;
2393                 if (c === 'default_sms') default_sms_changed = true;
2394             }
2395         }
2396
2397         for (var c in $scope.hold_notify_observer){
2398             var newinput = $scope.hold_notify_observer[c].newval;
2399             if ($scope.hold_notify_observer.hasOwnProperty(c)
2400                 && newinput !== null // null means user has not provided a value in this session
2401                 && newinput != $scope.hold_notify_observer[c].old){
2402                 var changed = $scope.hold_notify_observer[c];
2403                 changed.name = c + "_notify";
2404                 changed.isChecked = false;
2405                 changed_hold_fields.push(changed);
2406
2407                 // if we're turning on phone notifications, offer to update to the
2408                 // current default number
2409                 if (c === 'phone' && $scope.user_settings['opac.default_phone'] && newinput && !default_phone_changed) {
2410                     changed_hold_fields.push({
2411                         name: 'default_phone',
2412                         old: 'nosuch',
2413                         newval: $scope.user_settings['opac.default_phone'],
2414                         isChecked: false
2415                     });
2416                 }
2417                 // and similarly for SMS
2418                 if (c === 'sms' && $scope.user_settings['opac.default_sms_carrier'] && newinput && !default_sms_carrier_changed) {
2419                     changed_hold_fields.push({
2420                         name: 'default_sms_carrier_id',
2421                         old: -1,
2422                         newval: $scope.user_settings['opac.default_sms_carrier'],
2423                         isChecked: false
2424                     });
2425                 }
2426                 if (c === 'sms' && $scope.user_settings['opac.default_sms_notify'] && newinput && !default_sms_changed) {
2427                     changed_hold_fields.push({
2428                         name: 'default_sms',
2429                         old: 'nosuch',
2430                         newval: $scope.user_settings['opac.default_sms_notify'],
2431                         isChecked: false
2432                     });
2433                 }
2434             }
2435         }
2436
2437         var promises = [];
2438         angular.forEach(changed_hold_fields, function(c){
2439             promises.push(egCore.net.request('open-ils.circ',
2440             'open-ils.circ.holds.retrieve_by_notify_staff',
2441             egCore.auth.token(),
2442             $scope.patron.id,
2443             c.name.includes('notify') || c.name.includes('carrier') ? c.old : c.newval,
2444             c.name)
2445                 .then(function(affected_holds){
2446                     if(!affected_holds || affected_holds.length < 1){
2447                         // no holds affected - remove change from list
2448                         var p = changed_hold_fields.indexOf(c);
2449                         changed_hold_fields.splice(p, 1);
2450                     } else {
2451                         c.affects = affected_holds;
2452                         //c.groups = {};
2453                         //angular.forEach(c.affects, function(h){
2454                         //    c.groups[]
2455                         //});
2456                         if (!c.name.includes("notify")){
2457                             if (c.name === "default_sms_carrier_id") {
2458                                 c.groups = groupBy(c.affects,'sms_carrier');
2459                             } else {
2460                                 c.groups = groupBy(c.affects, c.name.includes('_phone') ? 'phone_notify':'sms_notify');
2461                             }
2462                         }
2463                     }
2464                     return $q.when(changed_hold_fields);
2465                 })
2466             );
2467         });
2468
2469         return $q.all(promises);
2470     }
2471
2472     $scope.update_holds_notify_modal = function(changed_hold_fields){
2473         // open modal after-save, pre-reload modal to deal with updated hold notification stuff
2474         if ($scope.patron.isnew || changed_hold_fields.length < 1){
2475             return $q.when();
2476         }
2477
2478         return $uibModal.open({
2479             templateUrl: './circ/patron/t_hold_notify_update',
2480             backdrop: 'static',
2481             controller:
2482                        ['$scope','$uibModalInstance','changed_fields','patron','carriers','def_carrier_id','default_phone','default_sms',
2483                 function($scope , $uibModalInstance , changed_fields , patron,  carriers,  def_carrier_id , default_phone , default_sms) {
2484                 // local modal scope
2485                 $scope.ch_fields = changed_fields;
2486                 $scope.focusMe = true;
2487                 $scope.ok = function(msg) {
2488
2489                     // Need to do this so the page will reload automatically
2490                     if (msg == 'no-update') return $uibModalInstance.close();
2491
2492                     //var selectedChanges = $scope.changed_fields.filter(function(c) {
2493                     //    return c.isChecked;
2494                     //});
2495                     var selectedChanges = [];
2496                     angular.forEach($scope.ch_fields, function(f){
2497                         if (f.name == 'phone_notify' && f.newval && f.isChecked) {
2498                             // convert to default_phone change
2499                             f.sel_hids = f.affects.map(function(h){ return h.id});
2500                             f.newval = default_phone;
2501                             f.name = 'default_phone';
2502                             selectedChanges.push(f);
2503                         } else if (f.name == 'sms_notify' && f.newval && f.isChecked) {
2504                             // convert to default_sms change
2505                             f.sel_hids = f.affects.map(function(h){ return h.id});
2506                             f.newval = default_sms;
2507                             f.name = 'default_sms';
2508                             selectedChanges.push(f);
2509                         } else if (f.name.includes('notify') || f.name.includes('carrier')){
2510                             if (f.isChecked){
2511                                 f.sel_hids = f.affects.map(function(h){ return h.id});
2512                                 selectedChanges.push(f);
2513                             }
2514                         } else {
2515                             // this is the sms or phone, so look in the groups obj
2516                             f.sel_hids = [];
2517                             for (var k in f.groups){
2518                                 if (f.groups.hasOwnProperty(k)){
2519                                     var sel_holds = f.groups[k].filter(function(h){
2520                                         return h.isChecked;
2521                                     });
2522                                     
2523                                     var hids = sel_holds.map(function(h){ return h.id});
2524                                     f.sel_hids.push.apply(f.sel_hids, hids);
2525                                 }
2526                             }
2527
2528                             if (f.sel_hids.length > 0) selectedChanges.push(f);
2529                         }
2530                     });
2531
2532
2533                     // call method to update holds for each change
2534                     var chain = $q.when();
2535                     angular.forEach(selectedChanges, function(c){
2536                         var carrierId = c.name.includes('default_sms') ? Number(def_carrier_id) : null;
2537                         chain = chain.then(function() {
2538                             return egCore.net.request('open-ils.circ',
2539                                     'open-ils.circ.holds.batch_update_holds_by_notify_staff', egCore.auth.token(),
2540                                     patron.id,
2541                                     c.sel_hids,
2542                                     c.old, // TODO: for number changes, old val is effectively moot
2543                                     c.newval,
2544                                     c.name,
2545                                     carrierId).then(function(okList){ console.log(okList) });
2546                         });
2547                     });
2548
2549                     // carry out the updates and close modal
2550                     chain.finally(function(){ $uibModalInstance.close() });
2551                 }
2552
2553                 $scope.cancel = function () { $uibModalInstance.dismiss() }
2554
2555                 $scope.isNumberCh = function(c){
2556                     return !(c.name.includes('notify') || c.name.includes('carrier'));
2557                 }
2558
2559                 $scope.chgCt = 0;
2560                 $scope.groupChanged = function(ch_f, grpK){
2561                     var holdArr = ch_f.groups[grpK];
2562                     if (holdArr && holdArr.length > 0){
2563                         angular.forEach(holdArr, function(h){
2564                             if (h.isChecked) { h.isChecked = !h.isChecked; $scope.chgCt-- }
2565                             else { h.isChecked = true; $scope.chgCt++ }
2566                         });
2567                     }
2568                 }
2569                 
2570                 $scope.nonGrpChanged = function(field_ch){
2571                     if (field_ch.isChecked) $scope.chgCt++;
2572                     else $scope.chgCt--;
2573                 };
2574
2575                 // use this function as a keydown handler on form
2576                 // elements that should not submit the form on enter.
2577                 $scope.preventSubmit = function($event) {
2578                     if ($event.keyCode == 13)
2579                         $event.preventDefault();
2580                 }
2581
2582                 $scope.prettyCarrier = function(carrierId){
2583                     var sms_carrierObj = carriers.find(function(c){ return c.id == carrierId});
2584                     return sms_carrierObj.name;
2585                 };
2586                 $scope.prettyBool = function(v){
2587                     return v ? 'YES' : 'NO';
2588                 };
2589             }],
2590             resolve : {
2591                     changed_fields : function(){ return changed_hold_fields },
2592                     patron : function(){ return $scope.patron },
2593                     def_carrier_id : function(){
2594                                        var d = $scope.hold_rel_contacts.default_sms_carrier_id;
2595                                        return d.newval ? d.newval : d.old;
2596                                     },
2597                     default_phone : function() {
2598                                         return ($scope.hold_rel_contacts.default_phone.newval) ?
2599                                                     $scope.hold_rel_contacts.default_phone.newval :
2600                                                     $scope.hold_rel_contacts.default_phone.old;
2601                                     },
2602                     default_sms : function() {
2603                                         return ($scope.hold_rel_contacts.default_sms.newval) ?
2604                                                     $scope.hold_rel_contacts.default_sms.newval :
2605                                                     $scope.hold_rel_contacts.default_sms.old;
2606                                     },
2607                     carriers : function(){ return $scope.sms_carriers.map(function(c){ return egCore.idl.toHash(c) }) }
2608                 }
2609         }).result;
2610     }
2611     
2612     $scope.edit_passthru.print = function() {
2613         var print_data = {patron : $scope.patron}
2614
2615         return egCore.print.print({
2616             context : 'default',
2617             template : 'patron_data',
2618             scope : print_data
2619         });
2620     }
2621 }])