]> git.evergreen-ils.org Git - working/Evergreen.git/blob - Open-ILS/web/js/ui/default/staff/services/grid.js
LP#1635386 Clarify and simplify row highlighting code
[working/Evergreen.git] / Open-ILS / web / js / ui / default / staff / services / grid.js
1 angular.module('egGridMod', 
2     ['egCoreMod', 'egUiMod', 'ui.bootstrap'])
3
4 .directive('egGrid', function() {
5     return {
6         restrict : 'AE',
7         transclude : true,
8         scope : {
9
10             // IDL class hint (e.g. "aou")
11             idlClass : '@',
12
13             // default page size
14             pageSize : '@',
15
16             // if true, grid columns are derived from all non-virtual
17             // fields on the base idlClass
18             autoFields : '@',
19
20             // grid preferences will be stored / retrieved with this key
21             persistKey : '@',
22
23             // field whose value is unique and may be used for item
24             // reference / lookup.  This will usually be someting like
25             // "id".  This is not needed when using autoFields, since we
26             // can determine the primary key directly from the IDL.
27             idField : '@',
28
29             // Reference to externally provided egGridDataProvider
30             itemsProvider : '=',
31
32             // Reference to externally provided item-selection handler
33             onSelect : '=',
34
35             // Reference to externally provided after-item-selection handler
36             afterSelect : '=',
37
38             // comma-separated list of supported or disabled grid features
39             // supported features:
40             //  startSelected : init the grid with all rows selected by default
41             //  allowAll : add an "All" option to row count (really 10000)
42             //  -menu : don't show any menu buttons (or use space for them)
43             //  -picker : don't show the column picker
44             //  -pagination : don't show any pagination elements, and set
45             //                the limit to 10000
46             //  -actions : don't show the actions dropdown
47             //  -index : don't show the row index column (can't use "index"
48             //           as the idField in this case)
49             //  -display : columns are hidden by default
50             //  -sort    : columns are unsortable by default 
51             //  -multisort : sort priorities config disabled by default
52             //  -multiselect : only one row at a time can be selected;
53             //                 choosing this also disables the checkbox
54             //                 column
55             features : '@',
56
57             // optional: object containing function to conditionally apply
58             //    class to each row.
59             rowClass : '=',
60
61             // optional: object that enables status icon field and contains
62             //    function to handle what status icons should exist and why.
63             statusColumn : '=',
64
65             // optional primary grid label
66             mainLabel : '@',
67
68             // if true, use the IDL class label as the mainLabel
69             autoLabel : '=', 
70
71             // optional context menu label
72             menuLabel : '@',
73
74             dateformat : '@', // optional: passed down to egGridValueFilter
75             datecontext: '@', // optional: passed down to egGridValueFilter to choose TZ
76             datefilter: '@', // optional: passed down to egGridValueFilter to choose specialized date filters
77             dateonlyinterval: '@', // optional: passed down to egGridValueFilter to choose a "better" format
78
79             // Hash of control functions.
80             //
81             //  These functions are defined by the calling scope and 
82             //  invoked as-is by the grid w/ the specified parameters.
83             //
84             //  collectStarted    : function() {}
85             //  itemRetrieved     : function(item) {}
86             //  allItemsRetrieved : function() {}
87             //
88             //  ---
89             //  If defined, the grid will watch the return value from
90             //  the function defined at watchQuery on each digest and 
91             //  re-draw the grid when query changes occur.
92             //
93             //  watchQuery : function() { /* return grid query */ }
94             //
95             //  ---------------
96             //  These functions are defined by the grid and thus
97             //  replace any values defined for these attributes from the
98             //  calling scope.
99             //
100             //  activateItem  : function(item) {}
101             //  allItems      : function(allItems) {}
102             //  selectedItems : function(selected) {}
103             //  selectItems   : function(ids) {}
104             //  setQuery      : function(queryStruct) {} // causes reload
105             //  setSort       : function(sortSturct) {} // causes reload
106             gridControls : '=',
107         },
108
109         // TODO: avoid hard-coded url
110         templateUrl : '/eg/staff/share/t_autogrid', 
111
112         link : function(scope, element, attrs) {     
113             // link() is called after page compilation, which means our
114             // eg-grid-field's have been parsed and loaded.  Now it's 
115             // safe to perform our initial page load.
116
117             // load auto fields after eg-grid-field's so they are not clobbered
118             scope.handleAutoFields();
119             scope.collect();
120
121             scope.grid_element = element;
122             $(element)
123                 .find('.eg-grid-content-body')
124                 .bind('contextmenu', scope.showActionContextMenu);
125         },
126
127         controller : [
128                     '$scope','$q','egCore','egGridFlatDataProvider','$location',
129                     'egGridColumnsProvider','$filter','$window','$sce','$timeout',
130                     'egProgressDialog','$uibModal',
131             function($scope,  $q , egCore,  egGridFlatDataProvider , $location,
132                      egGridColumnsProvider , $filter , $window , $sce , $timeout,
133                      egProgressDialog , $uibModal) {
134
135             var grid = this;
136
137             grid.init = function() {
138                 grid.offset = 0;
139                 $scope.items = [];
140                 $scope.showGridConf = false;
141                 grid.totalCount = -1;
142                 $scope.selected = {};
143                 $scope.actionGroups = [{actions:[]}]; // Grouped actions for selected items
144                 $scope.menuItems = []; // global actions
145
146                 // returns true if any rows are selected.
147                 $scope.hasSelected = function() {
148                     return grid.getSelectedItems().length > 0 };
149
150                 var features = ($scope.features) ? 
151                     $scope.features.split(',') : [];
152                 delete $scope.features;
153
154                 $scope.showIndex = (features.indexOf('-index') == -1);
155
156                 $scope.allowAll = (features.indexOf('allowAll') > -1);
157                 $scope.startSelected = $scope.selectAll = (features.indexOf('startSelected') > -1);
158                 $scope.showActions = (features.indexOf('-actions') == -1);
159                 $scope.showPagination = (features.indexOf('-pagination') == -1);
160                 $scope.showPicker = (features.indexOf('-picker') == -1);
161
162                 $scope.showMenu = (features.indexOf('-menu') == -1);
163
164                 // remove some unneeded values from the scope to reduce bloat
165
166                 grid.idlClass = $scope.idlClass;
167                 delete $scope.idlClass;
168
169                 grid.persistKey = $scope.persistKey;
170                 delete $scope.persistKey;
171
172                 var stored_limit = 0;
173                 if ($scope.showPagination) {
174                     if (grid.persistKey) {
175                         var stored_limit = Number(
176                             egCore.hatch.getLocalItem('eg.grid.' + grid.persistKey + '.limit')
177                         );
178                     }
179                 } else {
180                     stored_limit = 10000; // maybe support "Inf"?
181                 }
182
183                 grid.limit = Number(stored_limit) || Number($scope.pageSize) || 25;
184
185                 grid.indexField = $scope.idField;
186                 delete $scope.idField;
187
188                 grid.dataProvider = $scope.itemsProvider;
189
190                 if (!grid.indexField && grid.idlClass)
191                     grid.indexField = egCore.idl.classes[grid.idlClass].pkey;
192
193                 grid.columnsProvider = egGridColumnsProvider.instance({
194                     idlClass : grid.idlClass,
195                     clientSort : (features.indexOf('clientsort') > -1 && features.indexOf('-clientsort') == -1),
196                     defaultToHidden : (features.indexOf('-display') > -1),
197                     defaultToNoSort : (features.indexOf('-sort') > -1),
198                     defaultToNoMultiSort : (features.indexOf('-multisort') > -1),
199                     defaultDateFormat : $scope.dateformat,
200                     defaultDateContext : $scope.datecontext,
201                     defaultDateFilter : $scope.datefilter,
202                     defaultDateOnlyInterval : $scope.dateonlyinterval
203                 });
204                 $scope.canMultiSelect = (features.indexOf('-multiselect') == -1);
205
206                 $scope.handleAutoFields = function() {
207                     if ($scope.autoFields) {
208                         if (grid.autoLabel) {
209                             $scope.mainLabel = 
210                                 egCore.idl.classes[grid.idlClass].label;
211                         }
212                         grid.columnsProvider.compileAutoColumns();
213                         delete $scope.autoFields;
214                     }
215                 }
216    
217                 if (!grid.dataProvider) {
218                     // no provider, um, provided.
219                     // Use a flat data provider
220
221                     grid.selfManagedData = true;
222                     grid.dataProvider = egGridFlatDataProvider.instance({
223                         indexField : grid.indexField,
224                         idlClass : grid.idlClass,
225                         columnsProvider : grid.columnsProvider,
226                         query : $scope.query
227                     });
228                 }
229
230                 // make grid ref available in get() to set totalCount, if known.
231                 // this allows us disable the 'next' paging button correctly
232                 grid.dataProvider.grid = grid;
233
234                 grid.dataProvider.columnsProvider = grid.columnsProvider;
235
236                 $scope.itemFieldValue = grid.dataProvider.itemFieldValue;
237                 $scope.indexValue = function(item) {
238                     return grid.indexValue(item)
239                 };
240
241                 grid.applyControlFunctions();
242
243                 grid.loadConfig().then(function() { 
244                     // link columns to scope after loadConfig(), since it
245                     // replaces the columns array.
246                     $scope.columns = grid.columnsProvider.columns;
247                 });
248
249                 // NOTE: grid.collect() is first called from link(), not here.
250             }
251
252             // link our control functions into the gridControls 
253             // scope object so the caller can access them.
254             grid.applyControlFunctions = function() {
255
256                 // we use some of these controls internally, so sett
257                 // them up even if the caller doesn't request them.
258                 var controls = $scope.gridControls || {};
259
260                 controls.columnMap = function() {
261                     var m = {};
262                     angular.forEach(grid.columnsProvider.columns, function (c) {
263                         m[c.name] = c;
264                     });
265                     return m;
266                 }
267
268                 controls.columnsProvider = function() {
269                     return grid.columnsProvider;
270                 }
271
272                 // link in the control functions
273                 controls.selectedItems = function() {
274                     return grid.getSelectedItems()
275                 }
276
277                 controls.allItems = function() {
278                     return $scope.items;
279                 }
280
281                 controls.selectItems = function(ids) {
282                     if (!ids) return;
283                     $scope.selected = {};
284                     angular.forEach(ids, function(i) {
285                         $scope.selected[''+i] = true;
286                     });
287                 }
288
289                 // if the caller provided a functional setQuery,
290                 // extract the value before replacing it
291                 if (controls.setQuery) {
292                     grid.dataProvider.query = 
293                         controls.setQuery();
294                 }
295
296                 controls.setQuery = function(query) {
297                     grid.dataProvider.query = query;
298                     controls.refresh();
299                 }
300
301                 if (controls.watchQuery) {
302                     // capture the initial query value
303                     grid.dataProvider.query = controls.watchQuery();
304
305                     // watch for changes
306                     $scope.gridWatchQuery = controls.watchQuery;
307                     $scope.$watch('gridWatchQuery()', function(newv) {
308                         controls.setQuery(newv);
309                     }, true);
310                 }
311
312                 // if the caller provided a functional setSort
313                 // extract the value before replacing it
314                 grid.dataProvider.sort = 
315                     controls.setSort ?  controls.setSort() : [];
316
317                 controls.setSort = function(sort) {
318                     controls.refresh();
319                 }
320
321                 controls.refresh = function(noReset) {
322                     if (!noReset) grid.offset = 0;
323                     grid.collect();
324                 }
325
326                 controls.setLimit = function(limit,forget) {
327                     if (!forget && grid.persistKey)
328                         egCore.hatch.setLocalItem('eg.grid.' + grid.persistKey + '.limit', limit);
329                     grid.limit = limit;
330                 }
331                 controls.getLimit = function() {
332                     return grid.limit;
333                 }
334                 controls.setOffset = function(offset) {
335                     grid.offset = offset;
336                 }
337                 controls.getOffset = function() {
338                     return grid.offset;
339                 }
340
341                 controls.saveConfig = function () {
342                     return $scope.saveConfig();
343                 }
344
345                 grid.dataProvider.refresh = controls.refresh;
346                 grid.controls = controls;
347             }
348
349             // If a menu item provides its own HTML template, translate it,
350             // using the menu item for the template scope.
351             // note: $sce is required to avoid security restrictions and
352             // is OK here, since the template comes directly from a
353             // local HTML template (not user input).
354             $scope.translateMenuItemTemplate = function(item) {
355                 var html = egCore.strings.$replace(item.template, {item : item});
356                 return $sce.trustAsHtml(html);
357             }
358
359             // add a new (global) grid menu item
360             grid.addMenuItem = function(item) {
361                 $scope.menuItems.push(item);
362                 var handler = item.handler;
363                 item.handler = function() {
364                     $scope.gridMenuIsOpen = false; // close menu
365                     if (handler) {
366                         handler(item, 
367                             item.handlerData, grid.getSelectedItems());
368                     }
369                 }
370             }
371
372             // add a selected-items action
373             grid.addAction = function(act) {
374                 var done = false;
375                 $scope.actionGroups.forEach(function(g){
376                     if (g.label === act.group) {
377                         g.actions.push(act);
378                         done = true;
379                     }
380                 });
381                 if (!done) {
382                     $scope.actionGroups.push({
383                         label : act.group,
384                         actions : [ act ]
385                     });
386                 }
387             }
388
389             // remove the stored column configuration preferenc, then recover 
390             // the column visibility information from the initial page load.
391             $scope.resetColumns = function() {
392                 $scope.gridColumnPickerIsOpen = false;
393                 egCore.hatch.removeItem('eg.grid.' + grid.persistKey)
394                 .then(function() {
395                     grid.columnsProvider.reset(); 
396                     if (grid.selfManagedData) grid.collect();
397                 });
398             }
399
400             $scope.showAllColumns = function() {
401                 $scope.gridColumnPickerIsOpen = false;
402                 grid.columnsProvider.showAllColumns();
403                 if (grid.selfManagedData) grid.collect();
404             }
405
406             $scope.hideAllColumns = function() {
407                 $scope.gridColumnPickerIsOpen = false;
408                 grid.columnsProvider.hideAllColumns();
409                 // note: no need to fetch new data if no columns are visible
410             }
411
412             $scope.toggleColumnVisibility = function(col) {
413                 $scope.gridColumnPickerIsOpen = false;
414                 col.visible = !col.visible;
415
416                 // egGridFlatDataProvider only retrieves data to be
417                 // displayed.  When column visibility changes, it's
418                 // necessary to fetch the newly visible column data.
419                 if (grid.selfManagedData) grid.collect();
420             }
421
422             // save the columns configuration (position, sort, width) to
423             // eg.grid.<persist-key>
424             $scope.saveConfig = function() {
425                 $scope.gridColumnPickerIsOpen = false;
426
427                 if (!grid.persistKey) {
428                     console.warn(
429                         "Cannot save settings without a grid persist-key");
430                     return;
431                 }
432
433                 // only store information about visible columns.
434                 var conf = grid.columnsProvider.columns.filter(
435                     function(col) {return Boolean(col.visible) });
436
437                 // now scrunch the data down to just the needed info
438                 conf = conf.map(function(col) {
439                     var c = {name : col.name}
440                     // Apart from the name, only store non-default values.
441                     // No need to store col.visible, since that's implicit
442                     if (col.align != 'left') c.align = col.align;
443                     if (col.flex != 2) c.flex = col.flex;
444                     if (Number(col.sort)) c.sort = Number(c.sort);
445                     return c;
446                 });
447
448                 egCore.hatch.setItem('eg.grid.' + grid.persistKey, conf)
449                 .then(function() { 
450                     // Save operation performed from the grid configuration UI.
451                     // Hide the configuration UI and re-draw w/ sort applied
452                     if ($scope.showGridConf) 
453                         $scope.toggleConfDisplay();
454                 });
455             }
456
457
458             // load the columns configuration (position, sort, width) from
459             // eg.grid.<persist-key> and apply the loaded settings to the
460             // columns on our columnsProvider
461             grid.loadConfig = function() {
462                 if (!grid.persistKey) return $q.when();
463
464                 return egCore.hatch.getItem('eg.grid.' + grid.persistKey)
465                 .then(function(conf) {
466                     if (!conf) return;
467
468                     var columns = grid.columnsProvider.columns;
469                     var new_cols = [];
470
471                     angular.forEach(conf, function(col) {
472                         var grid_col = columns.filter(
473                             function(c) {return c.name == col.name})[0];
474
475                         if (!grid_col) {
476                             // saved column does not match a column in the 
477                             // current grid.  skip it.
478                             return;
479                         }
480
481                         grid_col.align = col.align || 'left';
482                         grid_col.flex = col.flex || 2;
483                         grid_col.sort = col.sort || 0;
484                         // all saved columns are assumed to be true
485                         grid_col.visible = true;
486                         if (new_cols
487                                 .filter(function (c) {
488                                     return c.name == grid_col.name;
489                                 }).length == 0
490                         )
491                             new_cols.push(grid_col);
492                     });
493
494                     // columns which are not expressed within the saved 
495                     // configuration are marked as non-visible and 
496                     // appended to the end of the new list of columns.
497                     angular.forEach(columns, function(col) {
498                         var found = conf.filter(
499                             function(c) {return (c.name == col.name)})[0];
500                         if (!found) {
501                             col.visible = false;
502                             new_cols.push(col);
503                         }
504                     });
505
506                     grid.columnsProvider.columns = new_cols;
507                     grid.compileSort();
508
509                 });
510             }
511
512             $scope.onContextMenu = function($event) {
513                 var col = angular.element($event.target).attr('column');
514                 console.log('selected column ' + col);
515             }
516
517             $scope.page = function() {
518                 return (grid.offset / grid.limit) + 1;
519             }
520
521             $scope.goToPage = function(page) {
522                 page = Number(page);
523                 if (angular.isNumber(page) && page > 0) {
524                     grid.offset = (page - 1) * grid.limit;
525                     grid.collect();
526                 }
527             }
528
529             $scope.offset = function(o) {
530                 if (angular.isNumber(o))
531                     grid.offset = o;
532                 return grid.offset 
533             }
534
535             $scope.limit = function(l) { 
536                 if (angular.isNumber(l)) {
537                     if (grid.persistKey)
538                         egCore.hatch.setLocalItem('eg.grid.' + grid.persistKey + '.limit', l);
539                     grid.limit = l;
540                 }
541                 return grid.limit 
542             }
543
544             $scope.onFirstPage = function() {
545                 return grid.offset == 0;
546             }
547
548             $scope.hasNextPage = function() {
549                 // we have less data than requested, there must
550                 // not be any more pages
551                 if (grid.count() < grid.limit) return false;
552
553                 // if the total count is not known, assume that a full
554                 // page of data implies more pages are available.
555                 if (grid.totalCount == -1) return true;
556
557                 // we have a full page of data, but is there more?
558                 return grid.totalCount > (grid.offset + grid.count());
559             }
560
561             $scope.incrementPage = function() {
562                 grid.offset += grid.limit;
563                 grid.collect();
564             }
565
566             $scope.decrementPage = function() {
567                 if (grid.offset < grid.limit) {
568                     grid.offset = 0;
569                 } else {
570                     grid.offset -= grid.limit;
571                 }
572                 grid.collect();
573             }
574
575             // number of items loaded for the current page of results
576             grid.count = function() {
577                 return $scope.items.length;
578             }
579
580             // returns the unique identifier value for the provided item
581             // for internal consistency, indexValue is always coerced 
582             // into a string.
583             grid.indexValue = function(item) {
584                 if (angular.isObject(item)) {
585                     if (item !== null) {
586                         if (angular.isFunction(item[grid.indexField]))
587                             return ''+item[grid.indexField]();
588                         return ''+item[grid.indexField]; // flat data
589                     }
590                 }
591                 // passed a non-object; assume it's an index
592                 return ''+item; 
593             }
594
595             // fires the hide handler function for a context action
596             $scope.actionHide = function(action) {
597                 if (typeof action.hide == 'undefined') {
598                     return false;
599                 }
600                 if (angular.isFunction(action.hide))
601                     return action.hide(action);
602                 return action.hide;
603             }
604
605             // fires the disable handler function for a context action
606             $scope.actionDisable = function(action) {
607                 if (typeof action.disabled == 'undefined') {
608                     return false;
609                 }
610                 if (angular.isFunction(action.disabled))
611                     return action.disabled(action);
612                 return action.disabled;
613             }
614
615             // fires the action handler function for a context action
616             $scope.actionLauncher = function(action) {
617                 if (!action.handler) {
618                     console.error(
619                         'No handler specified for "' + action.label + '"');
620                 } else {
621
622                     try {
623                         action.handler(grid.getSelectedItems());
624                     } catch(E) {
625                         console.error('Error executing handler for "' 
626                             + action.label + '" => ' + E + "\n" + E.stack);
627                     }
628
629                     if ($scope.action_context_showing) $scope.hideActionContextMenu();
630                 }
631
632             }
633
634             $scope.hideActionContextMenu = function () {
635                 $($scope.menu_dom).css({
636                     display: '',
637                     width: $scope.action_context_width,
638                     top: $scope.action_context_y,
639                     left: $scope.action_context_x
640                 });
641                 $($scope.action_context_parent).append($scope.menu_dom);
642                 $scope.action_context_oldy = $scope.action_context_oldx = 0;
643                 $('body').unbind('click.remove_context_menu_'+$scope.action_context_index);
644                 $scope.action_context_showing = false;
645             }
646
647             $scope.action_context_showing = false;
648             $scope.showActionContextMenu = function ($event) {
649
650                 // Have to gather these here, instead of inside link()
651                 if (!$scope.menu_dom) $scope.menu_dom = $($scope.grid_element).find('.grid-action-dropdown')[0];
652                 if (!$scope.action_context_parent) $scope.action_context_parent = $($scope.menu_dom).parent();
653
654                 if (!grid.getSelectedItems().length) // Nothing selected, fire the click event
655                     $event.target.click();
656
657                 if (!$scope.action_context_showing) {
658                     $scope.action_context_width = $($scope.menu_dom).css('width');
659                     $scope.action_context_y = $($scope.menu_dom).css('top');
660                     $scope.action_context_x = $($scope.menu_dom).css('left');
661                     $scope.action_context_showing = true;
662                     $scope.action_context_index = Math.floor((Math.random() * 1000) + 1);
663
664                     $('body').append($($scope.menu_dom));
665                     $('body').bind('click.remove_context_menu_'+$scope.action_context_index, $scope.hideActionContextMenu);
666                 }
667
668                 $($scope.menu_dom).css({
669                     display: 'block',
670                     width: $scope.action_context_width,
671                     top: $event.pageY,
672                     left: $event.pageX
673                 });
674
675                 return false;
676             }
677
678             // returns the list of selected item objects
679             grid.getSelectedItems = function() {
680                 return $scope.items.filter(
681                     function(item) {
682                         return Boolean($scope.selected[grid.indexValue(item)]);
683                     }
684                 );
685             }
686
687             grid.getItemByIndex = function(index) {
688                 for (var i = 0; i < $scope.items.length; i++) {
689                     var item = $scope.items[i];
690                     if (grid.indexValue(item) == index) 
691                         return item;
692                 }
693             }
694
695             // selects one row after deselecting all of the others
696             grid.selectOneItem = function(index) {
697                 $scope.selected = {};
698                 $scope.selected[index] = true;
699             }
700
701             // selects or deselects an item, without affecting the others.
702             // returns true if the item is selected; false if de-selected.
703             // we overwrite the object so that we can watch $scope.selected
704             grid.toggleSelectOneItem = function(index) {
705                 if ($scope.selected[index]) {
706                     delete $scope.selected[index];
707                     $scope.selected = angular.copy($scope.selected);
708                     return false;
709                 } else {
710                     $scope.selected[index] = true;
711                     $scope.selected = angular.copy($scope.selected);
712                     return true;
713                 }
714             }
715
716             $scope.updateSelected = function () { 
717                     return $scope.selected = angular.copy($scope.selected);
718             };
719
720             grid.selectAllItems = function() {
721                 angular.forEach($scope.items, function(item) {
722                     $scope.selected[grid.indexValue(item)] = true
723                 }); 
724                 $scope.selected = angular.copy($scope.selected);
725             }
726
727             $scope.$watch('selectAll', function(newVal) {
728                 if (newVal) {
729                     grid.selectAllItems();
730                 } else {
731                     $scope.selected = {};
732                 }
733             });
734
735             if ($scope.onSelect) {
736                 $scope.$watch('selected', function(newVal) {
737                     $scope.onSelect(grid.getSelectedItems());
738                     if ($scope.afterSelect) $scope.afterSelect();
739                 });
740             }
741
742             // returns true if item1 appears in the list before item2;
743             // false otherwise.  this is slightly more efficient that
744             // finding the position of each then comparing them.
745             // item1 / item2 may be an item or an item index
746             grid.itemComesBefore = function(itemOrIndex1, itemOrIndex2) {
747                 var idx1 = grid.indexValue(itemOrIndex1);
748                 var idx2 = grid.indexValue(itemOrIndex2);
749
750                 // use for() for early exit
751                 for (var i = 0; i < $scope.items.length; i++) {
752                     var idx = grid.indexValue($scope.items[i]);
753                     if (idx == idx1) return true;
754                     if (idx == idx2) return false;
755                 }
756                 return false;
757             }
758
759             // 0-based position of item in the current data set
760             grid.indexOf = function(item) {
761                 var idx = grid.indexValue(item);
762                 for (var i = 0; i < $scope.items.length; i++) {
763                     if (grid.indexValue($scope.items[i]) == idx)
764                         return i;
765                 }
766                 return -1;
767             }
768
769             grid.modifyColumnFlex = function(column, val) {
770                 column.flex += val;
771                 // prevent flex:0;  use hiding instead
772                 if (column.flex < 1)
773                     column.flex = 1;
774             }
775             $scope.modifyColumnFlex = function(col, val) {
776                 $scope.lastModColumn = col.name;
777                 grid.modifyColumnFlex(col, val);
778             }
779
780             grid.modifyColumnPos = function(col, diff) {
781                 var srcIdx, targetIdx;
782                 angular.forEach(grid.columnsProvider.columns,
783                     function(c, i) { if (c.name == col.name) srcIdx = i });
784
785                 targetIdx = srcIdx + diff;
786                 if (targetIdx < 0) {
787                     targetIdx = 0;
788                 } else if (targetIdx >= grid.columnsProvider.columns.length) {
789                     // Target index follows the last visible column.
790                     var lastVisible = 0;
791                     angular.forEach(grid.columnsProvider.columns, 
792                         function(column, idx) {
793                             if (column.visible) lastVisible = idx;
794                         }
795                     );
796
797                     // When moving a column (down) causes one or more
798                     // visible columns to shuffle forward, our column
799                     // moves into the slot of the last visible column.
800                     // Otherwise, put it into the slot directly following 
801                     // the last visible column.
802                     targetIdx = 
803                         srcIdx <= lastVisible ? lastVisible : lastVisible + 1;
804                 }
805
806                 // Splice column out of old position, insert at new position.
807                 grid.columnsProvider.columns.splice(srcIdx, 1);
808                 grid.columnsProvider.columns.splice(targetIdx, 0, col);
809             }
810
811             $scope.modifyColumnPos = function(col, diff) {
812                 $scope.lastModColumn = col.name;
813                 return grid.modifyColumnPos(col, diff);
814             }
815
816
817             // handles click, control-click, and shift-click
818             $scope.handleRowClick = function($event, item) {
819                 var index = grid.indexValue(item);
820
821                 var origSelected = Object.keys($scope.selected);
822
823                 if (!$scope.canMultiSelect) {
824                     grid.selectOneItem(index);
825                     grid.lastSelectedItemIndex = index;
826                     return;
827                 }
828
829                 if ($event.ctrlKey || $event.metaKey /* mac command */) {
830                     // control-click
831                     if (grid.toggleSelectOneItem(index)) 
832                         grid.lastSelectedItemIndex = index;
833
834                 } else if ($event.shiftKey) { 
835                     // shift-click
836
837                     if (!grid.lastSelectedItemIndex || 
838                             index == grid.lastSelectedItemIndex) {
839                         grid.selectOneItem(index);
840                         grid.lastSelectedItemIndex = index;
841
842                     } else {
843
844                         var selecting = false;
845                         var ascending = grid.itemComesBefore(
846                             grid.lastSelectedItemIndex, item);
847                         var startPos = 
848                             grid.indexOf(grid.lastSelectedItemIndex);
849
850                         // update to new last-selected
851                         grid.lastSelectedItemIndex = index;
852
853                         // select each row between the last selected and 
854                         // currently selected items
855                         while (true) {
856                             startPos += ascending ? 1 : -1;
857                             var curItem = $scope.items[startPos];
858                             if (!curItem) break;
859                             var curIdx = grid.indexValue(curItem);
860                             $scope.selected[curIdx] = true;
861                             if (curIdx == index) break; // all done
862                         }
863                         $scope.selected = angular.copy($scope.selected);
864                     }
865                         
866                 } else {
867                     grid.selectOneItem(index);
868                     grid.lastSelectedItemIndex = index;
869                 }
870             }
871
872             // Builds a sort expression from column sort priorities.
873             // called on page load and any time the priorities are modified.
874             grid.compileSort = function() {
875                 var sortList = grid.columnsProvider.columns.filter(
876                     function(col) { return Number(col.sort) != 0 }
877                 ).sort( 
878                     function(a, b) { 
879                         if (Math.abs(a.sort) < Math.abs(b.sort))
880                             return -1;
881                         return 1;
882                     }
883                 );
884
885                 if (sortList.length) {
886                     grid.dataProvider.sort = sortList.map(function(col) {
887                         var blob = {};
888                         blob[col.name] = col.sort < 0 ? 'desc' : 'asc';
889                         return blob;
890                     });
891                 }
892             }
893
894             // builds a sort expression using a single column, 
895             // toggling between ascending and descending sort.
896             $scope.quickSort = function(col_name) {
897                 var sort = grid.dataProvider.sort;
898                 if (sort && sort.length &&
899                     sort[0] == col_name) {
900                     var blob = {};
901                     blob[col_name] = 'desc';
902                     grid.dataProvider.sort = [blob];
903                 } else {
904                     grid.dataProvider.sort = [col_name];
905                 }
906
907                 grid.offset = 0;
908                 grid.collect();
909             }
910
911             // show / hide the grid configuration row
912             $scope.toggleConfDisplay = function() {
913                 if ($scope.showGridConf) {
914                     $scope.showGridConf = false;
915                     if (grid.columnsProvider.hasSortableColumn()) {
916                         // only refresh the grid if the user has the
917                         // ability to modify the sort priorities.
918                         grid.compileSort();
919                         grid.offset = 0;
920                         grid.collect();
921                     }
922                 } else {
923                     $scope.showGridConf = true;
924                 }
925
926                 delete $scope.lastModColumn;
927                 $scope.gridColumnPickerIsOpen = false;
928             }
929
930             // called when a dragged column is dropped onto itself
931             // or any other column
932             grid.onColumnDrop = function(target) {
933                 if (angular.isUndefined(target)) return;
934                 if (target == grid.dragColumn) return;
935                 var srcIdx, targetIdx, srcCol;
936                 angular.forEach(grid.columnsProvider.columns,
937                     function(col, idx) {
938                         if (col.name == grid.dragColumn) {
939                             srcIdx = idx;
940                             srcCol = col;
941                         } else if (col.name == target) {
942                             targetIdx = idx;
943                         }
944                     }
945                 );
946
947                 if (srcIdx < targetIdx) targetIdx--;
948
949                 // move src column from old location to new location in 
950                 // the columns array, then force a page refresh
951                 grid.columnsProvider.columns.splice(srcIdx, 1);
952                 grid.columnsProvider.columns.splice(targetIdx, 0, srcCol);
953                 $scope.$apply(); 
954             }
955
956             // prepares a string for inclusion within a CSV document
957             // by escaping commas and quotes and removing newlines.
958             grid.csvDatum = function(str) {
959                 str = ''+str;
960                 if (!str) return '';
961                 str = str.replace(/\n/g, '');
962                 if (str.match(/\,/) || str.match(/"/)) {                                     
963                     str = str.replace(/"/g, '""');
964                     str = '"' + str + '"';                                           
965                 } 
966                 return str;
967             }
968
969             /** Export the full data set as CSV.
970              *  Flow of events:
971              *  1. User clicks the 'download csv' link
972              *  2. All grid data is retrieved asychronously
973              *  3. Once all data is all present and CSV-ized, the download 
974              *     attributes are linked to the href.
975              *  4. The href .click() action is prgrammatically fired again,
976              *     telling the browser to download the data, now that the
977              *     data is available for download.
978              *  5 Once downloaded, the href attributes are reset.
979              */
980             grid.csvExportInProgress = false;
981             $scope.generateCSVExportURL = function($event) {
982
983                 if (grid.csvExportInProgress) {
984                     // This is secondary href click handler.  Give the
985                     // browser a moment to start the download, then reset
986                     // the CSV download attributes / state.
987                     $timeout(
988                         function() {
989                             $scope.csvExportURL = '';
990                             $scope.csvExportFileName = ''; 
991                             grid.csvExportInProgress = false;
992                         }, 500
993                     );
994                     return;
995                 } 
996
997                 grid.csvExportInProgress = true;
998                 $scope.gridColumnPickerIsOpen = false;
999
1000                 // let the file name describe the grid
1001                 $scope.csvExportFileName = 
1002                     ($scope.mainLabel || grid.persistKey || 'eg_grid_data')
1003                     .replace(/\s+/g, '_') + '_' + $scope.page();
1004
1005                 // toss the CSV into a Blob and update the export URL
1006                 grid.generateCSV().then(function(csv) {
1007                     var blob = new Blob([csv], {type : 'text/plain'});
1008                     $scope.csvExportURL = 
1009                         ($window.URL || $window.webkitURL).createObjectURL(blob);
1010
1011                     // Fire the 2nd click event now that the browser has
1012                     // information on how to download the CSV file.
1013                     $timeout(function() {$event.target.click()});
1014                 });
1015             }
1016
1017             /*
1018              * TODO: does this serve any purpose given we can 
1019              * print formatted HTML?  If so, generateCSV() now
1020              * returns a promise, needs light refactoring...
1021             $scope.printCSV = function() {
1022                 $scope.gridColumnPickerIsOpen = false;
1023                 egCore.print.print({
1024                     context : 'default', 
1025                     content : grid.generateCSV(),
1026                     content_type : 'text/plain'
1027                 });
1028             }
1029             */
1030
1031             // Given a row item and column definition, extract the
1032             // text content for printing.  Templated columns must be
1033             // processed and parsed as HTML, then boiled down to their 
1034             // text content.
1035             grid.getItemTextContent = function(item, col) {
1036                 var val;
1037                 if (col.template) {
1038                     val = $scope.translateCellTemplate(col, item);
1039                     if (val) {
1040                         var node = new DOMParser()
1041                             .parseFromString(val, 'text/html');
1042                         val = $(node).text();
1043                     }
1044                 } else {
1045                     val = grid.dataProvider.itemFieldValue(item, col);
1046                     val = $filter('egGridValueFilter')(val, col, item);
1047                 }
1048                 return val;
1049             }
1050
1051             /**
1052              * Fetches all grid data and transates each item into a simple
1053              * key-value pair of column name => text-value.
1054              * Included in the response for convenience is the list of 
1055              * currently visible column definitions.
1056              * TODO: currently fetches a maximum of 10k rows.  Does this
1057              * need to be configurable?
1058              */
1059             grid.getAllItemsAsText = function() {
1060                 var text_items = [];
1061
1062                 // we don't know the total number of rows we're about
1063                 // to retrieve, but we can indicate the number retrieved
1064                 // so far as each item arrives.
1065                 egProgressDialog.open({value : 0});
1066
1067                 var visible_cols = grid.columnsProvider.columns.filter(
1068                     function(c) { return c.visible });
1069
1070                 return grid.dataProvider.get(0, 10000).then(
1071                     function() { 
1072                         return {items : text_items, columns : visible_cols};
1073                     }, 
1074                     null,
1075                     function(item) { 
1076                         egProgressDialog.increment();
1077                         var text_item = {};
1078                         angular.forEach(visible_cols, function(col) {
1079                             text_item[col.name] = 
1080                                 grid.getItemTextContent(item, col);
1081                         });
1082                         text_items.push(text_item);
1083                     }
1084                 ).finally(egProgressDialog.close);
1085             }
1086
1087             // Fetch "all" of the grid data, translate it into print-friendly 
1088             // text, and send it to the printer service.
1089             $scope.printHTML = function() {
1090                 $scope.gridColumnPickerIsOpen = false;
1091                 return grid.getAllItemsAsText().then(function(text_items) {
1092                     return egCore.print.print({
1093                         template : 'grid_html',
1094                         scope : text_items
1095                     });
1096                 });
1097             }
1098
1099             $scope.showColumnDialog = function() {
1100                 return $uibModal.open({
1101                     templateUrl: './share/t_grid_columns',
1102                     backdrop: 'static',
1103                     size : 'lg',
1104                     controller: ['$scope', '$uibModalInstance',
1105                         function($dialogScope, $uibModalInstance) {
1106                             $dialogScope.modifyColumnPos = $scope.modifyColumnPos;
1107                             $dialogScope.disableMultiSort = $scope.disableMultiSort;
1108                             $dialogScope.columns = $scope.columns;
1109
1110                             // Push visible columns to the top of the list
1111                             $dialogScope.elevateVisible = function() {
1112                                 var new_cols = [];
1113                                 angular.forEach($dialogScope.columns, function(col) {
1114                                     if (col.visible) new_cols.push(col);
1115                                 });
1116                                 angular.forEach($dialogScope.columns, function(col) {
1117                                     if (!col.visible) new_cols.push(col);
1118                                 });
1119
1120                                 // Update all references to the list of columns
1121                                 $dialogScope.columns = 
1122                                     $scope.columns = 
1123                                     grid.columnsProvider.columns = 
1124                                     new_cols;
1125                             }
1126
1127                             $dialogScope.toggle = function(col) {
1128                                 col.visible = !Boolean(col.visible);
1129                             }
1130                             $dialogScope.ok = $dialogScope.cancel = function() {
1131                                 delete $scope.lastModColumn;
1132                                 $uibModalInstance.close()
1133                             }
1134                         }
1135                     ]
1136                 });
1137             },
1138
1139             // generates CSV for the currently visible grid contents
1140             grid.generateCSV = function() {
1141                 return grid.getAllItemsAsText().then(function(text_items) {
1142                     var columns = text_items.columns;
1143                     var items = text_items.items;
1144                     var csvStr = '';
1145
1146                     // column headers
1147                     angular.forEach(columns, function(col) {
1148                         csvStr += grid.csvDatum(col.label);
1149                         csvStr += ',';
1150                     });
1151
1152                     csvStr = csvStr.replace(/,$/,'\n');
1153
1154                     // items
1155                     angular.forEach(items, function(item) {
1156                         angular.forEach(columns, function(col) {
1157                             csvStr += grid.csvDatum(item[col.name]);
1158                             csvStr += ',';
1159                         });
1160                         csvStr = csvStr.replace(/,$/,'\n');
1161                     });
1162
1163                     return csvStr;
1164                 });
1165             }
1166
1167             // Interpolate the value for column.linkpath within the context
1168             // of the row item to generate the final link URL.
1169             $scope.generateLinkPath = function(col, item) {
1170                 return egCore.strings.$replace(col.linkpath, {item : item});
1171             }
1172
1173             // If a column provides its own HTML template, translate it,
1174             // using the current item for the template scope.
1175             // note: $sce is required to avoid security restrictions and
1176             // is OK here, since the template comes directly from a
1177             // local HTML template (not user input).
1178             $scope.translateCellTemplate = function(col, item) {
1179                 var html = egCore.strings.$replace(col.template, {item : item});
1180                 return $sce.trustAsHtml(html);
1181             }
1182
1183             $scope.collect = function() { grid.collect() }
1184
1185             // asks the dataProvider for a page of data
1186             grid.collect = function() {
1187
1188                 // avoid firing the collect if there is nothing to collect.
1189                 if (grid.selfManagedData && !grid.dataProvider.query) return;
1190
1191                 if (grid.collecting) return; // avoid parallel collect()
1192                 grid.collecting = true;
1193
1194                 console.debug('egGrid.collect() offset=' 
1195                     + grid.offset + '; limit=' + grid.limit);
1196
1197                 // ensure all of our dropdowns are closed
1198                 // TODO: git rid of these and just use dropdown-toggle, 
1199                 // which is more reliable.
1200                 $scope.gridColumnPickerIsOpen = false;
1201                 $scope.gridRowCountIsOpen = false;
1202                 $scope.gridPageSelectIsOpen = false;
1203
1204                 $scope.items = [];
1205                 $scope.selected = {};
1206
1207                 // Inform the caller we've asked the data provider
1208                 // for data.  This is useful for knowing when collection
1209                 // has started (e.g. to display a progress dialg) when 
1210                 // using the stock (flattener) data provider, where the 
1211                 // user is not directly defining a get() handler.
1212                 if (grid.controls.collectStarted)
1213                     grid.controls.collectStarted(grid.offset, grid.limit);
1214
1215                 grid.dataProvider.get(grid.offset, grid.limit).then(
1216                 function() {
1217                     if (grid.controls.allItemsRetrieved)
1218                         grid.controls.allItemsRetrieved();
1219                 },
1220                 null, 
1221                 function(item) {
1222                     if (item) {
1223                         $scope.items.push(item)
1224                         if (grid.controls.itemRetrieved)
1225                             grid.controls.itemRetrieved(item);
1226                         if ($scope.selectAll)
1227                             $scope.selected[grid.indexValue(item)] = true
1228                     }
1229                 }).finally(function() { 
1230                     console.debug('egGrid.collect() complete');
1231                     grid.collecting = false 
1232                     $scope.selected = angular.copy($scope.selected);
1233                 });
1234             }
1235
1236             grid.init();
1237         }]
1238     };
1239 })
1240
1241 /**
1242  * eg-grid-field : used for collecting custom field data from the templates.
1243  * This directive does not direct display, it just passes data up to the 
1244  * parent grid.
1245  */
1246 .directive('egGridField', function() {
1247     return {
1248         require : '^egGrid',
1249         restrict : 'AE',
1250         scope : {
1251             flesher: '=', // optional; function that can flesh a linked field, given the value
1252             comparator: '=', // optional; function that can sort the thing at the end of 'path' 
1253             name  : '@', // required; unique name
1254             path  : '@', // optional; flesh path
1255             ignore: '@', // optional; fields to ignore when path is a wildcard
1256             label : '@', // optional; display label
1257             flex  : '@',  // optional; default flex width
1258             align  : '@',  // optional; default alignment, left/center/right
1259             dateformat : '@', // optional: passed down to egGridValueFilter
1260             datecontext: '@', // optional: passed down to egGridValueFilter to choose TZ
1261             datefilter: '@', // optional: passed down to egGridValueFilter to choose specialized date filters
1262             dateonlyinterval: '@', // optional: passed down to egGridValueFilter to choose a "better" format
1263
1264             // if a field is part of an IDL object, but we are unable to
1265             // determine the class, because it's nested within a hash
1266             // (i.e. we can't navigate directly to the object via the IDL),
1267             // idlClass lets us specify the class.  This is particularly
1268             // useful for nested wildcard fields.
1269             parentIdlClass : '@', 
1270
1271             // optional: for non-IDL columns, specifying a datatype
1272             // lets the caller control which display filter is used.
1273             // datatype should match the standard IDL datatypes.
1274             datatype : '@',
1275
1276             // optional hash of functions that can be imported into
1277             // the directive's scope; meant for cases where the "compiled"
1278             // attribute is set
1279             handlers : '='
1280         },
1281         link : function(scope, element, attrs, egGridCtrl) {
1282
1283             // boolean fields are presented as value-less attributes
1284             angular.forEach(
1285                 [
1286                     'visible', 
1287                     'compiled', 
1288                     'hidden', 
1289                     'sortable', 
1290                     'nonsortable',
1291                     'multisortable',
1292                     'nonmultisortable',
1293                     'required' // if set, always fetch data for this column
1294                 ],
1295                 function(field) {
1296                     if (angular.isDefined(attrs[field]))
1297                         scope[field] = true;
1298                 }
1299             );
1300
1301             // any HTML content within the field is its custom template
1302             var tmpl = element.html();
1303             if (tmpl && !tmpl.match(/^\s*$/))
1304                 scope.template = tmpl
1305
1306             egGridCtrl.columnsProvider.add(scope);
1307             scope.$destroy();
1308         }
1309     };
1310 })
1311
1312 /**
1313  * eg-grid-action : used for specifying actions which may be applied
1314  * to items within the grid.
1315  */
1316 .directive('egGridAction', function() {
1317     return {
1318         require : '^egGrid',
1319         restrict : 'AE',
1320         transclude : true,
1321         scope : {
1322             group   : '@', // Action group, ungrouped if not set
1323             label   : '@', // Action label
1324             handler : '=',  // Action function handler
1325             hide    : '=',
1326             disabled : '=', // function
1327             divider : '='
1328         },
1329         link : function(scope, element, attrs, egGridCtrl) {
1330             egGridCtrl.addAction({
1331                 hide  : scope.hide,
1332                 group : scope.group,
1333                 label : scope.label,
1334                 divider : scope.divider,
1335                 handler : scope.handler,
1336                 disabled : scope.disabled,
1337             });
1338             scope.$destroy();
1339         }
1340     };
1341 })
1342
1343 .factory('egGridColumnsProvider', ['egCore', function(egCore) {
1344
1345     function ColumnsProvider(args) {
1346         var cols = this;
1347         cols.columns = [];
1348         cols.stockVisible = [];
1349         cols.idlClass = args.idlClass;
1350         cols.clientSort = args.clientSort;
1351         cols.defaultToHidden = args.defaultToHidden;
1352         cols.defaultToNoSort = args.defaultToNoSort;
1353         cols.defaultToNoMultiSort = args.defaultToNoMultiSort;
1354         cols.defaultDateFormat = args.defaultDateFormat;
1355         cols.defaultDateContext = args.defaultDateContext;
1356
1357         // resets column width, visibility, and sort behavior
1358         // Visibility resets to the visibility settings defined in the 
1359         // template (i.e. the original egGridField values).
1360         cols.reset = function() {
1361             angular.forEach(cols.columns, function(col) {
1362                 col.align = 'left';
1363                 col.flex = 2;
1364                 col.sort = 0;
1365                 if (cols.stockVisible.indexOf(col.name) > -1) {
1366                     col.visible = true;
1367                 } else {
1368                     col.visible = false;
1369                 }
1370             });
1371         }
1372
1373         // returns true if any columns are sortable
1374         cols.hasSortableColumn = function() {
1375             return cols.columns.filter(
1376                 function(col) {
1377                     return col.sortable || col.multisortable;
1378                 }
1379             ).length > 0;
1380         }
1381
1382         cols.showAllColumns = function() {
1383             angular.forEach(cols.columns, function(column) {
1384                 column.visible = true;
1385             });
1386         }
1387
1388         cols.hideAllColumns = function() {
1389             angular.forEach(cols.columns, function(col) {
1390                 delete col.visible;
1391             });
1392         }
1393
1394         cols.indexOf = function(name) {
1395             for (var i = 0; i < cols.columns.length; i++) {
1396                 if (cols.columns[i].name == name) 
1397                     return i;
1398             }
1399             return -1;
1400         }
1401
1402         cols.findColumn = function(name) {
1403             return cols.columns[cols.indexOf(name)];
1404         }
1405
1406         cols.compileAutoColumns = function() {
1407             var idl_class = egCore.idl.classes[cols.idlClass];
1408
1409             angular.forEach(
1410                 idl_class.fields,
1411                 function(field) {
1412                     if (field.virtual) return;
1413                     if (field.datatype == 'link' || field.datatype == 'org_unit') {
1414                         // if the field is a link and the linked class has a
1415                         // "selector" field specified, use the selector field
1416                         // as the display field for the columns.
1417                         // flattener will take care of the fleshing.
1418                         if (field['class']) {
1419                             var selector_field = egCore.idl.classes[field['class']].fields
1420                                 .filter(function(f) { return Boolean(f.selector) })[0];
1421                             if (selector_field) {
1422                                 field.path = field.name + '.' + selector_field.selector;
1423                             }
1424                         }
1425                     }
1426                     cols.add(field, true);
1427                 }
1428             );
1429         }
1430
1431         // if a column definition has a path with a wildcard, create
1432         // columns for all non-virtual fields at the specified 
1433         // position in the path.
1434         cols.expandPath = function(colSpec) {
1435
1436             var ignoreList = [];
1437             if (colSpec.ignore)
1438                 ignoreList = colSpec.ignore.split(' ');
1439
1440             var dotpath = colSpec.path.replace(/\.?\*$/,'');
1441             var class_obj;
1442             var idl_field;
1443
1444             if (colSpec.parentIdlClass) {
1445                 class_obj = egCore.idl.classes[colSpec.parentIdlClass];
1446             } else {
1447                 class_obj = egCore.idl.classes[cols.idlClass];
1448             }
1449             var idl_parent = class_obj;
1450             var old_field_label = '';
1451
1452             if (!class_obj) return;
1453
1454             //console.debug('egGrid: auto dotpath is: ' + dotpath);
1455             var path_parts = dotpath.split(/\./);
1456
1457             // find the IDL class definition for the last element in the
1458             // path before the .*
1459             // an empty path_parts means expand the root class
1460             if (path_parts) {
1461                 var old_field;
1462                 for (var path_idx in path_parts) {
1463                     old_field = idl_field;
1464
1465                     var part = path_parts[path_idx];
1466                     idl_field = class_obj.field_map[part];
1467
1468                     // unless we're at the end of the list, this field should
1469                     // link to another class.
1470                     if (idl_field && idl_field['class'] && (
1471                         idl_field.datatype == 'link' || 
1472                         idl_field.datatype == 'org_unit')) {
1473                         if (old_field_label) old_field_label += ' : ';
1474                         old_field_label += idl_field.label;
1475                         class_obj = egCore.idl.classes[idl_field['class']];
1476                         if (old_field) idl_parent = old_field;
1477                     } else {
1478                         if (path_idx < (path_parts.length - 1)) {
1479                             // we ran out of classes to hop through before
1480                             // we ran out of path components
1481                             console.error("egGrid: invalid IDL path: " + dotpath);
1482                         }
1483                     }
1484                 }
1485             }
1486
1487             if (class_obj) {
1488                 angular.forEach(class_obj.fields, function(field) {
1489
1490                     // Only show wildcard fields where we have data to show
1491                     // Virtual and un-fleshed links will not have any data.
1492                     if (field.virtual ||
1493                         (field.datatype == 'link' || field.datatype == 'org_unit') ||
1494                         ignoreList.indexOf(field.name) > -1
1495                     )
1496                         return;
1497
1498                     var col = cols.cloneFromScope(colSpec);
1499                     col.path = (dotpath ? dotpath + '.' + field.name : field.name);
1500
1501                     // log line below is very chatty.  disable until needed.
1502                     // console.debug('egGrid: field: ' +field.name + '; parent field: ' + js2JSON(idl_parent));
1503                     cols.add(col, false, true, 
1504                         {idl_parent : idl_parent, idl_field : field, idl_class : class_obj, field_parent_label : old_field_label });
1505                 });
1506
1507                 cols.columns = cols.columns.sort(
1508                     function(a, b) {
1509                         if (a.explicit) return -1;
1510                         if (b.explicit) return 1;
1511
1512                         if (a.idlclass && b.idlclass) {
1513                             if (a.idlclass < b.idlclass) return -1;
1514                             if (b.idlclass < a.idlclass) return 1;
1515                         }
1516
1517                         if (a.path && b.path && a.path.lastIndexOf('.') && b.path.lastIndexOf('.')) {
1518                             if (a.path.substring(0, a.path.lastIndexOf('.')) < b.path.substring(0, b.path.lastIndexOf('.'))) return -1;
1519                             if (b.path.substring(0, b.path.lastIndexOf('.')) < a.path.substring(0, a.path.lastIndexOf('.'))) return 1;
1520                         }
1521
1522                         if (a.label && b.label) {
1523                             if (a.label < b.label) return -1;
1524                             if (b.label < a.label) return 1;
1525                         }
1526
1527                         return a.name < b.name ? -1 : 1;
1528                     }
1529                 );
1530
1531
1532             } else {
1533                 console.error(
1534                     "egGrid: wildcard path does not resolve to an object: "
1535                     + dotpath);
1536             }
1537         }
1538
1539         // angular.clone(scopeObject) is not permittable.  Manually copy
1540         // the fields over that we need (so the scope object can go away).
1541         cols.cloneFromScope = function(colSpec) {
1542             return {
1543                 flesher  : colSpec.flesher,
1544                 comparator  : colSpec.comparator,
1545                 name  : colSpec.name,
1546                 label : colSpec.label,
1547                 path  : colSpec.path,
1548                 align  : colSpec.align || 'left',
1549                 flex  : Number(colSpec.flex) || 2,
1550                 sort  : Number(colSpec.sort) || 0,
1551                 required : colSpec.required,
1552                 linkpath : colSpec.linkpath,
1553                 template : colSpec.template,
1554                 visible  : colSpec.visible,
1555                 compiled : colSpec.compiled,
1556                 handlers : colSpec.handlers,
1557                 hidden   : colSpec.hidden,
1558                 datatype : colSpec.datatype,
1559                 sortable : colSpec.sortable,
1560                 nonsortable      : colSpec.nonsortable,
1561                 multisortable    : colSpec.multisortable,
1562                 nonmultisortable : colSpec.nonmultisortable,
1563                 dateformat       : colSpec.dateformat,
1564                 datecontext      : colSpec.datecontext,
1565                 datefilter      : colSpec.datefilter,
1566                 dateonlyinterval : colSpec.dateonlyinterval,
1567                 parentIdlClass   : colSpec.parentIdlClass
1568             };
1569         }
1570
1571
1572         // Add a column to the columns collection.
1573         // Columns may come from a slim eg-columns-field or 
1574         // directly from the IDL.
1575         cols.add = function(colSpec, fromIDL, fromExpand, idl_info) {
1576
1577             // First added column with the specified path takes precedence.
1578             // This allows for specific definitions followed by wildcard
1579             // definitions.  If a match is found, back out.
1580             if (cols.columns.filter(function(c) {
1581                 return (c.path == colSpec.path) })[0]) {
1582                 console.debug('skipping pre-existing column ' + colSpec.path);
1583                 return;
1584             }
1585
1586             var column = fromExpand ? colSpec : cols.cloneFromScope(colSpec);
1587
1588             if (column.path && column.path.match(/\*$/)) 
1589                 return cols.expandPath(colSpec);
1590
1591             if (!fromExpand) column.explicit = true;
1592
1593             if (!column.name) column.name = column.path;
1594             if (!column.path) column.path = column.name;
1595
1596             if (column.visible || (!cols.defaultToHidden && !column.hidden))
1597                 column.visible = true;
1598
1599             if (column.sortable || (!cols.defaultToNoSort && !column.nonsortable))
1600                 column.sortable = true;
1601
1602             if (column.multisortable || 
1603                 (!cols.defaultToNoMultiSort && !column.nonmultisortable))
1604                 column.multisortable = true;
1605
1606             if (cols.defaultDateFormat && ! column.dateformat) {
1607                 column.dateformat = cols.defaultDateFormat;
1608             }
1609
1610             if (cols.defaultDateOnlyInterval && ! column.dateonlyinterval) {
1611                 column.dateonlyinterval = cols.defaultDateOnlyInterval;
1612             }
1613
1614             if (cols.defaultDateContext && ! column.datecontext) {
1615                 column.datecontext = cols.defaultDateContext;
1616             }
1617
1618             if (cols.defaultDateFilter && ! column.datefilter) {
1619                 column.datefilter = cols.defaultDateFilter;
1620             }
1621
1622             cols.columns.push(column);
1623
1624             // Track which columns are visible by default in case we
1625             // need to reset column visibility
1626             if (column.visible) 
1627                 cols.stockVisible.push(column.name);
1628
1629             if (fromIDL) return; // directly from egIDL.  nothing left to do.
1630
1631             // lookup the matching IDL field
1632             if (!idl_info && cols.idlClass) 
1633                 idl_info = cols.idlFieldFromPath(column.path);
1634
1635             if (!idl_info) {
1636                 // column is not represented within the IDL
1637                 column.adhoc = true; 
1638                 return; 
1639             }
1640
1641             column.datatype = idl_info.idl_field.datatype;
1642             
1643             if (!column.label) {
1644                 column.label = idl_info.idl_field.label || column.name;
1645             }
1646
1647             if (fromExpand && idl_info.idl_class) {
1648                 column.idlclass = '';
1649                 if (idl_info.field_parent_label && idl_info.idl_parent.label != idl_info.idl_class.label) {
1650                     column.idlclass = (idl_info.field_parent_label || idl_info.idl_parent.label || idl_info.idl_parent.name);
1651                 } else {
1652                     column.idlclass += idl_info.idl_class.label || idl_info.idl_class.name;
1653                 }
1654             }
1655         },
1656
1657         // finds the IDL field from the dotpath, using the columns
1658         // idlClass as the base.
1659         cols.idlFieldFromPath = function(dotpath) {
1660             var class_obj = egCore.idl.classes[cols.idlClass];
1661             if (!dotpath) return null;
1662
1663             var path_parts = dotpath.split(/\./);
1664
1665             var idl_parent;
1666             var idl_field;
1667             for (var path_idx in path_parts) {
1668                 var part = path_parts[path_idx];
1669                 idl_parent = idl_field;
1670                 idl_field = class_obj.field_map[part];
1671
1672                 if (idl_field) {
1673                     if (idl_field['class'] && (
1674                         idl_field.datatype == 'link' || 
1675                         idl_field.datatype == 'org_unit')) {
1676                         class_obj = egCore.idl.classes[idl_field['class']];
1677                     }
1678                 } else {
1679                     return null;
1680                 }
1681             }
1682
1683             return {
1684                 idl_parent: idl_parent,
1685                 idl_field : idl_field,
1686                 idl_class : class_obj
1687             };
1688         }
1689     }
1690
1691     return {
1692         instance : function(args) { return new ColumnsProvider(args) }
1693     }
1694 }])
1695
1696
1697 /*
1698  * Generic data provider template class.  This is basically an abstract
1699  * class factory service whose instances can be locally modified to 
1700  * meet the needs of each individual grid.
1701  */
1702 .factory('egGridDataProvider', 
1703            ['$q','$timeout','$filter','egCore',
1704     function($q , $timeout , $filter , egCore) {
1705
1706         function GridDataProvider(args) {
1707             var gridData = this;
1708             if (!args) args = {};
1709
1710             gridData.sort = [];
1711             gridData.get = args.get;
1712             gridData.query = args.query;
1713             gridData.idlClass = args.idlClass;
1714             gridData.columnsProvider = args.columnsProvider;
1715
1716             // Delivers a stream of array data via promise.notify()
1717             // Useful for passing an array of data to egGrid.get()
1718             // If a count is provided, the array will be trimmed to
1719             // the range defined by count and offset
1720             gridData.arrayNotifier = function(arr, offset, count) {
1721                 if (!arr || arr.length == 0) return $q.when();
1722
1723                 if (gridData.columnsProvider.clientSort
1724                     && gridData.sort
1725                     && gridData.sort.length > 0
1726                 ) {
1727                     var sorter_cache = [];
1728                     arr.sort(function(a,b) {
1729                         for (var si = 0; si < gridData.sort.length; si++) {
1730                             if (!sorter_cache[si]) { // Build sort structure on first comparison, reuse thereafter
1731                                 var field = gridData.sort[si];
1732                                 var dir = 'asc';
1733
1734                                 if (angular.isObject(field)) {
1735                                     dir = Object.values(field)[0];
1736                                     field = Object.keys(field)[0];
1737                                 }
1738
1739                                 var path = gridData.columnsProvider.findColumn(field).path || field;
1740                                 var comparator = gridData.columnsProvider.findColumn(field).comparator ||
1741                                     function (x,y) { if (x < y) return -1; if (x > y) return 1; return 0 };
1742
1743                                 sorter_cache[si] = {
1744                                     field       : path,
1745                                     dir         : dir,
1746                                     comparator  : comparator
1747                                 };
1748                             }
1749
1750                             var sc = sorter_cache[si];
1751
1752                             var af,bf;
1753
1754                             if (a._isfieldmapper || angular.isFunction(a[sc.field])) {
1755                                 try {af = a[sc.field](); bf = b[sc.field]() } catch (e) {};
1756                             } else {
1757                                 af = a[sc.field]; bf = b[sc.field];
1758                             }
1759                             if (af === undefined && sc.field.indexOf('.') > -1) { // assume an object, not flat path
1760                                 var parts = sc.field.split('.');
1761                                 af = a;
1762                                 bf = b;
1763                                 angular.forEach(parts, function (p) {
1764                                     if (af) {
1765                                         if (af._isfieldmapper || angular.isFunction(af[p])) af = af[p]();
1766                                         else af = af[p];
1767                                     }
1768                                     if (bf) {
1769                                         if (bf._isfieldmapper || angular.isFunction(bf[p])) bf = bf[p]();
1770                                         else bf = bf[p];
1771                                     }
1772                                 });
1773                             }
1774
1775                             if (af === undefined) af = null;
1776                             if (bf === undefined) bf = null;
1777
1778                             if (af === null && bf !== null) return 1;
1779                             if (bf === null && af !== null) return -1;
1780
1781                             if (!(bf === null && af === null)) {
1782                                 var partial = sc.comparator(af,bf);
1783                                 if (partial) {
1784                                     if (sc.dir == 'desc') {
1785                                         if (partial > 0) return -1;
1786                                         return 1;
1787                                     }
1788                                     return partial;
1789                                 }
1790                             }
1791                         }
1792
1793                         return 0;
1794                     });
1795                 }
1796
1797                 if (count) arr = arr.slice(offset, offset + count);
1798                 var def = $q.defer();
1799                 // promise notifications are only witnessed when delivered
1800                 // after the caller has his hands on the promise object
1801                 $timeout(function() {
1802                     angular.forEach(arr, def.notify);
1803                     def.resolve();
1804                 });
1805                 return def.promise;
1806             }
1807
1808             // Calls the grid refresh function.  Once instantiated, the
1809             // grid will replace this function with it's own refresh()
1810             gridData.refresh = function(noReset) { }
1811
1812             if (!gridData.get) {
1813                 // returns a promise whose notify() delivers items
1814                 gridData.get = function(index, count) {
1815                     console.error("egGridDataProvider.get() not implemented");
1816                 }
1817             }
1818
1819             // attempts a flat field lookup first.  If the column is not
1820             // found on the top-level object, attempts a nested lookup
1821             // TODO: consider a caching layer to speed up template 
1822             // rendering, particularly for nested objects?
1823             gridData.itemFieldValue = function(item, column) {
1824                 var val;
1825                 if (column.name in item) {
1826                     if (typeof item[column.name] == 'function') {
1827                         val = item[column.name]();
1828                     } else {
1829                         val = item[column.name];
1830                     }
1831                 } else {
1832                     val = gridData.nestedItemFieldValue(item, column);
1833                 }
1834
1835                 return val;
1836             }
1837
1838             // TODO: deprecate me
1839             gridData.flatItemFieldValue = function(item, column) {
1840                 console.warn('gridData.flatItemFieldValue deprecated; '
1841                     + 'leave provider.itemFieldValue unset');
1842                 return item[column.name];
1843             }
1844
1845             // given an object and a dot-separated path to a field,
1846             // extract the value of the field.  The path can refer
1847             // to function names or object attributes.  If the final
1848             // value is an IDL field, run the value through its
1849             // corresponding output filter.
1850             gridData.nestedItemFieldValue = function(obj, column) {
1851                 item = obj; // keep a copy around
1852
1853                 if (obj === null || obj === undefined || obj === '') return '';
1854                 if (!column.path) return obj;
1855
1856                 var idl_field;
1857                 var parts = column.path.split('.');
1858
1859                 angular.forEach(parts, function(step, idx) {
1860                     // object is not fleshed to the expected extent
1861                     if (typeof obj != 'object') {
1862                         if (typeof obj != 'undefined' && column.flesher) {
1863                             obj = column.flesher(obj, column, item);
1864                         } else {
1865                             obj = '';
1866                             return;
1867                         }
1868                     }
1869
1870                     if (!obj) return '';
1871
1872                     var cls = obj.classname;
1873                     if (cls && (class_obj = egCore.idl.classes[cls])) {
1874                         idl_field = class_obj.field_map[step];
1875                         obj = obj[step] ? obj[step]() : '';
1876                     } else {
1877                         if (angular.isFunction(obj[step])) {
1878                             obj = obj[step]();
1879                         } else {
1880                             obj = obj[step];
1881                         }
1882                     }
1883                 });
1884
1885                 // We found a nested IDL object which may or may not have 
1886                 // been configured as a top-level column.  Grab the datatype.
1887                 if (idl_field && !column.datatype) 
1888                     column.datatype = idl_field.datatype;
1889
1890                 if (obj === null || obj === undefined || obj === '') return '';
1891                 return obj;
1892             }
1893         }
1894
1895         return {
1896             instance : function(args) {
1897                 return new GridDataProvider(args);
1898             }
1899         };
1900     }
1901 ])
1902
1903
1904 // Factory service for egGridDataManager instances, which are
1905 // responsible for collecting flattened grid data.
1906 .factory('egGridFlatDataProvider', 
1907            ['$q','egCore','egGridDataProvider',
1908     function($q , egCore , egGridDataProvider) {
1909
1910         return {
1911             instance : function(args) {
1912                 var provider = egGridDataProvider.instance(args);
1913
1914                 provider.get = function(offset, count) {
1915
1916                     // no query means no call
1917                     if (!provider.query || 
1918                             angular.equals(provider.query, {})) 
1919                         return $q.when();
1920
1921                     // find all of the currently visible columns
1922                     var queryFields = {}
1923                     angular.forEach(provider.columnsProvider.columns, 
1924                         function(col) {
1925                             // only query IDL-tracked columns
1926                             if (!col.adhoc && col.name && col.path && (col.required || col.visible))
1927                                 queryFields[col.name] = col.path;
1928                         }
1929                     );
1930
1931                     return egCore.net.request(
1932                         'open-ils.fielder',
1933                         'open-ils.fielder.flattened_search',
1934                         egCore.auth.token(), provider.idlClass, 
1935                         queryFields, provider.query,
1936                         {   sort : provider.sort,
1937                             limit : count,
1938                             offset : offset
1939                         }
1940                     );
1941                 }
1942                 //provider.itemFieldValue = provider.flatItemFieldValue;
1943                 return provider;
1944             }
1945         };
1946     }
1947 ])
1948
1949 .directive('egGridColumnDragSource', function() {
1950     return {
1951         restrict : 'A',
1952         require : '^egGrid',
1953         link : function(scope, element, attrs, egGridCtrl) {
1954             angular.element(element).attr('draggable', 'true');
1955
1956             element.bind('dragstart', function(e) {
1957                 egGridCtrl.dragColumn = attrs.column;
1958                 egGridCtrl.dragType = attrs.dragType || 'move'; // or resize
1959                 egGridCtrl.colResizeDir = 0;
1960
1961                 if (egGridCtrl.dragType == 'move') {
1962                     // style the column getting moved
1963                     angular.element(e.target).addClass(
1964                         'eg-grid-column-move-handle-active');
1965                 }
1966             });
1967
1968             element.bind('dragend', function(e) {
1969                 if (egGridCtrl.dragType == 'move') {
1970                     angular.element(e.target).removeClass(
1971                         'eg-grid-column-move-handle-active');
1972                 }
1973             });
1974         }
1975     };
1976 })
1977
1978 .directive('egGridColumnDragDest', function() {
1979     return {
1980         restrict : 'A',
1981         require : '^egGrid',
1982         link : function(scope, element, attrs, egGridCtrl) {
1983
1984             element.bind('dragover', function(e) { // required for drop
1985                 e.stopPropagation();
1986                 e.preventDefault();
1987                 e.dataTransfer.dropEffect = 'move';
1988
1989                 if (egGridCtrl.colResizeDir == 0) return; // move
1990
1991                 var cols = egGridCtrl.columnsProvider;
1992                 var srcCol = egGridCtrl.dragColumn;
1993                 var srcColIdx = cols.indexOf(srcCol);
1994
1995                 if (egGridCtrl.colResizeDir == -1) {
1996                     if (cols.indexOf(attrs.column) <= srcColIdx) {
1997                         egGridCtrl.modifyColumnFlex(
1998                             egGridCtrl.columnsProvider.findColumn(
1999                                 egGridCtrl.dragColumn), -1);
2000                         if (cols.columns[srcColIdx+1]) {
2001                             // source column shrinks by one, column to the
2002                             // right grows by one.
2003                             egGridCtrl.modifyColumnFlex(
2004                                 cols.columns[srcColIdx+1], 1);
2005                         }
2006                         scope.$apply();
2007                     }
2008                 } else {
2009                     if (cols.indexOf(attrs.column) > srcColIdx) {
2010                         egGridCtrl.modifyColumnFlex( 
2011                             egGridCtrl.columnsProvider.findColumn(
2012                                 egGridCtrl.dragColumn), 1);
2013                         if (cols.columns[srcColIdx+1]) {
2014                             // source column grows by one, column to the 
2015                             // right grows by one.
2016                             egGridCtrl.modifyColumnFlex(
2017                                 cols.columns[srcColIdx+1], -1);
2018                         }
2019
2020                         scope.$apply();
2021                     }
2022                 }
2023             });
2024
2025             element.bind('dragenter', function(e) {
2026                 e.stopPropagation();
2027                 e.preventDefault();
2028                 if (egGridCtrl.dragType == 'move') {
2029                     angular.element(e.target).addClass('eg-grid-col-hover');
2030                 } else {
2031                     // resize grips are on the right side of each column.
2032                     // dragenter will either occur on the source column 
2033                     // (dragging left) or the column to the right.
2034                     if (egGridCtrl.colResizeDir == 0) {
2035                         if (egGridCtrl.dragColumn == attrs.column) {
2036                             egGridCtrl.colResizeDir = -1; // west
2037                         } else {
2038                             egGridCtrl.colResizeDir = 1; // east
2039                         }
2040                     }
2041                 }
2042             });
2043
2044             element.bind('dragleave', function(e) {
2045                 e.stopPropagation();
2046                 e.preventDefault();
2047                 if (egGridCtrl.dragType == 'move') {
2048                     angular.element(e.target).removeClass('eg-grid-col-hover');
2049                 }
2050             });
2051
2052             element.bind('drop', function(e) {
2053                 e.stopPropagation();
2054                 e.preventDefault();
2055                 egGridCtrl.colResizeDir = 0;
2056                 if (egGridCtrl.dragType == 'move') {
2057                     angular.element(e.target).removeClass('eg-grid-col-hover');
2058                     egGridCtrl.onColumnDrop(attrs.column); // move the column
2059                 }
2060             });
2061         }
2062     };
2063 })
2064  
2065 .directive('egGridMenuItem', function() {
2066     return {
2067         restrict : 'AE',
2068         require : '^egGrid',
2069         scope : {
2070             label : '@',  
2071             checkbox : '@',  
2072             checked : '=',  
2073             standalone : '=',  
2074             handler : '=', // onclick handler function
2075             divider : '=', // if true, show a divider only
2076             handlerData : '=', // if set, passed as second argument to handler
2077             disabled : '=', // function
2078             hidden : '=' // function
2079         },
2080         link : function(scope, element, attrs, egGridCtrl) {
2081             egGridCtrl.addMenuItem({
2082                 checkbox : scope.checkbox,
2083                 checked : scope.checked ? true : false,
2084                 label : scope.label,
2085                 standalone : scope.standalone ? true : false,
2086                 handler : scope.handler,
2087                 divider : scope.divider,
2088                 disabled : scope.disabled,
2089                 hidden : scope.hidden,
2090                 handlerData : scope.handlerData
2091             });
2092             scope.$destroy();
2093         }
2094     };
2095 })
2096
2097 /* https://stackoverflow.com/questions/17343696/adding-an-ng-click-event-inside-a-filter/17344875#17344875 */
2098 .directive('compile', ['$compile', function ($compile) {
2099     return function(scope, element, attrs) {
2100       // pass through column defs from grid cell's scope
2101       scope.col = scope.$parent.col;
2102       scope.$watch(
2103         function(scope) {
2104           // watch the 'compile' expression for changes
2105           return scope.$eval(attrs.compile);
2106         },
2107         function(value) {
2108           // when the 'compile' expression changes
2109           // assign it into the current DOM
2110           element.html(value);
2111
2112           // compile the new DOM and link it to the current
2113           // scope.
2114           // NOTE: we only compile .childNodes so that
2115           // we don't get into infinite loop compiling ourselves
2116           $compile(element.contents())(scope);
2117         }
2118     );
2119   };
2120 }])
2121
2122
2123
2124 /**
2125  * Translates bare IDL object values into display values.
2126  * 1. Passes dates through the angular date filter
2127  * 2. Translates bools to Booleans so the browser can display translated 
2128  *    value.  (Though we could manually translate instead..)
2129  * Others likely to follow...
2130  */
2131 .filter('egGridValueFilter', ['$filter','egCore', function($filter,egCore) {
2132     function traversePath(obj,path) {
2133         var list = path.split('.');
2134         for (var part in path) {
2135             if (obj[path]) obj = obj[path]
2136             else return null;
2137         }
2138         return obj;
2139     }
2140
2141     var GVF = function(value, column, item) {
2142         switch(column.datatype) {
2143             case 'bool':
2144                 switch(value) {
2145                     // Browser will translate true/false for us
2146                     case 't' : 
2147                     case '1' :  // legacy
2148                     case true:
2149                         return ''+true;
2150                     case 'f' : 
2151                     case '0' :  // legacy
2152                     case false:
2153                         return ''+false;
2154                     // value may be null,  '', etc.
2155                     default : return '';
2156                 }
2157             case 'timestamp':
2158                 var interval = angular.isFunction(item[column.dateonlyinterval])
2159                     ? item[column.dateonlyinterval]()
2160                     : item[column.dateonlyinterval];
2161
2162                 if (column.dateonlyinterval && !interval) // try it as a dotted path
2163                     interval = traversePath(item, column.dateonlyinterval);
2164
2165                 var context = angular.isFunction(item[column.datecontext])
2166                     ? item[column.datecontext]()
2167                     : item[column.datecontext];
2168
2169                 if (column.datecontext && !context) // try it as a dotted path
2170                     context = traversePath(item, column.datecontext);
2171
2172                 var date_filter = column.datefilter || 'egOrgDateInContext';
2173
2174                 return $filter(date_filter)(value, column.dateformat, context, interval);
2175             case 'money':
2176                 return $filter('currency')(value);
2177             default:
2178                 return value;
2179         }
2180     };
2181
2182     GVF.$stateful = true;
2183     return GVF;
2184 }]);
2185