Bug 29407: Make the pickup locations dropdown JS reusable
[koha.git] / koha-tmpl / intranet-tmpl / prog / js / datatables.js
1 // These default options are for translation but can be used
2 // for any other datatables settings
3 // To use it, write:
4 //  $("#table_id").dataTable($.extend(true, {}, dataTableDefaults, {
5 //      // other settings
6 //  } ) );
7 var dataTablesDefaults = {
8     "language": {
9         "paginate": {
10             "first"    : __('First'),
11             "last"     : __('Last'),
12             "next"     : __('Next'),
13             "previous" : __('Previous'),
14         },
15         "emptyTable"       : __('No data available in table'),
16         "info"             : __('Showing _START_ to _END_ of _TOTAL_ entries'),
17         "infoEmpty"        : __('No entries to show'),
18         "infoFiltered"     : __('(filtered from _MAX_ total entries)'),
19         "lengthMenu"       : __('Show _MENU_ entries'),
20         "loadingRecords"   : __('Loading...'),
21         "processing"       : __('Processing...'),
22         "search"           : __('Search:'),
23         "zeroRecords"      : __('No matching records found'),
24         buttons: {
25             "copyTitle"     : __('Copy to clipboard'),
26             "copyKeys"      : __('Press <i>ctrl</i> or <i>⌘</i> + <i>C</i> to copy the table data<br>to your system clipboard.<br><br>To cancel, click this message or press escape.'),
27             "copySuccess": {
28                 _: __('Copied %d rows to clipboard'),
29                 1: __('Copied one row to clipboard'),
30             }
31         }
32     },
33     "dom": '<"top pager"<"table_entries"ilp><"table_controls"fB>>tr<"bottom pager"ip>',
34     "buttons": [{
35         fade: 100,
36         className: "dt_button_clear_filter",
37         titleAttr: __('Clear filter'),
38         enabled: false,
39         text: '<i class="fa fa-lg fa-remove"></i> <span class="dt-button-text">' + __('Clear filter') + '</span>',
40         available: function ( dt ) {
41             // The "clear filter" button is made available if this test returns true
42             if( dt.settings()[0].aanFeatures.f ){ // aanFeatures.f is null if there is no search form
43                 return true;
44             }
45         },
46         action: function ( e, dt, node ) {
47             dt.search( "" ).draw("page");
48             node.addClass("disabled");
49         }
50     }],
51     "lengthMenu": [[10, 20, 50, 100, -1], [10, 20, 50, 100, __('All')]],
52     "pageLength": 20,
53     "fixedHeader": true,
54     initComplete: function( settings) {
55         var tableId = settings.nTable.id
56         // When the DataTables search function is triggered,
57         // enable or disable the "Clear filter" button based on
58         // the presence of a search string
59         $("#" + tableId ).on( 'search.dt', function ( e, settings ) {
60             if( settings.oPreviousSearch.sSearch == "" ){
61                 $("#" + tableId + "_wrapper").find(".dt_button_clear_filter").addClass("disabled");
62             } else {
63                 $("#" + tableId + "_wrapper").find(".dt_button_clear_filter").removeClass("disabled");
64             }
65         });
66     }
67 };
68
69
70 // Return an array of string containing the values of a particular column
71 $.fn.dataTableExt.oApi.fnGetColumnData = function ( oSettings, iColumn, bUnique, bFiltered, bIgnoreEmpty ) {
72     // check that we have a column id
73     if ( typeof iColumn == "undefined" ) return new Array();
74     // by default we only wany unique data
75     if ( typeof bUnique == "undefined" ) bUnique = true;
76     // by default we do want to only look at filtered data
77     if ( typeof bFiltered == "undefined" ) bFiltered = true;
78     // by default we do not wany to include empty values
79     if ( typeof bIgnoreEmpty == "undefined" ) bIgnoreEmpty = true;
80     // list of rows which we're going to loop through
81     var aiRows;
82     // use only filtered rows
83     if (bFiltered == true) aiRows = oSettings.aiDisplay;
84     // use all rows
85     else aiRows = oSettings.aiDisplayMaster; // all row numbers
86
87     // set up data array
88     var asResultData = new Array();
89     for (var i=0,c=aiRows.length; i<c; i++) {
90         iRow = aiRows[i];
91         var aData = this.fnGetData(iRow);
92         var sValue = aData[iColumn];
93         // ignore empty values?
94         if (bIgnoreEmpty == true && sValue.length == 0) continue;
95         // ignore unique values?
96         else if (bUnique == true && jQuery.inArray(sValue, asResultData) > -1) continue;
97         // else push the value onto the result data array
98         else asResultData.push(sValue);
99     }
100     return asResultData;
101 }
102
103 // List of unbind keys (Ctrl, Alt, Direction keys, etc.)
104 // These keys must not launch filtering
105 var blacklist_keys = new Array(0, 16, 17, 18, 37, 38, 39, 40);
106
107 // Set a filtering delay for global search field
108 jQuery.fn.dataTableExt.oApi.fnSetFilteringDelay = function ( oSettings, iDelay ) {
109     /*
110      * Inputs:      object:oSettings - dataTables settings object - automatically given
111      *              integer:iDelay - delay in milliseconds
112      * Usage:       $('#example').dataTable().fnSetFilteringDelay(250);
113      * Author:      Zygimantas Berziunas (www.zygimantas.com) and Allan Jardine
114      * License:     GPL v2 or BSD 3 point style
115      * Contact:     zygimantas.berziunas /AT\ hotmail.com
116      */
117     var
118         _that = this,
119         iDelay = (typeof iDelay == 'undefined') ? 250 : iDelay;
120
121     this.each( function ( i ) {
122         $.fn.dataTableExt.iApiIndex = i;
123         var
124             $this = this,
125             oTimerId = null,
126             sPreviousSearch = null,
127             anControl = $( 'input', _that.fnSettings().aanFeatures.f );
128
129         anControl.unbind( 'keyup.DT' ).bind( 'keyup.DT', function(event) {
130             var $$this = $this;
131             if (blacklist_keys.indexOf(event.keyCode) != -1) {
132                 return this;
133             }else if ( event.keyCode == '13' ) {
134                 $.fn.dataTableExt.iApiIndex = i;
135                 _that.fnFilter( $(this).val() );
136             } else {
137                 if (sPreviousSearch === null || sPreviousSearch != anControl.val()) {
138                     window.clearTimeout(oTimerId);
139                     sPreviousSearch = anControl.val();
140                     oTimerId = window.setTimeout(function() {
141                         $.fn.dataTableExt.iApiIndex = i;
142                         _that.fnFilter( anControl.val() );
143                     }, iDelay);
144                 }
145             }
146         });
147
148         return this;
149     } );
150     return this;
151 }
152
153 // Add a filtering delay on general search and on all input (with a class 'filter')
154 jQuery.fn.dataTableExt.oApi.fnAddFilters = function ( oSettings, sClass, iDelay ) {
155     var table = this;
156     this.fnSetFilteringDelay(iDelay);
157     var filterTimerId = null;
158     $(table).find("input."+sClass).keyup(function(event) {
159       if (blacklist_keys.indexOf(event.keyCode) != -1) {
160         return this;
161       }else if ( event.keyCode == '13' ) {
162         table.fnFilter( $(this).val(), $(this).attr('data-column_num') );
163       } else {
164         window.clearTimeout(filterTimerId);
165         var input = this;
166         filterTimerId = window.setTimeout(function() {
167           table.fnFilter($(input).val(), $(input).attr('data-column_num'));
168         }, iDelay);
169       }
170     });
171     $(table).find("select."+sClass).on('change', function() {
172         table.fnFilter($(this).val(), $(this).attr('data-column_num'));
173     });
174 }
175
176 // Sorting on html contains
177 // <a href="foo.pl">bar</a> sort on 'bar'
178 function dt_overwrite_html_sorting_localeCompare() {
179     jQuery.fn.dataTableExt.oSort['html-asc']  = function(a,b) {
180         a = a.replace(/<.*?>/g, "").replace(/\s+/g, " ");
181         b = b.replace(/<.*?>/g, "").replace(/\s+/g, " ");
182         if (typeof(a.localeCompare == "function")) {
183            return a.localeCompare(b);
184         } else {
185            return (a > b) ? 1 : ((a < b) ? -1 : 0);
186         }
187     };
188
189     jQuery.fn.dataTableExt.oSort['html-desc'] = function(a,b) {
190         a = a.replace(/<.*?>/g, "").replace(/\s+/g, " ");
191         b = b.replace(/<.*?>/g, "").replace(/\s+/g, " ");
192         if(typeof(b.localeCompare == "function")) {
193             return b.localeCompare(a);
194         } else {
195             return (b > a) ? 1 : ((b < a) ? -1 : 0);
196         }
197     };
198
199     jQuery.fn.dataTableExt.oSort['num-html-asc']  = function(a,b) {
200         var x = a.replace( /<.*?>/g, "" );
201         var y = b.replace( /<.*?>/g, "" );
202         x = parseFloat( x );
203         y = parseFloat( y );
204         return ((x < y) ? -1 : ((x > y) ?  1 : 0));
205     };
206
207     jQuery.fn.dataTableExt.oSort['num-html-desc'] = function(a,b) {
208         var x = a.replace( /<.*?>/g, "" );
209         var y = b.replace( /<.*?>/g, "" );
210         x = parseFloat( x );
211         y = parseFloat( y );
212         return ((x < y) ?  1 : ((x > y) ? -1 : 0));
213     };
214 }
215
216 $.fn.dataTableExt.oSort['num-html-asc']  = function(a,b) {
217     var x = a.replace( /<.*?>/g, "" );
218     var y = b.replace( /<.*?>/g, "" );
219     x = parseFloat( x );
220     y = parseFloat( y );
221     return ((x < y) ? -1 : ((x > y) ?  1 : 0));
222 };
223
224 $.fn.dataTableExt.oSort['num-html-desc'] = function(a,b) {
225     var x = a.replace( /<.*?>/g, "" );
226     var y = b.replace( /<.*?>/g, "" );
227     x = parseFloat( x );
228     y = parseFloat( y );
229     return ((x < y) ?  1 : ((x > y) ? -1 : 0));
230 };
231
232 (function() {
233
234 /*
235  * Natural Sort algorithm for Javascript - Version 0.7 - Released under MIT license
236  * Author: Jim Palmer (based on chunking idea from Dave Koelle)
237  * Contributors: Mike Grier (mgrier.com), Clint Priest, Kyle Adams, guillermo
238  * See: http://js-naturalsort.googlecode.com/svn/trunk/naturalSort.js
239  */
240 function naturalSort (a, b) {
241     var re = /(^-?[0-9]+(\.?[0-9]*)[df]?e?[0-9]?$|^0x[0-9a-f]+$|[0-9]+)/gi,
242         sre = /(^[ ]*|[ ]*$)/g,
243         dre = /(^([\w ]+,?[\w ]+)?[\w ]+,?[\w ]+\d+:\d+(:\d+)?[\w ]?|^\d{1,4}[\/\-]\d{1,4}[\/\-]\d{1,4}|^\w+, \w+ \d+, \d{4})/,
244         hre = /^0x[0-9a-f]+$/i,
245         ore = /^0/,
246         // convert all to strings and trim()
247         x = a.toString().replace(sre, '') || '',
248         y = b.toString().replace(sre, '') || '',
249         // chunk/tokenize
250         xN = x.replace(re, '\0$1\0').replace(/\0$/,'').replace(/^\0/,'').split('\0'),
251         yN = y.replace(re, '\0$1\0').replace(/\0$/,'').replace(/^\0/,'').split('\0'),
252         // numeric, hex or date detection
253         xD = parseInt(x.match(hre), 10) || (xN.length != 1 && x.match(dre) && Date.parse(x)),
254         yD = parseInt(y.match(hre), 10) || xD && y.match(dre) && Date.parse(y) || null;
255     // first try and sort Hex codes or Dates
256     if (yD)
257         if ( xD < yD ) return -1;
258         else if ( xD > yD )  return 1;
259     // natural sorting through split numeric strings and default strings
260     for(var cLoc=0, numS=Math.max(xN.length, yN.length); cLoc < numS; cLoc++) {
261         // find floats not starting with '0', string or 0 if not defined (Clint Priest)
262         var oFxNcL = !(xN[cLoc] || '').match(ore) && parseFloat(xN[cLoc]) || xN[cLoc] || 0;
263         var oFyNcL = !(yN[cLoc] || '').match(ore) && parseFloat(yN[cLoc]) || yN[cLoc] || 0;
264         // handle numeric vs string comparison - number < string - (Kyle Adams)
265         if (isNaN(oFxNcL) !== isNaN(oFyNcL)) return (isNaN(oFxNcL)) ? 1 : -1;
266         // rely on string comparison if different types - i.e. '02' < 2 != '02' < '2'
267         else if (typeof oFxNcL !== typeof oFyNcL) {
268             oFxNcL += '';
269             oFyNcL += '';
270         }
271         if (oFxNcL < oFyNcL) return -1;
272         if (oFxNcL > oFyNcL) return 1;
273     }
274     return 0;
275 }
276
277 jQuery.extend( jQuery.fn.dataTableExt.oSort, {
278     "natural-asc": function ( a, b ) {
279         return naturalSort(a,b);
280     },
281
282     "natural-desc": function ( a, b ) {
283         return naturalSort(a,b) * -1;
284     }
285 } );
286
287 }());
288
289 /* Plugin to allow sorting on data stored in a span's title attribute
290  *
291  * Ex: <td><span title="[% ISO_date %]">[% formatted_date %]</span></td>
292  *
293  * In DataTables config:
294  *     "aoColumns": [
295  *        { "sType": "title-string" },
296  *      ]
297  * http://datatables.net/plug-ins/sorting#hidden_title_string
298  */
299 jQuery.extend( jQuery.fn.dataTableExt.oSort, {
300     "title-string-pre": function ( a ) {
301         var m = a.match(/title="(.*?)"/);
302         if ( null !== m && m.length ) {
303             return m[1].toLowerCase();
304         }
305         return "";
306     },
307
308     "title-string-asc": function ( a, b ) {
309         return ((a < b) ? -1 : ((a > b) ? 1 : 0));
310     },
311
312     "title-string-desc": function ( a, b ) {
313         return ((a < b) ? 1 : ((a > b) ? -1 : 0));
314     }
315 } );
316
317 /* Plugin to allow sorting on numeric data stored in a span's title attribute
318  *
319  * Ex: <td><span title="[% decimal_number_that_JS_parseFloat_accepts %]">
320  *              [% formatted currency %]
321  *     </span></td>
322  *
323  * In DataTables config:
324  *     "aoColumns": [
325  *        { "sType": "title-numeric" },
326  *      ]
327  * http://datatables.net/plug-ins/sorting#hidden_title
328  */
329 jQuery.extend( jQuery.fn.dataTableExt.oSort, {
330     "title-numeric-pre": function ( a ) {
331         var x = a.match(/title="*(-?[0-9\.]+)/)[1];
332         return parseFloat( x );
333     },
334
335     "title-numeric-asc": function ( a, b ) {
336         return ((a < b) ? -1 : ((a > b) ? 1 : 0));
337     },
338
339     "title-numeric-desc": function ( a, b ) {
340         return ((a < b) ? 1 : ((a > b) ? -1 : 0));
341     }
342 } );
343
344 (function() {
345
346     /* Plugin to allow text sorting to ignore articles
347      *
348      * In DataTables config:
349      *     "aoColumns": [
350      *        { "sType": "anti-the" },
351      *      ]
352      * Based on the plugin found here:
353      * http://datatables.net/plug-ins/sorting#anti_the
354      * Modified to exclude HTML tags from sorting
355      * Extended to accept a string of space-separated articles
356      * from a configuration file (in English, "a," "an," and "the")
357      */
358
359     var config_exclude_articles_from_sort = __('a an the');
360     if (config_exclude_articles_from_sort){
361         var articles = config_exclude_articles_from_sort.split(" ");
362         var rpattern = "";
363         for(i=0;i<articles.length;i++){
364             rpattern += "^" + articles[i] + " ";
365             if(i < articles.length - 1){ rpattern += "|"; }
366         }
367         var re = new RegExp(rpattern, "i");
368     }
369
370     jQuery.extend( jQuery.fn.dataTableExt.oSort, {
371         "anti-the-pre": function ( a ) {
372             var x = String(a).replace( /<[\s\S]*?>/g, "" );
373             var y = x.trim();
374             var z = y.replace(re, "").toLowerCase();
375             return z;
376         },
377
378         "anti-the-asc": function ( a, b ) {
379             return ((a < b) ? -1 : ((a > b) ? 1 : 0));
380         },
381
382         "anti-the-desc": function ( a, b ) {
383             return ((a < b) ? 1 : ((a > b) ? -1 : 0));
384         }
385     });
386
387 }());
388
389 // Remove string between NSB NSB characters
390 $.fn.dataTableExt.oSort['nsb-nse-asc'] = function(a,b) {
391     var pattern = new RegExp("\x88.*\x89");
392     a = a.replace(pattern, "");
393     b = b.replace(pattern, "");
394     return (a > b) ? 1 : ((a < b) ? -1 : 0);
395 }
396 $.fn.dataTableExt.oSort['nsb-nse-desc'] = function(a,b) {
397     var pattern = new RegExp("\x88.*\x89");
398     a = a.replace(pattern, "");
399     b = b.replace(pattern, "");
400     return (b > a) ? 1 : ((b < a) ? -1 : 0);
401 }
402
403 /* Define two custom functions (asc and desc) for basket callnumber sorting */
404 jQuery.fn.dataTableExt.oSort['callnumbers-asc']  = function(x,y) {
405         var x_array = x.split("<div>");
406         var y_array = y.split("<div>");
407
408         /* Pop the first elements, they are empty strings */
409         x_array.shift();
410         y_array.shift();
411
412         x_array = jQuery.map( x_array, function( a ) {
413             return parse_callnumber( a );
414         });
415         y_array = jQuery.map( y_array, function( a ) {
416             return parse_callnumber( a );
417         });
418
419         x_array.sort();
420         y_array.sort();
421
422         x = x_array.shift();
423         y = y_array.shift();
424
425         if ( !x ) { x = ""; }
426         if ( !y ) { y = ""; }
427
428         return ((x < y) ? -1 : ((x > y) ?  1 : 0));
429 };
430
431 jQuery.fn.dataTableExt.oSort['callnumbers-desc'] = function(x,y) {
432         var x_array = x.split("<div>");
433         var y_array = y.split("<div>");
434
435         /* Pop the first elements, they are empty strings */
436         x_array.shift();
437         y_array.shift();
438
439         x_array = jQuery.map( x_array, function( a ) {
440             return parse_callnumber( a );
441         });
442         y_array = jQuery.map( y_array, function( a ) {
443             return parse_callnumber( a );
444         });
445
446         x_array.sort();
447         y_array.sort();
448
449         x = x_array.pop();
450         y = y_array.pop();
451
452         if ( !x ) { x = ""; }
453         if ( !y ) { y = ""; }
454
455         return ((x < y) ?  1 : ((x > y) ? -1 : 0));
456 };
457
458 function parse_callnumber ( html ) {
459     var array = html.split('<span class="callnumber">');
460     if ( array[1] ) {
461         array = array[1].split('</span>');
462         return array[0];
463     } else {
464         return "";
465     }
466 }
467
468 // see http://www.datatables.net/examples/advanced_init/footer_callback.html
469 function footer_column_sum( api, column_numbers ) {
470     // Remove the formatting to get integer data for summation
471     var intVal = function ( i ) {
472         if ( typeof i === 'number' ) {
473             if ( isNaN(i) ) return 0;
474             return i;
475         } else if ( typeof i === 'string' ) {
476             var value = i.replace(/[a-zA-Z ,.]/g, '')*1;
477             if ( isNaN(value) ) return 0;
478             return value;
479         }
480         return 0;
481     };
482
483
484     for ( var indice = 0 ; indice < column_numbers.length ; indice++ ) {
485         var column_number = column_numbers[indice];
486
487         var total = 0;
488         var cells = api.column( column_number, { page: 'current' } ).nodes().to$().find("span.total_amount");
489         var budgets_totaled = [];
490         $(cells).each(function(){ budgets_totaled.push( $(this).data('self_id') ); });
491         $(cells).each(function(){
492             if( $(this).data('parent_id') && $.inArray( $(this).data('parent_id'), budgets_totaled) > -1 ){
493                 return;
494             } else {
495                 total += intVal( $(this).html() );
496             }
497
498         });
499         total /= 100; // Hard-coded decimal precision
500
501         // Update footer
502         $( api.column( column_number ).footer() ).html(total.format_price());
503     };
504 }
505
506 function filterDataTable( table, column, term ){
507     if( column ){
508         table.column( column ).search( term ).draw("page");
509     } else {
510         table.search( term ).draw("page");
511     }
512 }
513
514 jQuery.fn.dataTable.ext.errMode = function(settings, note, message) {
515     console.warn(message);
516 };
517
518 (function($) {
519
520     $.fn.api = function(options, columns_settings, add_filters, default_filters) {
521         var settings = null;
522
523         if ( add_filters ) {
524             $(this).find('thead tr').clone(true).appendTo( $(this).find('thead') );
525         }
526
527         if(options) {
528             if(!options.criteria || ['contains', 'starts_with', 'ends_with', 'exact'].indexOf(options.criteria.toLowerCase()) === -1) options.criteria = 'contains';
529             options.criteria = options.criteria.toLowerCase();
530             settings = $.extend(true, {}, dataTablesDefaults, {
531                         'deferRender': true,
532                         "paging": true,
533                         'serverSide': true,
534                         'searching': true,
535                         'pagingType': 'full_numbers',
536                         'processing': true,
537                         'language': {
538                             'emptyTable': (options.emptyTable) ? options.emptyTable : __("No data available in table")
539                         },
540                         'ajax': {
541                             'type': 'GET',
542                             'cache': true,
543                             'dataSrc': 'data',
544                             'beforeSend': function(xhr, settings) {
545                                 this._xhr = xhr;
546                                 if(options.embed) {
547                                     xhr.setRequestHeader('x-koha-embed', Array.isArray(options.embed)?options.embed.join(','):options.embed);
548                                 }
549                                 if(options.header_filter && options.query_parameters) {
550                                     xhr.setRequestHeader('x-koha-query', options.query_parameters);
551                                     delete options.query_parameters;
552                                 }
553                             },
554                             'dataFilter': function(data, type) {
555                                 var json = {data: JSON.parse(data)};
556                                 if(total = this._xhr.getResponseHeader('x-total-count')) {
557                                     json.recordsTotal = total;
558                                     json.recordsFiltered = total;
559                                 }
560                                 if(total = this._xhr.getResponseHeader('x-base-total-count')) {
561                                     json.recordsTotal = total;
562                                 }
563                                 return JSON.stringify(json);
564                             },
565                             'data': function( data, settings ) {
566                                 var length = data.length;
567                                 var start  = data.start;
568
569                                 var dataSet = {
570                                     _page: Math.floor(start/length) + 1,
571                                     _per_page: length
572                                 };
573
574
575                                 function build_query(col, value){
576                                     var parts = [];
577                                     var attributes = col.data.split(':');
578                                     for (var i=0;i<attributes.length;i++){
579                                         var part = {};
580                                         var attr = attributes[i];
581                                         part[!attr.includes('.')?'me.'+attr:attr] = options.criteria === 'exact'
582                                             ? value
583                                             : {like: (['contains', 'ends_with'].indexOf(options.criteria) !== -1?'%':'') + value + (['contains', 'starts_with'].indexOf(options.criteria) !== -1?'%':'')};
584                                         parts.push(part);
585                                     }
586                                     return parts;
587                                 }
588
589                                 var filter = data.search.value;
590                                 // Build query for each column filter
591                                 var and_query_parameters = settings.aoColumns
592                                 .filter(function(col) {
593                                     return col.bSearchable && typeof col.data == 'string' && data.columns[col.idx].search.value != ''
594                                 })
595                                 .map(function(col) {
596                                     var value = data.columns[col.idx].search.value;
597                                     return build_query(col, value)
598                                 })
599                                 .map(function r(e){
600                                     return ($.isArray(e) ? $.map(e, r) : e);
601                                 });
602
603                                 // Build query for the global search filter
604                                 var or_query_parameters = settings.aoColumns
605                                 .filter(function(col) {
606                                     return col.bSearchable && typeof col.data == 'string' && data.columns[col.idx].search.value == '' && filter != ''
607                                 })
608                                 .map(function(col) {
609                                     var value = filter;
610                                     return build_query(col, value)
611                                 })
612                                 .map(function r(e){
613                                     return ($.isArray(e) ? $.map(e, r) : e);
614                                 });
615
616                                 if ( default_filters ) {
617                                     and_query_parameters.push(default_filters);
618                                 }
619                                 query_parameters = and_query_parameters;
620                                 query_parameters.push(or_query_parameters);
621                                 if(query_parameters.length) {
622                                     query_parameters = JSON.stringify(query_parameters.length === 1?query_parameters[0]:{"-and": query_parameters});
623                                     if(options.header_filter) {
624                                         options.query_parameters = query_parameters;
625                                     } else {
626                                         dataSet.q = query_parameters;
627                                         delete options.query_parameters;
628                                     }
629                                 } else {
630                                     delete options.query_parameters;
631                                 }
632
633                                 dataSet._match = options.criteria;
634
635                                 if(options.columns) {
636                                     var order = data.order;
637                                     var orderArray = new Array();
638                                     order.forEach(function (e,i) {
639                                         var order_col      = e.column;
640                                         var order_by       = options.columns[order_col].data;
641                                         order_by           = order_by.split(':');
642                                         var order_dir      = e.dir == 'asc' ? '+' : '-';
643                                         Array.prototype.push.apply(orderArray,order_by.map(x => order_dir + (!x.includes('.')?'me.'+x:x)));
644                                     });
645                                     dataSet._order_by = orderArray.filter((v, i, a) => a.indexOf(v) === i).join(',');
646                                 }
647
648                                 return dataSet;
649                             }
650                         }
651                     }, options);
652         }
653
654         var counter = 0;
655         var hidden_ids = [];
656         var included_ids = [];
657
658         $(columns_settings).each( function() {
659             var named_id = $( 'thead th[data-colname="' + this.columnname + '"]', this ).index( 'th' );
660             var used_id = settings.bKohaColumnsUseNames ? named_id : counter;
661             if ( used_id == -1 ) return;
662
663             if ( this['is_hidden'] == "1" ) {
664                 hidden_ids.push( used_id );
665             }
666             if ( this['cannot_be_toggled'] == "0" ) {
667                 included_ids.push( used_id );
668             }
669             counter++;
670         });
671
672         var exportColumns = ":visible:not(.noExport)";
673         if( settings.hasOwnProperty("exportColumns") ){
674             // A custom buttons configuration has been passed from the page
675             exportColumns = settings["exportColumns"];
676         }
677
678         var export_format = {
679             body: function ( data, row, column, node ) {
680                 var newnode = $(node);
681
682                 if ( newnode.find(".noExport").length > 0 ) {
683                     newnode = newnode.clone();
684                     newnode.find(".noExport").remove();
685                 }
686
687                 return newnode.text().replace( /\n/g, ' ' ).trim();
688             }
689         }
690
691         var export_buttons = [
692             {
693                 extend: 'excelHtml5',
694                 text: __("Excel"),
695                 exportOptions: {
696                     columns: exportColumns,
697                     format:  export_format
698                 },
699             },
700             {
701                 extend: 'csvHtml5',
702                 text: __("CSV"),
703                 exportOptions: {
704                     columns: exportColumns,
705                     format:  export_format
706                 },
707             },
708             {
709                 extend: 'copyHtml5',
710                 text: __("Copy"),
711                 exportOptions: {
712                     columns: exportColumns,
713                     format:  export_format
714                 },
715             },
716             {
717                 extend: 'print',
718                 text: __("Print"),
719                 exportOptions: {
720                     columns: exportColumns,
721                     format:  export_format
722                 },
723             }
724         ];
725
726         settings[ "buttons" ] = [
727             {
728                 fade: 100,
729                 className: "dt_button_clear_filter",
730                 titleAttr: __("Clear filter"),
731                 enabled: false,
732                 text: '<i class="fa fa-lg fa-remove"></i> <span class="dt-button-text">' + __("Clear filter") + '</span>',
733                 action: function ( e, dt, node, config ) {
734                     dt.search( "" ).draw("page");
735                     node.addClass("disabled");
736                 }
737             }
738         ];
739
740         if( included_ids.length > 0 ){
741             settings[ "buttons" ].push(
742                 {
743                     extend: 'colvis',
744                     fade: 100,
745                     columns: included_ids,
746                     className: "columns_controls",
747                     titleAttr: __("Columns settings"),
748                     text: '<i class="fa fa-lg fa-gear"></i> <span class="dt-button-text">' + __("Columns") + '</span>',
749                     exportOptions: {
750                         columns: exportColumns
751                     }
752                 }
753             );
754         }
755
756         settings[ "buttons" ].push(
757             {
758                 extend: 'collection',
759                 autoClose: true,
760                 fade: 100,
761                 className: "export_controls",
762                 titleAttr: __("Export or print"),
763                 text: '<i class="fa fa-lg fa-download"></i> <span class="dt-button-text">' + __("Export") + '</span>',
764                 buttons: export_buttons
765             }
766         );
767
768         $(".dt_button_clear_filter, .columns_controls, .export_controls").tooltip();
769
770         if ( add_filters ) {
771             settings['orderCellsTop'] = true;
772         }
773
774         var table = $(this).dataTable(settings);
775
776         table.DataTable().on("column-visibility.dt", function(){
777             if( typeof columnsInit == 'function' ){
778                 // This function can be created separately and used to trigger
779                 // an event after the DataTable has loaded AND column visibility
780                 // has been updated according to the table's configuration
781                 columnsInit();
782             }
783         }).columns( hidden_ids ).visible( false );
784
785         if ( add_filters ) {
786             var table_dt = table.DataTable();
787             $(this).find('thead tr:eq(1) th').each( function (i) {
788                 var is_searchable = table_dt.settings()[0].aoColumns[i].bSearchable;
789                 if ( is_searchable ) {
790                     var title = $(this).text();
791                     var existing_search = table_dt.column(i).search();
792                     if ( existing_search ) {
793                         $(this).html( '<input type="text" value="%s" style="width: 100%" />'.format(existing_search) );
794                     } else {
795                         var search_title = _("%s search").format(title);
796                         $(this).html( '<input type="text" placeholder="%s" style="width: 100%" />'.format(search_title) );
797                     }
798
799                     $( 'input', this ).on( 'keyup change', function () {
800                         if ( table_dt.column(i).search() !== this.value ) {
801                             table_dt
802                                 .column(i)
803                                 .search( this.value )
804                                 .draw();
805                         }
806                     } );
807                 } else {
808                     $(this).html('');
809                 }
810             } );
811         }
812
813         return table;
814     };
815
816 })(jQuery);