Translated using Weblate (Estonian)
[phpmyadmin.git] / js / sql.js
bloba6f5348c454cad5c90f28b183e6b20084928bcb9
1 /* vim: set expandtab sw=4 ts=4 sts=4: */
2 /**
3  * @fileoverview    functions used wherever an sql query form is used
4  *
5  * @requires    jQuery
6  * @requires    js/functions.js
7  *
8  */
10 var $data_a;
11 var prevScrollX = 0;
13 /**
14  * decode a string URL_encoded
15  *
16  * @param string str
17  * @return string the URL-decoded string
18  */
19 function PMA_urldecode (str) {
20     if (typeof str !== 'undefined') {
21         return decodeURIComponent(str.replace(/\+/g, '%20'));
22     }
25 /**
26  * endecode a string URL_decoded
27  *
28  * @param string str
29  * @return string the URL-encoded string
30  */
31 function PMA_urlencode (str) {
32     if (typeof str !== 'undefined') {
33         return encodeURIComponent(str).replace(/\%20/g, '+');
34     }
37 /**
38  * Saves SQL query in local storage or cookie
39  *
40  * @param string SQL query
41  * @return void
42  */
43 function PMA_autosaveSQL (query) {
44     if (query) {
45         if (isStorageSupported('localStorage')) {
46             window.localStorage.auto_saved_sql = query;
47         } else {
48             Cookies.set('auto_saved_sql', query);
49         }
50     }
53 /**
54  * Saves SQL query with sort in local storage or cookie
55  *
56  * @param string SQL query
57  * @return void
58  */
59 function PMA_autosaveSQLSort (query) {
60     if (query) {
61         if (isStorageSupported('localStorage')) {
62             window.localStorage.auto_saved_sql_sort = query;
63         } else {
64             Cookies.set('auto_saved_sql_sort', query);
65         }
66     }
69 /**
70  * Get the field name for the current field.  Required to construct the query
71  * for grid editing
72  *
73  * @param $table_results enclosing results table
74  * @param $this_field    jQuery object that points to the current field's tr
75  */
76 function getFieldName ($table_results, $this_field) {
77     var this_field_index = $this_field.index();
78     // ltr or rtl direction does not impact how the DOM was generated
79     // check if the action column in the left exist
80     var left_action_exist = !$table_results.find('th:first').hasClass('draggable');
81     // number of column span for checkbox and Actions
82     var left_action_skip = left_action_exist ? $table_results.find('th:first').attr('colspan') - 1 : 0;
84     // If this column was sorted, the text of the a element contains something
85     // like <small>1</small> that is useful to indicate the order in case
86     // of a sort on multiple columns; however, we dont want this as part
87     // of the column name so we strip it ( .clone() to .end() )
88     var field_name = $table_results
89         .find('thead')
90         .find('th:eq(' + (this_field_index - left_action_skip) + ') a')
91         .clone()    // clone the element
92         .children() // select all the children
93         .remove()   // remove all of them
94         .end()      // go back to the selected element
95         .text();    // grab the text
96     // happens when just one row (headings contain no a)
97     if (field_name === '') {
98         var $heading = $table_results.find('thead').find('th:eq(' + (this_field_index - left_action_skip) + ')').children('span');
99         // may contain column comment enclosed in a span - detach it temporarily to read the column name
100         var $tempColComment = $heading.children().detach();
101         field_name = $heading.text();
102         // re-attach the column comment
103         $heading.append($tempColComment);
104     }
106     field_name = $.trim(field_name);
108     return field_name;
112  * Unbind all event handlers before tearing down a page
113  */
114 AJAX.registerTeardown('sql.js', function () {
115     $(document).off('click', 'a.delete_row.ajax');
116     $(document).off('submit', '.bookmarkQueryForm');
117     $('input#bkm_label').off('keyup');
118     $(document).off('makegrid', '.sqlqueryresults');
119     $(document).off('stickycolumns', '.sqlqueryresults');
120     $('#togglequerybox').off('click');
121     $(document).off('click', '#button_submit_query');
122     $(document).off('change', '#id_bookmark');
123     $('input[name=\'bookmark_variable\']').off('keypress');
124     $(document).off('submit', '#sqlqueryform.ajax');
125     $(document).off('click', 'input[name=navig].ajax');
126     $(document).off('submit', 'form[name=\'displayOptionsForm\'].ajax');
127     $(document).off('mouseenter', 'th.column_heading.pointer');
128     $(document).off('mouseleave', 'th.column_heading.pointer');
129     $(document).off('click', 'th.column_heading.marker');
130     $(window).off('scroll');
131     $(document).off('keyup', '.filter_rows');
132     $(document).off('click', '#printView');
133     if (codemirror_editor) {
134         codemirror_editor.off('change');
135     } else {
136         $('#sqlquery').off('input propertychange');
137     }
138     $('body').off('click', '.navigation .showAllRows');
139     $('body').off('click', 'a.browse_foreign');
140     $('body').off('click', '#simulate_dml');
141     $('body').off('keyup', '#sqlqueryform');
142     $('body').off('click', 'form[name="resultsForm"].ajax button[name="submit_mult"], form[name="resultsForm"].ajax input[name="submit_mult"]');
146  * @description <p>Ajax scripts for sql and browse pages</p>
148  * Actions ajaxified here:
149  * <ul>
150  * <li>Retrieve results of an SQL query</li>
151  * <li>Paginate the results table</li>
152  * <li>Sort the results table</li>
153  * <li>Change table according to display options</li>
154  * <li>Grid editing of data</li>
155  * <li>Saving a bookmark</li>
156  * </ul>
158  * @name        document.ready
159  * @memberOf    jQuery
160  */
161 AJAX.registerOnload('sql.js', function () {
162     $(function () {
163         if (codemirror_editor) {
164             codemirror_editor.on('change', function () {
165                 PMA_autosaveSQL(codemirror_editor.getValue());
166             });
167         } else {
168             $('#sqlquery').on('input propertychange', function () {
169                 PMA_autosaveSQL($('#sqlquery').val());
170             });
171             // Save sql query with sort
172             $('select[name="sql_query"]').on('change', function () {
173                 PMA_autosaveSQLSort($('select[name="sql_query"]').val());
174             });
175             // If sql query with sort for current table is stored, change sort by key select value
176             var sortStoredQuery = (isStorageSupported('localStorage') && typeof window.localStorage.auto_saved_sql_sort !== 'undefined') ? window.localStorage.auto_saved_sql_sort : Cookies.get('auto_saved_sql_sort');
177             if (typeof sortStoredQuery !== 'undefined' && sortStoredQuery !== $('select[name="sql_query"]').val() && $('select[name="sql_query"] option[value="' + sortStoredQuery + '"]').length !== 0) {
178                 $('select[name="sql_query"]').val(sortStoredQuery).change();
179             }
180         }
181     });
183     // Delete row from SQL results
184     $(document).on('click', 'a.delete_row.ajax', function (e) {
185         e.preventDefault();
186         var question =  PMA_sprintf(PMA_messages.strDoYouReally, escapeHtml($(this).closest('td').find('div').text()));
187         var $link = $(this);
188         $link.PMA_confirm(question, $link.attr('href'), function (url) {
189             $msgbox = PMA_ajaxShowMessage();
190             var params = 'ajax_request=1&is_js_confirmed=1';
191             if ($link.attr('data-post')) {
192                 params += '&' + $link.attr('data-post');
193             }
194             $.post(url, params, function (data) {
195                 if (data.success) {
196                     PMA_ajaxShowMessage(data.message);
197                     $link.closest('tr').remove();
198                 } else {
199                     PMA_ajaxShowMessage(data.error, false);
200                 }
201             });
202         });
203     });
205     // Ajaxification for 'Bookmark this SQL query'
206     $(document).on('submit', '.bookmarkQueryForm', function (e) {
207         e.preventDefault();
208         PMA_ajaxShowMessage();
209         $.post($(this).attr('action'), 'ajax_request=1&' + $(this).serialize(), function (data) {
210             if (data.success) {
211                 PMA_ajaxShowMessage(data.message);
212             } else {
213                 PMA_ajaxShowMessage(data.error, false);
214             }
215         });
216     });
218     /* Hides the bookmarkoptions checkboxes when the bookmark label is empty */
219     $('input#bkm_label').keyup(function () {
220         $('input#id_bkm_all_users, input#id_bkm_replace')
221             .parent()
222             .toggle($(this).val().length > 0);
223     }).trigger('keyup');
225     /**
226      * Attach Event Handler for 'Copy to clipbpard
227      */
228     $(document).on('click', '#copyToClipBoard', function (event) {
229         event.preventDefault();
231         var textArea = document.createElement('textarea');
233         //
234         // *** This styling is an extra step which is likely not required. ***
235         //
236         // Why is it here? To ensure:
237         // 1. the element is able to have focus and selection.
238         // 2. if element was to flash render it has minimal visual impact.
239         // 3. less flakyness with selection and copying which **might** occur if
240         //    the textarea element is not visible.
241         //
242         // The likelihood is the element won't even render, not even a flash,
243         // so some of these are just precautions. However in IE the element
244         // is visible whilst the popup box asking the user for permission for
245         // the web page to copy to the clipboard.
246         //
248         // Place in top-left corner of screen regardless of scroll position.
249         textArea.style.position = 'fixed';
250         textArea.style.top = 0;
251         textArea.style.left = 0;
253         // Ensure it has a small width and height. Setting to 1px / 1em
254         // doesn't work as this gives a negative w/h on some browsers.
255         textArea.style.width = '2em';
256         textArea.style.height = '2em';
258         // We don't need padding, reducing the size if it does flash render.
259         textArea.style.padding = 0;
261         // Clean up any borders.
262         textArea.style.border = 'none';
263         textArea.style.outline = 'none';
264         textArea.style.boxShadow = 'none';
266         // Avoid flash of white box if rendered for any reason.
267         textArea.style.background = 'transparent';
269         textArea.value = '';
271         $('#serverinfo a').each(function () {
272             textArea.value += $(this).text().split(':')[1].trim() + '/';
273         });
274         textArea.value += '\t\t' + window.location.href;
275         textArea.value += '\n';
276         $('.success').each(function () {
277             textArea.value += $(this).text() + '\n\n';
278         });
280         $('.sql pre').each(function () {
281             textArea.value += $(this).text() + '\n\n';
282         });
284         $('.table_results .column_heading a').each(function () {
285                 //Don't copy ordering number text within <small> tag
286                 textArea.value += $(this).clone().find('small').remove().end().text() + '\t';
287         });
289         textArea.value += '\n';
290         $('.table_results tbody tr').each(function () {
291             $(this).find('.data span').each(function () {
292                 textArea.value += $(this).text() + '\t';
293             });
294             textArea.value += '\n';
295         });
297         document.body.appendChild(textArea);
299         textArea.select();
301         try {
302             document.execCommand('copy');
303         } catch (err) {
304             alert('Sorry! Unable to copy');
305         }
307         document.body.removeChild(textArea);
308     }); // end of Copy to Clipboard action
310     /**
311      * Attach Event Handler for 'Print' link
312      */
313     $(document).on('click', '#printView', function (event) {
314         event.preventDefault();
316         // Take to preview mode
317         printPreview();
318     }); // end of 'Print' action
320     /**
321      * Attach the {@link makegrid} function to a custom event, which will be
322      * triggered manually everytime the table of results is reloaded
323      * @memberOf    jQuery
324      */
325     $(document).on('makegrid', '.sqlqueryresults', function () {
326         $('.table_results').each(function () {
327             PMA_makegrid(this);
328         });
329     });
331     /*
332      * Attach a custom event for sticky column headings which will be
333      * triggered manually everytime the table of results is reloaded
334      * @memberOf    jQuery
335      */
336     $(document).on('stickycolumns', '.sqlqueryresults', function () {
337         $('.sticky_columns').remove();
338         $('.table_results').each(function () {
339             var $table_results = $(this);
340             // add sticky columns div
341             var $stick_columns = initStickyColumns($table_results);
342             rearrangeStickyColumns($stick_columns, $table_results);
343             // adjust sticky columns on scroll
344             $(window).on('scroll', function () {
345                 handleStickyColumns($stick_columns, $table_results);
346             });
347         });
348     });
350     /**
351      * Append the "Show/Hide query box" message to the query input form
352      *
353      * @memberOf jQuery
354      * @name    appendToggleSpan
355      */
356     // do not add this link more than once
357     if (! $('#sqlqueryform').find('a').is('#togglequerybox')) {
358         $('<a id="togglequerybox"></a>')
359             .html(PMA_messages.strHideQueryBox)
360             .appendTo('#sqlqueryform')
361         // initially hidden because at this point, nothing else
362         // appears under the link
363             .hide();
365         // Attach the toggling of the query box visibility to a click
366         $('#togglequerybox').bind('click', function () {
367             var $link = $(this);
368             $link.siblings().slideToggle('fast');
369             if ($link.text() === PMA_messages.strHideQueryBox) {
370                 $link.text(PMA_messages.strShowQueryBox);
371                 // cheap trick to add a spacer between the menu tabs
372                 // and "Show query box"; feel free to improve!
373                 $('#togglequerybox_spacer').remove();
374                 $link.before('<br id="togglequerybox_spacer" />');
375             } else {
376                 $link.text(PMA_messages.strHideQueryBox);
377             }
378             // avoid default click action
379             return false;
380         });
381     }
384     /**
385      * Event handler for sqlqueryform.ajax button_submit_query
386      *
387      * @memberOf    jQuery
388      */
389     $(document).on('click', '#button_submit_query', function (event) {
390         $('.success,.error').hide();
391         // hide already existing error or success message
392         var $form = $(this).closest('form');
393         // the Go button related to query submission was clicked,
394         // instead of the one related to Bookmarks, so empty the
395         // id_bookmark selector to avoid misinterpretation in
396         // import.php about what needs to be done
397         $form.find('select[name=id_bookmark]').val('');
398         // let normal event propagation happen
399     });
401     /**
402      * Event handler to show appropiate number of variable boxes
403      * based on the bookmarked query
404      */
405     $(document).on('change', '#id_bookmark', function (event) {
406         var varCount = $(this).find('option:selected').data('varcount');
407         if (typeof varCount === 'undefined') {
408             varCount = 0;
409         }
411         var $varDiv = $('#bookmark_variables');
412         $varDiv.empty();
413         for (var i = 1; i <= varCount; i++) {
414             $varDiv.append($('<label for="bookmark_variable_' + i + '">' + PMA_sprintf(PMA_messages.strBookmarkVariable, i) + '</label>'));
415             $varDiv.append($('<input type="text" size="10" name="bookmark_variable[' + i + ']" id="bookmark_variable_' + i + '"/>'));
416         }
418         if (varCount === 0) {
419             $varDiv.parent('.formelement').hide();
420         } else {
421             $varDiv.parent('.formelement').show();
422         }
423     });
425     /**
426      * Event handler for hitting enter on sqlqueryform bookmark_variable
427      * (the Variable textfield in Bookmarked SQL query section)
428      *
429      * @memberOf    jQuery
430      */
431     $('input[name=bookmark_variable]').on('keypress', function (event) {
432         // force the 'Enter Key' to implicitly click the #button_submit_bookmark
433         var keycode = (event.keyCode ? event.keyCode : (event.which ? event.which : event.charCode));
434         if (keycode === 13) { // keycode for enter key
435             // When you press enter in the sqlqueryform, which
436             // has 2 submit buttons, the default is to run the
437             // #button_submit_query, because of the tabindex
438             // attribute.
439             // This submits #button_submit_bookmark instead,
440             // because when you are in the Bookmarked SQL query
441             // section and hit enter, you expect it to do the
442             // same action as the Go button in that section.
443             $('#button_submit_bookmark').click();
444             return false;
445         } else  {
446             return true;
447         }
448     });
450     /**
451      * Ajax Event handler for 'SQL Query Submit'
452      *
453      * @see         PMA_ajaxShowMessage()
454      * @memberOf    jQuery
455      * @name        sqlqueryform_submit
456      */
457     $(document).on('submit', '#sqlqueryform.ajax', function (event) {
458         event.preventDefault();
460         var $form = $(this);
461         if (codemirror_editor) {
462             $form[0].elements.sql_query.value = codemirror_editor.getValue();
463         }
464         if (! checkSqlQuery($form[0])) {
465             return false;
466         }
468         // remove any div containing a previous error message
469         $('div.error').remove();
471         var $msgbox = PMA_ajaxShowMessage();
472         var $sqlqueryresultsouter = $('#sqlqueryresultsouter');
474         PMA_prepareForAjaxRequest($form);
476         $.post($form.attr('action'), $form.serialize() + '&ajax_page_request=true', function (data) {
477             if (typeof data !== 'undefined' && data.success === true) {
478                 // success happens if the query returns rows or not
480                 // show a message that stays on screen
481                 if (typeof data.action_bookmark !== 'undefined') {
482                     // view only
483                     if ('1' === data.action_bookmark) {
484                         $('#sqlquery').text(data.sql_query);
485                         // send to codemirror if possible
486                         setQuery(data.sql_query);
487                     }
488                     // delete
489                     if ('2' === data.action_bookmark) {
490                         $('#id_bookmark option[value=\'' + data.id_bookmark + '\']').remove();
491                         // if there are no bookmarked queries now (only the empty option),
492                         // remove the bookmark section
493                         if ($('#id_bookmark option').length === 1) {
494                             $('#fieldsetBookmarkOptions').hide();
495                             $('#fieldsetBookmarkOptionsFooter').hide();
496                         }
497                     }
498                 }
499                 $sqlqueryresultsouter
500                     .show()
501                     .html(data.message);
502                 PMA_highlightSQL($sqlqueryresultsouter);
504                 if (data._menu) {
505                     if (history && history.pushState) {
506                         history.replaceState({
507                             menu : data._menu
508                         },
509                         null
510                         );
511                         AJAX.handleMenu.replace(data._menu);
512                     } else {
513                         PMA_MicroHistory.menus.replace(data._menu);
514                         PMA_MicroHistory.menus.add(data._menuHash, data._menu);
515                     }
516                 } else if (data._menuHash) {
517                     if (! (history && history.pushState)) {
518                         PMA_MicroHistory.menus.replace(PMA_MicroHistory.menus.get(data._menuHash));
519                     }
520                 }
522                 if (data._params) {
523                     PMA_commonParams.setAll(data._params);
524                 }
526                 if (typeof data.ajax_reload !== 'undefined') {
527                     if (data.ajax_reload.reload) {
528                         if (data.ajax_reload.table_name) {
529                             PMA_commonParams.set('table', data.ajax_reload.table_name);
530                             PMA_commonActions.refreshMain();
531                         } else {
532                             PMA_reloadNavigation();
533                         }
534                     }
535                 } else if (typeof data.reload !== 'undefined') {
536                     // this happens if a USE or DROP command was typed
537                     PMA_commonActions.setDb(data.db);
538                     var url;
539                     if (data.db) {
540                         if (data.table) {
541                             url = 'table_sql.php';
542                         } else {
543                             url = 'db_sql.php';
544                         }
545                     } else {
546                         url = 'server_sql.php';
547                     }
548                     PMA_commonActions.refreshMain(url, function () {
549                         $('#sqlqueryresultsouter')
550                             .show()
551                             .html(data.message);
552                         PMA_highlightSQL($('#sqlqueryresultsouter'));
553                     });
554                 }
556                 $('.sqlqueryresults').trigger('makegrid').trigger('stickycolumns');
557                 $('#togglequerybox').show();
558                 PMA_init_slider();
560                 if (typeof data.action_bookmark === 'undefined') {
561                     if ($('#sqlqueryform input[name="retain_query_box"]').is(':checked') !== true) {
562                         if ($('#togglequerybox').siblings(':visible').length > 0) {
563                             $('#togglequerybox').trigger('click');
564                         }
565                     }
566                 }
567             } else if (typeof data !== 'undefined' && data.success === false) {
568                 // show an error message that stays on screen
569                 $sqlqueryresultsouter
570                     .show()
571                     .html(data.error);
572             }
573             PMA_ajaxRemoveMessage($msgbox);
574         }); // end $.post()
575     }); // end SQL Query submit
577     /**
578      * Ajax Event handler for the display options
579      * @memberOf    jQuery
580      * @name        displayOptionsForm_submit
581      */
582     $(document).on('submit', 'form[name=\'displayOptionsForm\'].ajax', function (event) {
583         event.preventDefault();
585         $form = $(this);
587         var $msgbox = PMA_ajaxShowMessage();
588         $.post($form.attr('action'), $form.serialize() + '&ajax_request=true', function (data) {
589             PMA_ajaxRemoveMessage($msgbox);
590             var $sqlqueryresults = $form.parents('.sqlqueryresults');
591             $sqlqueryresults
592                 .html(data.message)
593                 .trigger('makegrid')
594                 .trigger('stickycolumns');
595             PMA_init_slider();
596             PMA_highlightSQL($sqlqueryresults);
597         }); // end $.post()
598     }); // end displayOptionsForm handler
600     // Filter row handling. --STARTS--
601     $(document).on('keyup', '.filter_rows', function () {
602         var unique_id = $(this).data('for');
603         var $target_table = $('.table_results[data-uniqueId=\'' + unique_id + '\']');
604         var $header_cells = $target_table.find('th[data-column]');
605         var target_columns = Array();
606         // To handle colspan=4, in case of edit,copy etc options.
607         var dummy_th = ($('.edit_row_anchor').length !== 0 ?
608             '<th class="hide dummy_th"></th><th class="hide dummy_th"></th><th class="hide dummy_th"></th>'
609             : '');
610         // Selecting columns that will be considered for filtering and searching.
611         $header_cells.each(function () {
612             target_columns.push($.trim($(this).text()));
613         });
615         var phrase = $(this).val();
616         // Set same value to both Filter rows fields.
617         $('.filter_rows[data-for=\'' + unique_id + '\']').not(this).val(phrase);
618         // Handle colspan.
619         $target_table.find('thead > tr').prepend(dummy_th);
620         $.uiTableFilter($target_table, phrase, target_columns);
621         $target_table.find('th.dummy_th').remove();
622     });
623     // Filter row handling. --ENDS--
625     // Prompt to confirm on Show All
626     $('body').on('click', '.navigation .showAllRows', function (e) {
627         e.preventDefault();
628         var $form = $(this).parents('form');
630         if (! $(this).is(':checked')) { // already showing all rows
631             submitShowAllForm();
632         } else {
633             $form.PMA_confirm(PMA_messages.strShowAllRowsWarning, $form.attr('action'), function (url) {
634                 submitShowAllForm();
635             });
636         }
638         function submitShowAllForm () {
639             var submitData = $form.serialize() + '&ajax_request=true&ajax_page_request=true';
640             PMA_ajaxShowMessage();
641             AJAX.source = $form;
642             $.post($form.attr('action'), submitData, AJAX.responseHandler);
643         }
644     });
646     $('body').on('keyup', '#sqlqueryform', function () {
647         PMA_handleSimulateQueryButton();
648     });
650     /**
651      * Ajax event handler for 'Simulate DML'.
652      */
653     $('body').on('click', '#simulate_dml', function () {
654         var $form = $('#sqlqueryform');
655         var query = '';
656         var delimiter = $('#id_sql_delimiter').val();
657         var db_name = $form.find('input[name="db"]').val();
659         if (codemirror_editor) {
660             query = codemirror_editor.getValue();
661         } else {
662             query = $('#sqlquery').val();
663         }
665         if (query.length === 0) {
666             alert(PMA_messages.strFormEmpty);
667             $('#sqlquery').focus();
668             return false;
669         }
671         var $msgbox = PMA_ajaxShowMessage();
672         $.ajax({
673             type: 'POST',
674             url: $form.attr('action'),
675             data: {
676                 server: PMA_commonParams.get('server'),
677                 db: db_name,
678                 ajax_request: '1',
679                 simulate_dml: '1',
680                 sql_query: query,
681                 sql_delimiter: delimiter
682             },
683             success: function (response) {
684                 PMA_ajaxRemoveMessage($msgbox);
685                 if (response.success) {
686                     var dialog_content = '<div class="preview_sql">';
687                     if (response.sql_data) {
688                         var len = response.sql_data.length;
689                         for (var i = 0; i < len; i++) {
690                             dialog_content += '<strong>' + PMA_messages.strSQLQuery +
691                                 '</strong>' + response.sql_data[i].sql_query +
692                                 PMA_messages.strMatchedRows +
693                                 ' <a href="' + response.sql_data[i].matched_rows_url +
694                                 '">' + response.sql_data[i].matched_rows + '</a><br>';
695                             if (i < len - 1) {
696                                 dialog_content += '<hr>';
697                             }
698                         }
699                     } else {
700                         dialog_content += response.message;
701                     }
702                     dialog_content += '</div>';
703                     var $dialog_content = $(dialog_content);
704                     var button_options = {};
705                     button_options[PMA_messages.strClose] = function () {
706                         $(this).dialog('close');
707                     };
708                     var $response_dialog = $('<div />').append($dialog_content).dialog({
709                         minWidth: 540,
710                         maxHeight: 400,
711                         modal: true,
712                         buttons: button_options,
713                         title: PMA_messages.strSimulateDML,
714                         open: function () {
715                             PMA_highlightSQL($(this));
716                         },
717                         close: function () {
718                             $(this).remove();
719                         }
720                     });
721                 } else {
722                     PMA_ajaxShowMessage(response.error);
723                 }
724             },
725             error: function (response) {
726                 PMA_ajaxShowMessage(PMA_messages.strErrorProcessingRequest);
727             }
728         });
729     });
731     /**
732      * Handles multi submits of results browsing page such as edit, delete and export
733      */
734     $('body').on('click', 'form[name="resultsForm"].ajax button[name="submit_mult"], form[name="resultsForm"].ajax input[name="submit_mult"]', function (e) {
735         e.preventDefault();
736         var $button = $(this);
737         var $form = $button.closest('form');
738         var submitData = $form.serialize() + '&ajax_request=true&ajax_page_request=true&submit_mult=' + $button.val();
739         PMA_ajaxShowMessage();
740         AJAX.source = $form;
741         $.post($form.attr('action'), submitData, AJAX.responseHandler);
742     });
743 }); // end $()
746  * Starting from some th, change the class of all td under it.
747  * If isAddClass is specified, it will be used to determine whether to add or remove the class.
748  */
749 function PMA_changeClassForColumn ($this_th, newclass, isAddClass) {
750     // index 0 is the th containing the big T
751     var th_index = $this_th.index();
752     var has_big_t = $this_th.closest('tr').children(':first').hasClass('column_action');
753     // .eq() is zero-based
754     if (has_big_t) {
755         th_index--;
756     }
757     var $table = $this_th.parents('.table_results');
758     if (! $table.length) {
759         $table = $this_th.parents('table').siblings('.table_results');
760     }
761     var $tds = $table.find('tbody tr').find('td.data:eq(' + th_index + ')');
762     if (isAddClass === undefined) {
763         $tds.toggleClass(newclass);
764     } else {
765         $tds.toggleClass(newclass, isAddClass);
766     }
770  * Handles browse foreign values modal dialog
772  * @param object $this_a reference to the browse foreign value link
773  */
774 function browseForeignDialog ($this_a) {
775     var formId = '#browse_foreign_form';
776     var showAllId = '#foreign_showAll';
777     var tableId = '#browse_foreign_table';
778     var filterId = '#input_foreign_filter';
779     var $dialog = null;
780     $.get($this_a.attr('href'), { 'ajax_request': true }, function (data) {
781         // Creates browse foreign value dialog
782         $dialog = $('<div>').append(data.message).dialog({
783             title: PMA_messages.strBrowseForeignValues,
784             width: Math.min($(window).width() - 100, 700),
785             maxHeight: $(window).height() - 100,
786             dialogClass: 'browse_foreign_modal',
787             close: function (ev, ui) {
788                 // remove event handlers attached to elements related to dialog
789                 $(tableId).off('click', 'td a.foreign_value');
790                 $(formId).off('click', showAllId);
791                 $(formId).off('submit');
792                 // remove dialog itself
793                 $(this).remove();
794             },
795             modal: true
796         });
797     }).done(function () {
798         var showAll = false;
799         $(tableId).on('click', 'td a.foreign_value', function (e) {
800             e.preventDefault();
801             var $input = $this_a.prev('input[type=text]');
802             // Check if input exists or get CEdit edit_box
803             if ($input.length === 0) {
804                 $input = $this_a.closest('.edit_area').prev('.edit_box');
805             }
806             // Set selected value as input value
807             $input.val($(this).data('key'));
808             $dialog.dialog('close');
809         });
810         $(formId).on('click', showAllId, function () {
811             showAll = true;
812         });
813         $(formId).on('submit', function (e) {
814             e.preventDefault();
815             // if filter value is not equal to old value
816             // then reset page number to 1
817             if ($(filterId).val() !== $(filterId).data('old')) {
818                 $(formId).find('select[name=pos]').val('0');
819             }
820             var postParams = $(this).serializeArray();
821             // if showAll button was clicked to submit form then
822             // add showAll button parameter to form
823             if (showAll) {
824                 postParams.push({
825                     name: $(showAllId).attr('name'),
826                     value: $(showAllId).val()
827                 });
828             }
829             // updates values in dialog
830             $.post($(this).attr('action') + '?ajax_request=1', postParams, function (data) {
831                 var $obj = $('<div>').html(data.message);
832                 $(formId).html($obj.find(formId).html());
833                 $(tableId).html($obj.find(tableId).html());
834             });
835             showAll = false;
836         });
837     });
840 AJAX.registerOnload('sql.js', function () {
841     $('body').on('click', 'a.browse_foreign', function (e) {
842         e.preventDefault();
843         browseForeignDialog($(this));
844     });
846     /**
847      * vertical column highlighting in horizontal mode when hovering over the column header
848      */
849     $(document).on('mouseenter', 'th.column_heading.pointer', function (e) {
850         PMA_changeClassForColumn($(this), 'hover', true);
851     });
852     $(document).on('mouseleave', 'th.column_heading.pointer', function (e) {
853         PMA_changeClassForColumn($(this), 'hover', false);
854     });
856     /**
857      * vertical column marking in horizontal mode when clicking the column header
858      */
859     $(document).on('click', 'th.column_heading.marker', function () {
860         PMA_changeClassForColumn($(this), 'marked');
861     });
863     /**
864      * create resizable table
865      */
866     $('.sqlqueryresults').trigger('makegrid').trigger('stickycolumns');
870  * Profiling Chart
871  */
872 function makeProfilingChart () {
873     if ($('#profilingchart').length === 0 ||
874         $('#profilingchart').html().length !== 0 ||
875         !$.jqplot || !$.jqplot.Highlighter || !$.jqplot.PieRenderer
876     ) {
877         return;
878     }
880     var data = [];
881     $.each(JSON.parse($('#profilingChartData').html()), function (key, value) {
882         data.push([key, parseFloat(value)]);
883     });
885     // Remove chart and data divs contents
886     $('#profilingchart').html('').show();
887     $('#profilingChartData').html('');
889     PMA_createProfilingChart('profilingchart', data);
893  * initialize profiling data tables
894  */
895 function initProfilingTables () {
896     if (!$.tablesorter) {
897         return;
898     }
900     $('#profiletable').tablesorter({
901         widgets: ['zebra'],
902         sortList: [[0, 0]],
903         textExtraction: function (node) {
904             if (node.children.length > 0) {
905                 return node.children[0].innerHTML;
906             } else {
907                 return node.innerHTML;
908             }
909         }
910     });
912     $('#profilesummarytable').tablesorter({
913         widgets: ['zebra'],
914         sortList: [[1, 1]],
915         textExtraction: function (node) {
916             if (node.children.length > 0) {
917                 return node.children[0].innerHTML;
918             } else {
919                 return node.innerHTML;
920             }
921         }
922     });
926  * Set position, left, top, width of sticky_columns div
927  */
928 function setStickyColumnsPosition ($sticky_columns, $table_results, position, top, left, margin_left) {
929     $sticky_columns
930         .css('position', position)
931         .css('top', top)
932         .css('left', left ? left : 'auto')
933         .css('margin-left', margin_left ? margin_left : '0px')
934         .css('width', $table_results.width());
938  * Initialize sticky columns
939  */
940 function initStickyColumns ($table_results) {
941     return $('<table class="sticky_columns"></table>')
942         .insertBefore($table_results)
943         .css('position', 'fixed')
944         .css('z-index', '99')
945         .css('width', $table_results.width())
946         .css('margin-left', $('#page_content').css('margin-left'))
947         .css('top', $('#floating_menubar').height())
948         .css('display', 'none');
952  * Arrange/Rearrange columns in sticky header
953  */
954 function rearrangeStickyColumns ($sticky_columns, $table_results) {
955     var $originalHeader = $table_results.find('thead');
956     var $originalColumns = $originalHeader.find('tr:first').children();
957     var $clonedHeader = $originalHeader.clone();
958     // clone width per cell
959     $clonedHeader.find('tr:first').children().width(function (i,val) {
960         var width = $originalColumns.eq(i).width();
961         var is_firefox = navigator.userAgent.indexOf('Firefox') > -1;
962         if (! is_firefox) {
963             width += 1;
964         }
965         return width;
966     });
967     $sticky_columns.empty().append($clonedHeader);
971  * Adjust sticky columns on horizontal/vertical scroll for all tables
972  */
973 function handleAllStickyColumns () {
974     $('.sticky_columns').each(function () {
975         handleStickyColumns($(this), $(this).next('.table_results'));
976     });
980  * Adjust sticky columns on horizontal/vertical scroll
981  */
982 function handleStickyColumns ($sticky_columns, $table_results) {
983     var currentScrollX = $(window).scrollLeft();
984     var windowOffset = $(window).scrollTop();
985     var tableStartOffset = $table_results.offset().top;
986     var tableEndOffset = tableStartOffset + $table_results.height();
987     if (windowOffset >= tableStartOffset && windowOffset <= tableEndOffset) {
988         // for horizontal scrolling
989         if (prevScrollX !== currentScrollX) {
990             prevScrollX = currentScrollX;
991             setStickyColumnsPosition($sticky_columns, $table_results, 'absolute', $('#floating_menubar').height() + windowOffset - tableStartOffset);
992         // for vertical scrolling
993         } else {
994             setStickyColumnsPosition($sticky_columns, $table_results, 'fixed', $('#floating_menubar').height(), $('#pma_navigation').width() - currentScrollX, $('#page_content').css('margin-left'));
995         }
996         $sticky_columns.show();
997     } else {
998         $sticky_columns.hide();
999     }
1002 AJAX.registerOnload('sql.js', function () {
1003     makeProfilingChart();
1004     initProfilingTables();