]> git.evergreen-ils.org Git - working/Evergreen.git/blob - Open-ILS/web/js/ui/default/staff/admin/workstation/app.js
012eab08bd0aac17517908d85b6d86d72c608075
[working/Evergreen.git] / Open-ILS / web / js / ui / default / staff / admin / workstation / app.js
1 /**
2  * App to drive the base page. 
3  * Login Form
4  * Splash Page
5  */
6
7 angular.module('egWorkstationAdmin', 
8     ['ngRoute', 'ui.bootstrap', 'egCoreMod', 'egUiMod'])
9
10 .config(['$routeProvider','$locationProvider','$compileProvider', 
11  function($routeProvider , $locationProvider , $compileProvider) {
12
13     $locationProvider.html5Mode(true);
14     $compileProvider.aHrefSanitizationWhitelist(/^\s*(https?|mailto|blob):/); 
15     var resolver = {delay : function(egStartup) {return egStartup.go()}};
16
17     $routeProvider.when('/admin/workstation/workstations', {
18         templateUrl: './admin/workstation/t_workstations',
19         controller: 'WSRegCtrl',
20         resolve : resolver
21     });
22
23     $routeProvider.when('/admin/workstation/print/config', {
24         templateUrl: './admin/workstation/t_print_config',
25         controller: 'PrintConfigCtrl',
26         resolve : resolver
27     });
28
29     $routeProvider.when('/admin/workstation/print/templates', {
30         templateUrl: './admin/workstation/t_print_templates',
31         controller: 'PrintTemplatesCtrl',
32         resolve : resolver
33     });
34
35     $routeProvider.when('/admin/workstation/stored_prefs', {
36         templateUrl: './admin/workstation/t_stored_prefs',
37         controller: 'StoredPrefsCtrl',
38         resolve : resolver
39     });
40
41     $routeProvider.when('/admin/workstation/hatch', {
42         templateUrl: './admin/workstation/t_hatch',
43         controller: 'HatchCtrl',
44         resolve : resolver
45     });
46
47     $routeProvider.when('/admin/workstation/tests', {
48         templateUrl: './admin/workstation/t_tests',
49         controller: 'testsCtrl',
50         resolve : resolver
51     });
52     
53     // default page 
54     $routeProvider.otherwise({
55         templateUrl : './admin/workstation/t_splash',
56         controller : 'SplashCtrl',
57         resolve : resolver
58     });
59 }])
60
61 .config(['ngToastProvider', function(ngToastProvider) {
62   ngToastProvider.configure({
63     verticalPosition: 'bottom',
64     animation: 'fade'
65   });
66 }])
67
68 .factory('workstationSvc',
69        ['$q','$timeout','$location','egCore','egConfirmDialog',
70 function($q , $timeout , $location , egCore , egConfirmDialog) {
71     
72     var service = {};
73
74     service.get_all = function() {
75         return egCore.hatch.getItem('eg.workstation.all')
76         .then(function(all) { return all || [] });
77     }
78
79     service.get_default = function() {
80         return egCore.hatch.getItem('eg.workstation.default');
81     }
82
83     service.set_default = function(name) {
84         return egCore.hatch.setItem('eg.workstation.default', name);
85     }
86
87     service.register_workstation = function(base_name, name, org_id) {
88         return service.register_ws_api(base_name, name, org_id)
89         .then(function(ws_id) {
90             return service.track_new_ws(ws_id, name, org_id);
91         });
92     };
93
94     service.register_ws_api = 
95         function(base_name, name, org_id, override, deferred) {
96         if (!deferred) deferred = $q.defer();
97
98         var method = 'open-ils.actor.workstation.register';
99         if (override) method += '.override';
100
101         egCore.net.request(
102             'open-ils.actor', method, egCore.auth.token(), name, org_id)
103
104         .then(function(resp) {
105
106             if (evt = egCore.evt.parse(resp)) {
107                 console.log('register returned ' + evt.toString());
108
109                 if (evt.textcode == 'WORKSTATION_NAME_EXISTS' && !override) {
110
111                     egConfirmDialog.open(
112                         egCore.strings.WS_EXISTS, base_name, {  
113                             ok : function() {
114                                 service.register_ws_api(
115                                     base_name, name, org_id, true, deferred)
116                             },
117                             cancel : function() {
118                                 deferred.reject();
119                             }
120                         }
121                     );
122
123                 } else {
124                     alert(evt.toString());
125                     deferred.reject();
126                 }
127             } else if (resp) {
128                 console.log('Resolving register promise with: ' + resp);
129                 deferred.resolve(resp);
130             }
131         });
132
133         return deferred.promise;
134     }
135
136     service.track_new_ws = function(ws_id, ws_name, owning_lib) {
137         console.log('Tracking newly created WS with ID ' + ws_id);
138         var new_ws = {id : ws_id, name : ws_name, owning_lib : owning_lib};
139
140         return service.get_all()
141         .then(function(all) {
142             all.push(new_ws);
143             return egCore.hatch.setItem('eg.workstation.all', all)
144             .then(function() { return new_ws });
145         });
146     }
147
148     // Remove all traces of the workstation locally.
149     // This does not remove the WS from the server.
150     service.remove_workstation = function(name) {
151         console.debug('Removing workstation: ' + name);
152
153         return egCore.hatch.getItem('eg.workstation.all')
154
155         // remove from list of all workstations
156         .then(function(all) {
157             if (!all) all = [];
158             var keep = all.filter(function(ws) {return ws.name != name});
159             return egCore.hatch.setItem('eg.workstation.all', keep)
160
161         }).then(function() { 
162
163             return service.get_default()
164
165         }).then(function(def) {
166             if (def == name) {
167                 console.debug('Removing default workstation: ' + name);
168                 return egCore.hatch.removeItem('eg.workstation.default');
169             }
170         });
171     }
172
173     return service;
174 }])
175
176
177 .controller('SplashCtrl',
178        ['$scope','$window','$location','egCore','egConfirmDialog',
179 function($scope , $window , $location , egCore , egConfirmDialog) {
180
181     egCore.hatch.getItem('eg.audio.disable').then(function(val) {
182         $scope.disable_sound = val;
183     });
184
185     egCore.hatch.getItem('eg.search.search_lib').then(function(val) {
186         $scope.search_lib = egCore.org.get(val);
187     });
188     $scope.handle_search_lib_changed = function(org) {
189         egCore.hatch.setItem('eg.search.search_lib', org.id());
190     };
191
192     egCore.hatch.getItem('eg.search.pref_lib').then(function(val) {
193         $scope.pref_lib = egCore.org.get(val);
194     });
195     $scope.handle_pref_lib_changed = function(org) {
196         egCore.hatch.setItem('eg.search.pref_lib', org.id());
197     };
198
199     $scope.adv_pane = 'advanced'; // default value if not explicitly set
200     egCore.hatch.getItem('eg.search.adv_pane').then(function(val) {
201         $scope.adv_pane = val;
202     });
203     $scope.$watch('adv_pane', function(newVal, oldVal) {
204         if (typeof newVal != 'undefined' && newVal != oldVal) {
205             egCore.hatch.setItem('eg.search.adv_pane', newVal);
206         }
207     });
208
209     $scope.apply_sound = function() {
210         if ($scope.disable_sound) {
211             egCore.hatch.setItem('eg.audio.disable', true);
212         } else {
213             egCore.hatch.removeItem('eg.audio.disable');
214         }
215     }
216
217     $scope.test_audio = function(sound) {
218         egCore.audio.play(sound);
219     }
220
221 }])
222
223 .controller('PrintConfigCtrl',
224        ['$scope','egCore',
225 function($scope , egCore) {
226
227     $scope.printConfig = {};
228     $scope.setContext = function(ctx) { 
229         $scope.context = ctx; 
230         $scope.isTestView = false;
231     }
232     $scope.setContext('default');
233
234     $scope.setContentType = function(type) { $scope.contentType = type }
235     $scope.setContentType('text/plain');
236
237     $scope.useHatchPrinting = function() {
238         return egCore.hatch.usePrinting();
239     }
240
241     $scope.hatchIsOpen = function() {
242         return egCore.hatch.hatchAvailable;
243     }
244
245     $scope.getPrinterByAttr = function(attr, value) {
246         var printer;
247         angular.forEach($scope.printers, function(p) {
248             if (p[attr] == value) printer = p;
249         });
250         return printer;
251     }
252
253     $scope.resetPrinterSettings = function(context) {
254         $scope.printConfig[context] = {
255             context : context,
256             printer : $scope.defaultPrinter ? $scope.defaultPrinter.name : null,
257             autoMargins : true, 
258             allPages : true,
259             pageRanges : []
260         };
261     }
262
263     $scope.savePrinterSettings = function(context) {
264         return egCore.hatch.setPrintConfig(
265             context, $scope.printConfig[context]);
266     }
267
268     $scope.printerConfString = function() {
269         if ($scope.printConfigError) return $scope.printConfigError;
270         if (!$scope.printConfig) return;
271         if (!$scope.printConfig[$scope.context]) return;
272         return JSON.stringify(
273             $scope.printConfig[$scope.context], undefined, 2);
274     }
275
276     function loadPrinterOptions(name) {
277         egCore.hatch.getPrinterOptions(name).then(
278             function(options) {$scope.printerOptions = options});
279     }
280
281     $scope.setPrinter = function(name) {
282         $scope.printConfig[$scope.context].printer = name;
283         loadPrinterOptions(name);
284     }
285
286     $scope.testPrint = function(withDialog) {
287         if ($scope.contentType == 'text/plain') {
288             egCore.print.print({
289                 context : $scope.context, 
290                 content_type : $scope.contentType, 
291                 content : $scope.textPrintContent,
292                 show_dialog : withDialog
293             });
294         } else {
295             egCore.print.print({
296                 context : $scope.context,
297                 content_type : $scope.contentType, 
298                 content : $scope.htmlPrintContent, 
299                 scope : {
300                     value1 : 'Value One', 
301                     value2 : 'Value Two',
302                     date_value : '2015-02-04T14:04:34-0400'
303                 },
304                 show_dialog : withDialog
305             });
306         }
307     }
308
309     // Load startup data....
310     // Don't bother talking to Hatch if it's not there.
311     if (!egCore.hatch.hatchAvailable) return;
312
313     // fetch info on all remote printers
314     egCore.hatch.getPrinters()
315     .then(function(printers) { 
316         $scope.printers = printers;
317
318         var def = $scope.getPrinterByAttr('is-default', true);
319         if (!def && printers.length) def = printers[0];
320
321         if (def) {
322             $scope.defaultPrinter = def;
323             loadPrinterOptions(def.name);
324         }
325     }).then(function() {
326         angular.forEach(
327             ['default','receipt','label','mail','offline'],
328             function(ctx) {
329                 egCore.hatch.getPrintConfig(ctx).then(function(conf) {
330                     if (conf) {
331                         $scope.printConfig[ctx] = conf;
332                     } else {
333                         $scope.resetPrinterSettings(ctx);
334                     }
335                 });
336             }
337         );
338     });
339
340 }])
341
342 .controller('PrintTemplatesCtrl',
343        ['$scope','$q','egCore','ngToast',
344 function($scope , $q , egCore , ngToast) {
345
346     $scope.print = {
347         template_name : 'bills_current',
348         template_output : '',
349         template_context : 'default'
350     };
351
352     // print preview scope data
353     // TODO: consider moving the template-specific bits directly
354     // into the templates or storing template- specific script files
355     // alongside the templates.
356     // NOTE: A lot of this data can be shared across templates.
357     var seed_user = {
358         prefix : 'Mr',
359         first_given_name : 'Joseph',
360         second_given_name : 'Martin',
361         family_name : 'Jones',
362         suffix : 'III',
363         card : {
364             barcode : '30393830393'
365         },
366         money_summary : {
367             balance_owed : 4, // This is currently how these values are returned to the client
368             total_billed : '5.00',
369             total_paid : '1.00'
370         },
371         expire_date : '2020-12-31',
372         alias : 'Joey J.',
373         has_email : true,
374         has_phone : false,
375         dob : '1980-01-01T00:00:00-8:00',
376         juvenile : 'f',
377         usrname : '30393830393',
378         day_phone : '111-222-3333',
379         evening_phone : '222-333-1111',
380         other_phone : '333-111-2222',
381         email : 'user@example.com',
382         home_ou : {name: function() {return 'BR1'}},
383         profile : {name: function() {return 'Patrons'}},
384         net_access_level : {name: function() {return 'Filtered'}},
385         active : 't',
386         barred : 'f',
387         master_account : 'f',
388         claims_returned_count : '0',
389         claims_never_checked_out_count : '0',
390         alert_message : 'Coat is in the lost-and-found behind the circ desk',
391         ident_type: {name: function() {return 'Drivers License'}},
392         ident_value: '11332445',
393         ident_type2: {name: function() {return 'Other'}},
394         ident_value2 : '55442211',
395         addresses : [],
396         stat_cat_entries : [
397             {
398                 stat_cat : {'name' : 'Favorite Donut'},
399                 'stat_cat_entry' : 'Maple'
400             }, {
401                 stat_cat : {'name' : 'Favorite Book'},
402                 'stat_cat_entry' : 'Beasts Made of Night'
403             }
404         ]
405     }
406
407     var seed_addr = {
408         address_type : 'MAILING',
409         street1 : '123 Apple Rd',
410         street2 : 'Suite B',
411         city : 'Anywhere',
412         county : 'Great County',
413         state : 'XX',
414         country : 'US',
415         post_code : '12345',
416         valid : 't',
417         within_city_limits: 't'
418     }
419
420     seed_user.addresses.push(seed_addr);
421
422     var seed_record = {
423         title : 'Traveling Pants!!',
424         author : 'Jane Jones',
425         isbn : '1231312123'
426     };
427
428     var seed_copy = {
429         barcode : '33434322323',
430         call_number : {
431             label : '636.8 JON',
432             record : {
433                 simple_record : {
434                     'title' : 'Test Title'
435                 }
436             }
437         },
438         location : {
439             name : 'General Collection'
440         },
441         // flattened versions for item status template
442         // TODO - make this go away
443         'call_number.label' : '636.8 JON',
444         'call_number.record.simple_record.title' : 'Test Title',
445         'location.name' : 'General Colleciton'
446     }
447
448     var one_hold = {
449         behind_desk : 'f',
450         phone_notify : '111-222-3333',
451         sms_notify : '111-222-3333',
452         email_notify : 'user@example.org',
453         request_time : new Date().toISOString(),
454         hold_type : 'T',
455         shelf_expire_time : new Date().toISOString()
456     }
457
458     var seed_transit = {
459         source : {
460             name : 'Library Y',
461             shortname : 'LY',
462             holds_address : seed_addr
463         },
464         dest : {
465             name : 'Library X',
466             shortname : 'LX',
467             holds_address : seed_addr
468         },
469         source_send_time : new Date().toISOString(),
470         target_copy : seed_copy
471     }
472
473     $scope.preview_scope = {
474         //bills
475         transactions : [
476             {
477                 id : 1,
478                 xact_start : new Date().toISOString(),
479                 summary : {
480                     xact_type : 'circulation',
481                     last_billing_type : 'Overdue materials',
482                     total_owed : 1.50,
483                     last_payment_note : 'Test Note 1',
484                     last_payment_type : 'cash_payment',
485                     total_paid : 0.50,
486                     balance_owed : 1.00
487                 }
488             }, {
489                 id : 2,
490                 xact_start : new Date().toISOString(),
491                 summary : {
492                     xact_type : 'circulation',
493                     last_billing_type : 'Overdue materials',
494                     total_owed : 2.50,
495                     last_payment_note : 'Test Note 2',
496                     last_payment_type : 'credit_payment',
497                     total_paid : 0.50,
498                     balance_owed : 2.00
499                 }
500             }
501         ],
502
503         copy : seed_copy,
504         copies : [ seed_copy ],
505
506         checkins : [
507             {
508                 due_date : new Date().toISOString(),
509                 circ_lib : 1,
510                 duration : '7 days',
511                 target_copy : seed_copy,
512                 copy_barcode : seed_copy.barcode,
513                 call_number : seed_copy.call_number,
514                 title : seed_record.title
515             },
516         ],
517
518         circulations : [
519             {
520                 circ : {
521                     due_date : new Date().toISOString(),
522                     circ_lib : 1,
523                     duration : '7 days'
524                 },
525                 copy : seed_copy,
526                 title : seed_record.title,
527                 author : seed_record.author
528             },
529         ],
530
531         patron_money : {
532             balance_owed : 5.01,
533             total_owed : 10.12,
534             total_paid : 5.11
535         },
536
537         in_house_uses : [
538             {
539                 num_uses : 3,
540                 copy : seed_copy,
541                 title : seed_record.title
542             }
543         ],
544
545         previous_balance : 8.45,
546         payment_total : 2.00,
547         payment_applied : 2.00,
548         new_balance : 6.45,
549         amount_voided : 0,
550         change_given : 0,
551         payment_type : 'cash_payment',
552         payment_note : 'Here is a payment note',
553         note : {
554             create_date : new Date().toISOString(), 
555             title : 'Test Note Title',
556             usr : seed_user,
557             value : 'This patron is super nice!'
558         },
559
560         transit : seed_transit,
561         transits : [ seed_transit ],
562         title : seed_record.title,
563         author : seed_record.author,
564         patron : seed_user,
565         address : seed_addr,
566         dest_location : egCore.idl.toHash(egCore.org.get(egCore.auth.user().ws_ou())),
567         dest_address : seed_addr,
568         hold : one_hold,
569         holds : [
570             {
571                 hold : one_hold, title : 'Some Title 1', author : 'Some Author 1',
572                 volume : { label : '646.4 SOM' }, copy : seed_copy,
573                 part : { label : 'v. 1' },
574                 patron_barcode : 'S52802662',
575                 patron_alias : 'XYZ', patron_last : 'Smith', patron_first : 'Jane',
576                 status_string : 'Ready for Pickup'
577             },
578             {
579                 hold : one_hold, title : 'Some Title 2', author : 'Some Author 2',
580                 volume : { label : '646.4 SOM' }, copy : seed_copy,
581                 part : { label : 'v. 1' },
582                 patron_barcode : 'S52802662',
583                 patron_alias : 'XYZ', patron_last : 'Smith', patron_first : 'Jane',
584                 status_string : 'Ready for Pickup'
585             },
586             {
587                 hold : one_hold, title : 'Some Title 3', author : 'Some Author 3',
588                 volume : { label : '646.4 SOM' }, copy : seed_copy,
589                 part : { label : 'v. 1' },
590                 patron_barcode : 'S52802662',
591                 patron_alias : 'XYZ', patron_last : 'Smith', patron_first : 'Jane',
592                 status_string : 'Canceled'
593             }
594         ]
595     }
596
597     $scope.preview_scope.payments = [
598         {amount : 1.00, xact : $scope.preview_scope.transactions[0]}, 
599         {amount : 1.00, xact : $scope.preview_scope.transactions[1]}
600     ]
601     $scope.preview_scope.payments[0].xact.title = 'Hali Bote Azikaban de tao fan';
602     $scope.preview_scope.payments[0].xact.copy_barcode = '334343434';
603     $scope.preview_scope.payments[1].xact.title = seed_record.title;
604     $scope.preview_scope.payments[1].xact.copy_barcode = seed_copy.barcode;
605
606     // today, staff, current_location, etc.
607     egCore.print.fleshPrintScope($scope.preview_scope);
608
609     $scope.template_changed = function() {
610         $scope.print.load_failed = false;
611         egCore.print.getPrintTemplate($scope.print.template_name)
612         .then(
613             function(html) { 
614                 $scope.print.template_content = html;
615                 console.log('set template content');
616             },
617             function() {
618                 $scope.print.template_content = '';
619                 $scope.print.load_failed = true;
620             }
621         );
622         egCore.print.getPrintTemplateContext($scope.print.template_name)
623         .then(function(template_context) {
624             $scope.print.template_context = template_context;
625         });
626     }
627
628     $scope.reset_to_default = function() {
629         egCore.print.removePrintTemplate(
630             $scope.print.template_name
631         );
632         egCore.print.removePrintTemplateContext(
633             $scope.print.template_name
634         );
635         $scope.template_changed();
636     }
637
638     $scope.save_locally = function() {
639         egCore.print.storePrintTemplate(
640             $scope.print.template_name,
641             $scope.print.template_content
642         );
643         egCore.print.storePrintTemplateContext(
644             $scope.print.template_name,
645             $scope.print.template_context
646         );
647     }
648
649     $scope.exportable_templates = function() {
650         var templates = {};
651         var contexts = {};
652         var deferred = $q.defer();
653         var promises = [];
654         egCore.hatch.getKeys('eg.print.template').then(function(keys) {
655             angular.forEach(keys, function(key) {
656                 if (key.match(/^eg\.print\.template\./)) {
657                     promises.push(egCore.hatch.getItem(key).then(function(value) {
658                         templates[key.replace('eg.print.template.', '')] = value;
659                     }));
660                 } else {
661                     promises.push(egCore.hatch.getItem(key).then(function(value) {
662                         contexts[key.replace('eg.print.template_context.', '')] = value;
663                     }));
664                 }
665             });
666             $q.all(promises).then(function() {
667                 if (Object.keys(templates).length) {
668                     deferred.resolve({
669                         templates: templates,
670                         contexts: contexts
671                     });
672                 } else {
673                     ngToast.warning(egCore.strings.PRINT_TEMPLATES_FAIL_EXPORT);
674                     deferred.reject();
675                 }
676             });
677         });
678         return deferred.promise;
679     }
680
681     $scope.imported_print_templates = { data : '' };
682     $scope.$watch('imported_print_templates.data', function(newVal, oldVal) {
683         if (newVal && newVal != oldVal) {
684             try {
685                 var data = JSON.parse(newVal);
686                 angular.forEach(data.templates, function(template_content, template_name) {
687                     egCore.print.storePrintTemplate(template_name, template_content);
688                 });
689                 angular.forEach(data.contexts, function(template_context, template_name) {
690                     egCore.print.storePrintTemplateContext(template_name, template_context);
691                 });
692                 $scope.template_changed(); // refresh
693                 ngToast.create(egCore.strings.PRINT_TEMPLATES_SUCCESS_IMPORT);
694             } catch (E) {
695                 ngToast.warning(egCore.strings.PRINT_TEMPLATES_FAIL_IMPORT);
696             }
697         }
698     });
699
700     $scope.template_changed(); // load the default
701 }])
702
703 // 
704 .directive('egPrintTemplateOutput', ['$compile',function($compile) {
705     return function(scope, element, attrs) {
706         scope.$watch(
707             function(scope) {
708                 return scope.$eval(attrs.content);
709             },
710             function(value) {
711                 // create an isolate scope and copy the print context
712                 // data into the new scope.
713                 // TODO: see also print security concerns in egHatch
714                 var result = element.html(value);
715                 var context = scope.$eval(attrs.context);
716                 var print_scope = scope.$new(true);
717                 angular.forEach(context, function(val, key) {
718                     print_scope[key] = val;
719                 })
720                 $compile(element.contents())(print_scope);
721             }
722         );
723     };
724 }])
725
726 .controller('StoredPrefsCtrl',
727        ['$scope','$q','egCore','egConfirmDialog',
728 function($scope , $q , egCore , egConfirmDialog) {
729     console.log('StoredPrefsCtrl');
730
731     $scope.setContext = function(ctx) {
732         $scope.context = ctx;
733     }
734     $scope.setContext('local');
735
736     // grab the edit perm
737     $scope.userHasDeletePerm = false;
738     egCore.perm.hasPermHere('ADMIN_WORKSTATION')
739     .then(function(bool) { $scope.userHasDeletePerm = bool });
740
741     // fetch the keys
742
743     function refreshKeys() {
744         $scope.keys = {local : [], remote : []};
745
746         if (egCore.hatch.hatchAvailable) {
747             egCore.hatch.getRemoteKeys().then(
748                 function(keys) { $scope.keys.remote = keys.sort() })
749         }
750     
751         // local calls are non-async
752         $scope.keys.local = egCore.hatch.getLocalKeys();
753     }
754     refreshKeys();
755
756     $scope.selectKey = function(key) {
757         $scope.currentKey = key;
758         $scope.currentKeyContent = null;
759
760         if ($scope.context == 'local') {
761             $scope.currentKeyContent = egCore.hatch.getLocalItem(key);
762         } else {
763             egCore.hatch.getRemoteItem(key)
764             .then(function(content) {
765                 $scope.currentKeyContent = content
766             });
767         }
768     }
769
770     $scope.getCurrentKeyContent = function() {
771         return JSON.stringify($scope.currentKeyContent, null, 2);
772     }
773
774     $scope.removeKey = function(key) {
775         egConfirmDialog.open(
776             egCore.strings.PREFS_REMOVE_KEY_CONFIRM, '',
777             {   deleteKey : key,
778                 ok : function() {
779                     if ($scope.context == 'local') {
780                         egCore.hatch.removeLocalItem(key);
781                         refreshKeys();
782                     } else {
783                         egCore.hatch.removeItem(key)
784                         .then(function() { refreshKeys() });
785                     }
786                 },
787                 cancel : function() {} // user canceled, nothing to do
788             }
789         );
790     }
791 }])
792
793 .controller('WSRegCtrl',
794        ['$scope','$q','$window','$location','egCore','egAlertDialog','workstationSvc',
795 function($scope , $q , $window , $location , egCore , egAlertDialog , workstationSvc) {
796
797     var all_workstations = [];
798     var reg_perm_orgs = [];
799
800     $scope.page_loaded = false;
801     $scope.contextOrg = egCore.org.get(egCore.auth.user().ws_ou());
802     $scope.wsOrgChanged = function(org) { $scope.contextOrg = org; }
803
804     console.log('set context org to ' + $scope.contextOrg);
805
806     // fetch workstation reg perms
807     egCore.perm.hasPermAt('REGISTER_WORKSTATION', true)
808     .then(function(orgList) { 
809         reg_perm_orgs = orgList;
810
811         // hide orgs in the context org selector where this login
812         // does not have the reg_ws perm or the org can't have users
813         $scope.wsOrgHidden = function(id) {
814             return reg_perm_orgs.indexOf(id) == -1
815                 || $scope.cant_have_users(id);
816         }
817
818     // fetch the locally stored workstation data
819     }).then(function() {
820         return workstationSvc.get_all()
821         
822     }).then(function(all) {
823         all_workstations = all || [];
824         $scope.workstations = 
825             all_workstations.map(function(w) { return w.name });
826         return workstationSvc.get_default()
827
828     // fetch the default workstation
829     }).then(function(def) { 
830         $scope.defaultWS = def;
831         $scope.activeWS = $scope.selectedWS = egCore.auth.workstation() || def;
832
833     // Handle any URL commands.
834     }).then(function() {
835         var remove = $location.search().remove;
836          if (remove) {
837             console.log('Removing WS via URL request: ' + remove);
838             return $scope.remove_ws(remove).then(
839                 function() { $scope.page_loaded = true; });
840         }
841         $scope.page_loaded = true;
842     });
843
844     $scope.get_ws_label = function(ws) {
845         return ws == $scope.defaultWS ? 
846             egCore.strings.$replace(egCore.strings.DEFAULT_WS_LABEL, {ws:ws}) : ws;
847     }
848
849     $scope.set_default_ws = function(name) {
850         delete $scope.removing_ws;
851         $scope.defaultWS = name;
852         workstationSvc.set_default(name);
853     }
854
855     $scope.cant_have_users = 
856         function (id) { return !egCore.org.CanHaveUsers(id); };
857     $scope.cant_have_volumes = 
858         function (id) { return !egCore.org.CanHaveVolumes(id); };
859
860     // Log out and return to login page with selected WS 
861     $scope.use_now = function() {
862         egCore.auth.logout();
863         $window.location.href = $location
864             .path('/login')
865             .search({ws : $scope.selectedWS})
866             .absUrl();
867     }
868
869     $scope.can_delete_ws = function(name) {
870         var ws = all_workstations.filter(
871             function(ws) { return ws.name == name })[0];
872         return ws && reg_perm_orgs.indexOf(ws.owning_lib) != -1;
873     }
874
875     $scope.remove_ws = function(remove_me) {
876         $scope.removing_ws = remove_me;
877
878         // Perm is used to disable Remove button in UI, but have to check
879         // again here in case we're removing a WS based on URL params.
880         if (!$scope.can_delete_ws(remove_me)) return $q.when();
881
882         $scope.is_removing = true;
883         return workstationSvc.remove_workstation(remove_me)
884         .then(function() {
885
886             all_workstations = all_workstations.filter(
887                 function(ws) { return ws.name != remove_me });
888
889             $scope.workstations = $scope.workstations.filter(
890                 function(ws) { return ws != remove_me });
891
892             if ($scope.selectedWS == remove_me) 
893                 $scope.selectedWS = $scope.workstations[0];
894
895             if ($scope.defaultWS == remove_me) 
896                 $scope.defaultWS = '';
897
898             $scope.is_removing = false;
899         });
900     }
901
902     $scope.register_ws = function() {
903         delete $scope.removing_ws;
904
905         var full_name = 
906             $scope.contextOrg.shortname() + '-' + $scope.newWSName;
907
908         if ($scope.workstations.indexOf(full_name) > -1) {
909             // avoid duplicate local registrations
910             return egAlertDialog.open(egCore.strings.WS_USED);
911         }
912
913         $scope.is_registering = true;
914         workstationSvc.register_workstation(
915             $scope.newWSName, full_name,
916             $scope.contextOrg.id()
917
918         ).then(function(new_ws) {
919             $scope.workstations.push(new_ws.name);
920             all_workstations.push(new_ws);  
921             $scope.is_registering = false;
922
923             if (!$scope.selectedWS) {
924                 $scope.selectedWS = new_ws.name;
925             }
926             if (!$scope.defaultWS) {
927                 return $scope.set_default_ws(new_ws.name);
928             }
929             $scope.newWSName = '';
930         }, function(err) {
931             $scope.is_registering = false;
932         });
933     }
934 }])
935
936 .controller('HatchCtrl',
937        ['$scope','egCore','ngToast',
938 function($scope , egCore , ngToast) {
939     var hatch = egCore.hatch;  // convenience
940
941     $scope.hatch_available = hatch.hatchAvailable;
942     $scope.hatch_printing = hatch.usePrinting();
943     $scope.hatch_settings = hatch.useSettings();
944     $scope.hatch_offline  = hatch.useOffline();
945
946     // Apply Hatch settings as changes occur in the UI.
947     
948     $scope.$watch('hatch_printing', function(newval) {
949         if (typeof newval != 'boolean') return;
950         hatch.setLocalItem('eg.hatch.enable.printing', newval);
951     });
952
953     $scope.$watch('hatch_settings', function(newval) {
954         if (typeof newval != 'boolean') return;
955         hatch.setLocalItem('eg.hatch.enable.settings', newval);
956     });
957
958     $scope.$watch('hatch_offline', function(newval) {
959         if (typeof newval != 'boolean') return;
960         hatch.setLocalItem('eg.hatch.enable.offline', newval);
961     });
962
963     $scope.copy_to_hatch = function() {
964         hatch.copySettingsToHatch().then(
965             function() {
966                 ngToast.create(egCore.strings.HATCH_SETTINGS_MIGRATION_SUCCESS)},
967             function() {
968                 ngToast.warning(egCore.strings.HATCH_SETTINGS_MIGRATION_FAILURE)}
969         );
970     }
971
972     $scope.copy_to_local = function() {
973         hatch.copySettingsToLocal().then(
974             function() {
975                 ngToast.create(egCore.strings.HATCH_SETTINGS_MIGRATION_SUCCESS)},
976             function() {
977                 ngToast.warning(egCore.strings.HATCH_SETTINGS_MIGRATION_FAILURE)}
978         );
979     }
980
981 }])
982
983 /*
984  * Home of the Latency tester
985  * */
986 .controller('testsCtrl', ['$scope', '$location', 'egCore', function($scope, $location, egCore) {
987     $scope.hostname = $location.host();
988
989     $scope.tests = [];
990     $scope.clearTestData = function(){
991         $scope.tests = [];
992         numPings = 0;
993     }
994
995     $scope.isTesting = false;
996     $scope.avrg = 0; // avrg latency
997     $scope.canCopyCommand = document.queryCommandSupported('copy');
998     var numPings = 0;
999     // initially fetch first 10 (gets a decent average)
1000
1001     function calcAverage(){
1002
1003         if ($scope.tests.length == 0) return 0;
1004
1005         if ($scope.tests.length == 1) return $scope.tests[0].l;
1006
1007         var sum = 0;
1008         angular.forEach($scope.tests, function(t){
1009             sum += t.l;
1010         });
1011
1012         return sum / $scope.tests.length;
1013     }
1014
1015     function ping(){
1016         $scope.isTesting = true;
1017         var t = Date.now();
1018         return egCore.net.request(
1019             "open-ils.pcrud", "opensrf.system.echo", "ping"
1020         ).then(function(resp){
1021             var t2 = Date.now();
1022             var latency = t2 - t;
1023             $scope.tests.push({t: new Date(t), l: latency});
1024             console.log("Start: " + t + " and end: " + t2);
1025             console.log("Latency: " + latency);
1026             console.log(resp);
1027         }).then(function(){
1028             $scope.avrg = calcAverage();
1029             numPings++;
1030             $scope.isTesting = false;
1031         });
1032     }
1033
1034     $scope.testLatency = function(){
1035
1036         if (numPings >= 10){
1037             ping(); // just ping once after the initial ten
1038         } else {
1039             ping()
1040                 .then($scope.testLatency)
1041                 .then(function(){
1042                     if (numPings == 9){
1043                         $scope.tests.shift(); // toss first result
1044                         $scope.avrg = calcAverage();
1045                     }
1046                 });
1047         }
1048     }
1049
1050     $scope.copyTests = function(){
1051
1052         var lNode = document.querySelector('#pingData');
1053         var r = document.createRange();
1054         r.selectNode(lNode);
1055         var sel = window.getSelection();
1056         sel.removeAllRanges();
1057         sel.addRange(r);
1058         document.execCommand('copy');
1059     }
1060
1061 }])
1062
1063