| 12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004100510061007100810091010101110121013101410151016101710181019102010211022102310241025102610271028 | /** * @file * Some basic behaviors and utility functions for Views UI. */Drupal.viewsUi = {};Drupal.behaviors.viewsUiEditView = {};/** * Improve the user experience of the views edit interface. */Drupal.behaviors.viewsUiEditView.attach = function (context, settings) {  // Only show the SQL rewrite warning when the user has chosen the  // corresponding checkbox.  jQuery('#edit-query-options-disable-sql-rewrite').click(function () {    jQuery('.sql-rewrite-warning').toggleClass('js-hide');  });};Drupal.behaviors.viewsUiAddView = {};/** * In the add view wizard, use the view name to prepopulate form fields such as * page title and menu link. */Drupal.behaviors.viewsUiAddView.attach = function (context, settings) {  var $ = jQuery;  var exclude, replace, suffix;  // Set up regular expressions to allow only numbers, letters, and dashes.  exclude = new RegExp('[^a-z0-9\\-]+', 'g');  replace = '-';  // The page title, block title, and menu link fields can all be prepopulated  // with the view name - no regular expression needed.  var $fields = $(context).find('[id^="edit-page-title"], [id^="edit-block-title"], [id^="edit-page-link-properties-title"]');  if ($fields.length) {    if (!this.fieldsFiller) {      this.fieldsFiller = new Drupal.viewsUi.FormFieldFiller($fields);    }    else {      // After an AJAX response, this.fieldsFiller will still have event      // handlers bound to the old version of the form fields (which don't exist      // anymore). The event handlers need to be unbound and then rebound to the      // new markup. Note that jQuery.live is difficult to make work in this      // case because the IDs of the form fields change on every AJAX response.      this.fieldsFiller.rebind($fields);    }  }  // Prepopulate the path field with a URLified version of the view name.  var $pathField = $(context).find('[id^="edit-page-path"]');  if ($pathField.length) {    if (!this.pathFiller) {      this.pathFiller = new Drupal.viewsUi.FormFieldFiller($pathField, exclude, replace);    }    else {      this.pathFiller.rebind($pathField);    }  }  // Populate the RSS feed field with a URLified version of the view name, and  // an .xml suffix (to make it unique).  var $feedField = $(context).find('[id^="edit-page-feed-properties-path"]');  if ($feedField.length) {    if (!this.feedFiller) {      suffix = '.xml';      this.feedFiller = new Drupal.viewsUi.FormFieldFiller($feedField, exclude, replace, suffix);    }    else {      this.feedFiller.rebind($feedField);    }  }};/** * Constructor for the Drupal.viewsUi.FormFieldFiller object. * * Prepopulates a form field based on the view name. * * @param $target *   A jQuery object representing the form field to prepopulate. * @param exclude *   Optional. A regular expression representing characters to exclude from the *   target field. * @param replace *   Optional. A string to use as the replacement value for disallowed *   characters. * @param suffix *   Optional. A suffix to append at the end of the target field content. */Drupal.viewsUi.FormFieldFiller = function ($target, exclude, replace, suffix) {  var $ = jQuery;  this.source = $('#edit-human-name');  this.target = $target;  this.exclude = exclude || false;  this.replace = replace || '';  this.suffix = suffix || '';  // Create bound versions of this instance's object methods to use as event  // handlers. This will let us easily unbind those specific handlers later on.  // NOTE: jQuery.proxy will not work for this because it assumes we want only  // one bound version of an object method, whereas we need one version per  // object instance.  var self = this;  this.populate = function () {return self._populate.call(self);};  this.unbind = function () {return self._unbind.call(self);};  this.bind();  // Object constructor; no return value.};/** * Bind the form-filling behavior. */Drupal.viewsUi.FormFieldFiller.prototype.bind = function () {  this.unbind();  // Populate the form field when the source changes.  this.source.bind('keyup.viewsUi change.viewsUi', this.populate);  // Quit populating the field as soon as it gets focus.  this.target.bind('focus.viewsUi', this.unbind);};/** * Get the source form field value as altered by the passed-in parameters. */Drupal.viewsUi.FormFieldFiller.prototype.getTransliterated = function () {  var from = this.source.val();  if (this.exclude) {    from = from.toLowerCase().replace(this.exclude, this.replace);  }  return from + this.suffix;};/** * Populate the target form field with the altered source field value. */Drupal.viewsUi.FormFieldFiller.prototype._populate = function () {  var transliterated = this.getTransliterated();  this.target.val(transliterated);};/** * Stop prepopulating the form fields. */Drupal.viewsUi.FormFieldFiller.prototype._unbind = function () {  this.source.unbind('keyup.viewsUi change.viewsUi', this.populate);  this.target.unbind('focus.viewsUi', this.unbind);};/** * Bind event handlers to the new form fields, after they're replaced via AJAX. */Drupal.viewsUi.FormFieldFiller.prototype.rebind = function ($fields) {  this.target = $fields;  this.bind();}Drupal.behaviors.addItemForm = {};Drupal.behaviors.addItemForm.attach = function (context) {  var $ = jQuery;  // The add item form may have an id of views-ui-add-item-form--n.  var $form = $(context).find('form[id^="views-ui-add-item-form"]').first();  // Make sure we don't add more than one event handler to the same form.  $form = $form.once('views-ui-add-item-form');  if ($form.length) {    new Drupal.viewsUi.addItemForm($form);  }}Drupal.viewsUi.addItemForm = function($form) {  this.$form = $form;  this.$form.find('.views-filterable-options :checkbox').click(jQuery.proxy(this.handleCheck, this));  // Find the wrapper of the displayed text.  this.$selected_div = this.$form.find('.views-selected-options').parent();  this.$selected_div.hide();  this.checkedItems = [];}Drupal.viewsUi.addItemForm.prototype.handleCheck = function (event) {  var $target = jQuery(event.target);  var label = jQuery.trim($target.next().text());  // Add/remove the checked item to the list.  if ($target.is(':checked')) {    this.$selected_div.show();    this.checkedItems.push(label);  }  else {    var length = this.checkedItems.length;    var position = jQuery.inArray(label, this.checkedItems);    // Delete the item from the list and take sure that the list doesn't have undefined items left.    for (var i = 0; i < this.checkedItems.length; i++) {      if (i == position) {        this.checkedItems.splice(i, 1);        i--;        break;      }    }    // Hide it again if none item is selected.    if (this.checkedItems.length == 0) {      this.$selected_div.hide();    }  }  this.refreshCheckedItems();}/** * Refresh the display of the checked items. */Drupal.viewsUi.addItemForm.prototype.refreshCheckedItems = function() {  // Perhaps we should precache the text div, too.  this.$selected_div.find('.views-selected-options').html(Drupal.checkPlain(this.checkedItems.join(', ')));  Drupal.viewsUi.resizeModal('', true);}/** * The input field items that add displays must be rendered as <input> elements. * The following behavior detaches the <input> elements from the DOM, wraps them * in an unordered list, then appends them to the list of tabs. */Drupal.behaviors.viewsUiRenderAddViewButton = {};Drupal.behaviors.viewsUiRenderAddViewButton.attach = function (context, settings) {  var $ = jQuery;  // Build the add display menu and pull the display input buttons into it.  var $menu = $('#views-display-menu-tabs', context).once('views-ui-render-add-view-button-processed');  if (!$menu.length) {    return;  }  var $addDisplayDropdown = $('<li class="add"><a href="#"><span class="icon add"></span>' + Drupal.t('Add') + '</a><ul class="action-list" style="display:none;"></ul></li>');  var $displayButtons = $menu.nextAll('input.add-display').detach();  $displayButtons.appendTo($addDisplayDropdown.find('.action-list')).wrap('<li>')    .parent().first().addClass('first').end().last().addClass('last');  // Remove the 'Add ' prefix from the button labels since they're being palced  // in an 'Add' dropdown.  // @todo This assumes English, but so does $addDisplayDropdown above. Add  //   support for translation.  $displayButtons.each(function () {    var label = $(this).val();    if (label.substr(0, 4) == 'Add ') {      $(this).val(label.substr(4));    }  });  $addDisplayDropdown.appendTo($menu);  // Add the click handler for the add display button  $('li.add > a', $menu).bind('click', function (event) {    event.preventDefault();    var $trigger = $(this);    Drupal.behaviors.viewsUiRenderAddViewButton.toggleMenu($trigger);  });  // Add a mouseleave handler to close the dropdown when the user mouses  // away from the item. We use mouseleave instead of mouseout because  // the user is going to trigger mouseout when she moves from the trigger  // link to the sub menu items.  //  // We use the 'li.add' selector because the open class on this item will be  // toggled on and off and we want the handler to take effect in the cases  // that the class is present, but not when it isn't.  $menu.delegate('li.add', 'mouseleave', function (event) {    var $this = $(this);    var $trigger = $this.children('a[href="#"]');    if ($this.children('.action-list').is(':visible')) {      Drupal.behaviors.viewsUiRenderAddViewButton.toggleMenu($trigger);    }  });};/** * @note [@jessebeach] I feel like the following should be a more generic function and * not written specifically for this UI, but I'm not sure where to put it. */Drupal.behaviors.viewsUiRenderAddViewButton.toggleMenu = function ($trigger) {  $trigger.parent().toggleClass('open');  $trigger.next().slideToggle('fast');}Drupal.behaviors.viewsUiSearchOptions = {};Drupal.behaviors.viewsUiSearchOptions.attach = function (context) {  var $ = jQuery;  // The add item form may have an id of views-ui-add-item-form--n.  var $form = $(context).find('form[id^="views-ui-add-item-form"]').first();  // Make sure we don't add more than one event handler to the same form.  $form = $form.once('views-ui-filter-options');  if ($form.length) {    new Drupal.viewsUi.OptionsSearch($form);  }};/** * Constructor for the viewsUi.OptionsSearch object. * * The OptionsSearch object filters the available options on a form according * to the user's search term. Typing in "taxonomy" will show only those options * containing "taxonomy" in their label. */Drupal.viewsUi.OptionsSearch = function ($form) {  this.$form = $form;  // Add a keyup handler to the search box.  this.$searchBox = this.$form.find('#edit-options-search');  this.$searchBox.keyup(jQuery.proxy(this.handleKeyup, this));  // Get a list of option labels and their corresponding divs and maintain it  // in memory, so we have as little overhead as possible at keyup time.  this.options = this.getOptions(this.$form.find('.filterable-option'));  // Restripe on initial loading.  this.handleKeyup();  // Trap the ENTER key in the search box so that it doesn't submit the form.  this.$searchBox.keypress(function(event) {    if (event.which == 13) {      event.preventDefault();    }  });};/** * Assemble a list of all the filterable options on the form. * * @param $allOptions *   A jQuery object representing the rows of filterable options to be *   shown and hidden depending on the user's search terms. */Drupal.viewsUi.OptionsSearch.prototype.getOptions = function ($allOptions) {  var $ = jQuery;  var i, $label, $description, $option;  var options = [];  var length = $allOptions.length;  for (i = 0; i < length; i++) {    $option = $($allOptions[i]);    $label = $option.find('label');    $description = $option.find('div.description');    options[i] = {      // Search on the lowercase version of the label text + description.      'searchText': $label.text().toLowerCase() + " " + $description.text().toLowerCase(),      // Maintain a reference to the jQuery object for each row, so we don't      // have to create a new object inside the performance-sensitive keyup      // handler.      '$div': $option    }  }  return options;};/** * Keyup handler for the search box that hides or shows the relevant options. */Drupal.viewsUi.OptionsSearch.prototype.handleKeyup = function (event) {  var found, i, j, option, search, words, wordsLength, zebraClass, zebraCounter;  // Determine the user's search query. The search text has been converted to  // lowercase.  search = (this.$searchBox.val() || '').toLowerCase();  words = search.split(' ');  wordsLength = words.length;  // Start the counter for restriping rows.  zebraCounter = 0;  // Search through the search texts in the form for matching text.  var length = this.options.length;  for (i = 0; i < length; i++) {    // Use a local variable for the option being searched, for performance.    option = this.options[i];    found = true;    // Each word in the search string has to match the item in order for the    // item to be shown.    for (j = 0; j < wordsLength; j++) {      if (option.searchText.indexOf(words[j]) === -1) {        found = false;      }    }    if (found) {      // Show the checkbox row, and restripe it.      zebraClass = (zebraCounter % 2) ? 'odd' : 'even';      option.$div.show();      option.$div.removeClass('even odd');      option.$div.addClass(zebraClass);      zebraCounter++;    }    else {      // The search string wasn't found; hide this item.      option.$div.hide();    }  }};Drupal.behaviors.viewsUiPreview = {};Drupal.behaviors.viewsUiPreview.attach = function (context, settings) {  var $ = jQuery;  // Only act on the edit view form.  var contextualFiltersBucket = $('.views-display-column .views-ui-display-tab-bucket.contextual-filters', context);  if (contextualFiltersBucket.length == 0) {    return;  }  // If the display has no contextual filters, hide the form where you enter  // the contextual filters for the live preview. If it has contextual filters,  // show the form.  var contextualFilters = $('.views-display-setting a', contextualFiltersBucket);  if (contextualFilters.length) {    $('#preview-args').parent().show();  }  else {    $('#preview-args').parent().hide();  }  // Executes an initial preview.  if ($('#edit-displays-live-preview').once('edit-displays-live-preview').is(':checked')) {    $('#preview-submit').once('edit-displays-live-preview').click();  }};Drupal.behaviors.viewsUiRearrangeFilter = {};Drupal.behaviors.viewsUiRearrangeFilter.attach = function (context, settings) {  var $ = jQuery;  // Only act on the rearrange filter form.  if (typeof Drupal.tableDrag == 'undefined' || typeof Drupal.tableDrag['views-rearrange-filters'] == 'undefined') {    return;  }  var table = $('#views-rearrange-filters', context).once('views-rearrange-filters');  var operator = $('.form-item-filter-groups-operator', context).once('views-rearrange-filters');  if (table.length) {    new Drupal.viewsUi.rearrangeFilterHandler(table, operator);  }};/** * Improve the UI of the rearrange filters dialog box. */Drupal.viewsUi.rearrangeFilterHandler = function (table, operator) {  var $ = jQuery;  // Keep a reference to the <table> being altered and to the div containing  // the filter groups operator dropdown (if it exists).  this.table = table;  this.operator = operator;  this.hasGroupOperator = this.operator.length > 0;  // Keep a reference to all draggable rows within the table.  this.draggableRows = $('.draggable', table);  // Keep a reference to the buttons for adding and removing filter groups.  this.addGroupButton = $('input#views-add-group');  this.removeGroupButtons = $('input.views-remove-group', table);  // Add links that duplicate the functionality of the (hidden) add and remove  // buttons.  this.insertAddRemoveFilterGroupLinks();  // When there is a filter groups operator dropdown on the page, create  // duplicates of the dropdown between each pair of filter groups.  if (this.hasGroupOperator) {    this.dropdowns = this.duplicateGroupsOperator();    this.syncGroupsOperators();  }  // Add methods to the tableDrag instance to account for operator cells (which  // span multiple rows), the operator labels next to each filter (e.g., "And"  // or "Or"), the filter groups, and other special aspects of this tableDrag  // instance.  this.modifyTableDrag();  // Initialize the operator labels (e.g., "And" or "Or") that are displayed  // next to the filters in each group, and bind a handler so that they change  // based on the values of the operator dropdown within that group.  this.redrawOperatorLabels();  $('.views-group-title select', table)    .once('views-rearrange-filter-handler')    .bind('change.views-rearrange-filter-handler', $.proxy(this, 'redrawOperatorLabels'));  // Bind handlers so that when a "Remove" link is clicked, we:  // - Update the rowspans of cells containing an operator dropdown (since they  //   need to change to reflect the number of rows in each group).  // - Redraw the operator labels next to the filters in the group (since the  //   filter that is currently displayed last in each group is not supposed to  //   have a label display next to it).  $('a.views-groups-remove-link', this.table)    .once('views-rearrange-filter-handler')    .bind('click.views-rearrange-filter-handler', $.proxy(this, 'updateRowspans'))    .bind('click.views-rearrange-filter-handler', $.proxy(this, 'redrawOperatorLabels'));};/** * Insert links that allow filter groups to be added and removed. */Drupal.viewsUi.rearrangeFilterHandler.prototype.insertAddRemoveFilterGroupLinks = function () {  var $ = jQuery;  // Insert a link for adding a new group at the top of the page, and make it  // match the action links styling used in a typical page.tpl.php. Note that  // Drupal does not provide a theme function for this markup, so this is the  // best we can do.  $('<ul class="action-links"><li><a id="views-add-group-link" href="#">' + this.addGroupButton.val() + '</a></li></ul>')    .prependTo(this.table.parent())    // When the link is clicked, dynamically click the hidden form button for    // adding a new filter group.    .once('views-rearrange-filter-handler')    .bind('click.views-rearrange-filter-handler', $.proxy(this, 'clickAddGroupButton'));  // Find each (visually hidden) button for removing a filter group and insert  // a link next to it.  var length = this.removeGroupButtons.length;  for (i = 0; i < length; i++) {    var $removeGroupButton = $(this.removeGroupButtons[i]);    var buttonId = $removeGroupButton.attr('id');    $('<a href="#" class="views-remove-group-link">' + Drupal.t('Remove group') + '</a>')      .insertBefore($removeGroupButton)      // When the link is clicked, dynamically click the corresponding form      // button.      .once('views-rearrange-filter-handler')      .bind('click.views-rearrange-filter-handler', {buttonId: buttonId}, $.proxy(this, 'clickRemoveGroupButton'));  }};/** * Dynamically click the button that adds a new filter group. */Drupal.viewsUi.rearrangeFilterHandler.prototype.clickAddGroupButton = function () {  // Due to conflicts between Drupal core's AJAX system and the Views AJAX  // system, the only way to get this to work seems to be to trigger both the  // .mousedown() and .submit() events.  this.addGroupButton.mousedown();  this.addGroupButton.submit();  return false;};/** * Dynamically click a button for removing a filter group. * * @param event *   Event being triggered, with event.data.buttonId set to the ID of the *   form button that should be clicked. */Drupal.viewsUi.rearrangeFilterHandler.prototype.clickRemoveGroupButton = function (event) {  // For some reason, here we only need to trigger .submit(), unlike for  // Drupal.viewsUi.rearrangeFilterHandler.prototype.clickAddGroupButton()  // where we had to trigger .mousedown() also.  jQuery('input#' + event.data.buttonId, this.table).submit();  return false;};/** * Move the groups operator so that it's between the first two groups, and * duplicate it between any subsequent groups. */Drupal.viewsUi.rearrangeFilterHandler.prototype.duplicateGroupsOperator = function () {  var $ = jQuery;  var dropdowns, newRow;  var titleRows = $('tr.views-group-title'), titleRow;  // Get rid of the explanatory text around the operator; its placement is  // explanatory enough.  this.operator.find('label').add('div.description').addClass('element-invisible');  this.operator.find('select').addClass('form-select');  // Keep a list of the operator dropdowns, so we can sync their behavior later.  dropdowns = this.operator;  // Move the operator to a new row just above the second group.  titleRow = $('tr#views-group-title-2');  newRow = $('<tr class="filter-group-operator-row"><td colspan="5"></td></tr>');  newRow.find('td').append(this.operator);  newRow.insertBefore(titleRow);  var i, length = titleRows.length;  // Starting with the third group, copy the operator to a new row above the  // group title.  for (i = 2; i < length; i++) {    titleRow = $(titleRows[i]);    // Make a copy of the operator dropdown and put it in a new table row.    var fakeOperator = this.operator.clone();    fakeOperator.attr('id', '');    newRow = $('<tr class="filter-group-operator-row"><td colspan="5"></td></tr>');    newRow.find('td').append(fakeOperator);    newRow.insertBefore(titleRow);    dropdowns = dropdowns.add(fakeOperator);  }  return dropdowns;};/** * Make the duplicated groups operators change in sync with each other. */Drupal.viewsUi.rearrangeFilterHandler.prototype.syncGroupsOperators = function () {  if (this.dropdowns.length < 2) {    // We only have one dropdown (or none at all), so there's nothing to sync.    return;  }  this.dropdowns.change(jQuery.proxy(this, 'operatorChangeHandler'));};/** * Click handler for the operators that appear between filter groups. * * Forces all operator dropdowns to have the same value. */Drupal.viewsUi.rearrangeFilterHandler.prototype.operatorChangeHandler = function (event) {  var $ = jQuery;  var $target = $(event.target);  var operators = this.dropdowns.find('select').not($target);  // Change the other operators to match this new value.  operators.val($target.val());};Drupal.viewsUi.rearrangeFilterHandler.prototype.modifyTableDrag = function () {  var tableDrag = Drupal.tableDrag['views-rearrange-filters'];  var filterHandler = this;  /**   * Override the row.onSwap method from tabledrag.js.   *   * When a row is dragged to another place in the table, several things need   * to occur.   * - The row needs to be moved so that it's within one of the filter groups.   * - The operator cells that span multiple rows need their rowspan attributes   *   updated to reflect the number of rows in each group.   * - The operator labels that are displayed next to each filter need to be   *   redrawn, to account for the row's new location.   */  tableDrag.row.prototype.onSwap = function () {    if (filterHandler.hasGroupOperator) {      // Make sure the row that just got moved (this.group) is inside one of      // the filter groups (i.e. below an empty marker row or a draggable). If      // it isn't, move it down one.      var thisRow = jQuery(this.group);      var previousRow = thisRow.prev('tr');      if (previousRow.length && !previousRow.hasClass('group-message') && !previousRow.hasClass('draggable')) {        // Move the dragged row down one.        var next = thisRow.next();        if (next.is('tr')) {          this.swap('after', next);        }      }      filterHandler.updateRowspans();    }    // Redraw the operator labels that are displayed next to each filter, to    // account for the row's new location.    filterHandler.redrawOperatorLabels();  };  /**   * Override the onDrop method from tabledrag.js.   */  tableDrag.onDrop = function () {    var $ = jQuery;    // If the tabledrag change marker (i.e., the "*") has been inserted inside    // a row after the operator label (i.e., "And" or "Or") rearrange the items    // so the operator label continues to appear last.    var changeMarker = $(this.oldRowElement).find('.tabledrag-changed');    if (changeMarker.length) {      // Search for occurrences of the operator label before the change marker,      // and reverse them.      var operatorLabel = changeMarker.prevAll('.views-operator-label');      if (operatorLabel.length) {        operatorLabel.insertAfter(changeMarker);      }    }    // Make sure the "group" dropdown is properly updated when rows are dragged    // into an empty filter group. This is borrowed heavily from the block.js    // implementation of tableDrag.onDrop().    var groupRow = $(this.rowObject.element).prevAll('tr.group-message').get(0);    var groupName = groupRow.className.replace(/([^ ]+[ ]+)*group-([^ ]+)-message([ ]+[^ ]+)*/, '$2');    var groupField = $('select.views-group-select', this.rowObject.element);    if ($(this.rowObject.element).prev('tr').is('.group-message') && !groupField.is('.views-group-select-' + groupName)) {      var oldGroupName = groupField.attr('class').replace(/([^ ]+[ ]+)*views-group-select-([^ ]+)([ ]+[^ ]+)*/, '$2');      groupField.removeClass('views-group-select-' + oldGroupName).addClass('views-group-select-' + groupName);      groupField.val(groupName);    }  };};/** * Redraw the operator labels that are displayed next to each filter. */Drupal.viewsUi.rearrangeFilterHandler.prototype.redrawOperatorLabels = function () {  var $ = jQuery;  for (i = 0; i < this.draggableRows.length; i++) {    // Within the row, the operator labels are displayed inside the first table    // cell (next to the filter name).    var $draggableRow = $(this.draggableRows[i]);    var $firstCell = $('td:first', $draggableRow);    if ($firstCell.length) {      // The value of the operator label ("And" or "Or") is taken from the      // first operator dropdown we encounter, going backwards from the current      // row. This dropdown is the one associated with the current row's filter      // group.      var operatorValue = $draggableRow.prevAll('.views-group-title').find('option:selected').html();      var operatorLabel = '<span class="views-operator-label">' + operatorValue + '</span>';      // If the next visible row after this one is a draggable filter row,      // display the operator label next to the current row. (Checking for      // visibility is necessary here since the "Remove" links hide the removed      // row but don't actually remove it from the document).      var $nextRow = $draggableRow.nextAll(':visible').eq(0);      var $existingOperatorLabel = $firstCell.find('.views-operator-label');      if ($nextRow.hasClass('draggable')) {        // If an operator label was already there, replace it with the new one.        if ($existingOperatorLabel.length) {          $existingOperatorLabel.replaceWith(operatorLabel);        }        // Otherwise, append the operator label to the end of the table cell.        else {          $firstCell.append(operatorLabel);        }      }      // If the next row doesn't contain a filter, then this is the last row      // in the group. We don't want to display the operator there (since      // operators should only display between two related filters, e.g.      // "filter1 AND filter2 AND filter3"). So we remove any existing label      // that this row has.      else {        $existingOperatorLabel.remove();      }    }  }};/** * Update the rowspan attribute of each cell containing an operator dropdown. */Drupal.viewsUi.rearrangeFilterHandler.prototype.updateRowspans = function () {  var $ = jQuery;  var i, $row, $currentEmptyRow, draggableCount, $operatorCell;  var rows = $(this.table).find('tr');  var length = rows.length;  for (i = 0; i < length; i++) {    $row = $(rows[i]);    if ($row.hasClass('views-group-title')) {      // This row is a title row.      // Keep a reference to the cell containing the dropdown operator.      $operatorCell = $($row.find('td.group-operator'));      // Assume this filter group is empty, until we find otherwise.      draggableCount = 0;      $currentEmptyRow = $row.next('tr');      $currentEmptyRow.removeClass('group-populated').addClass('group-empty');      // The cell with the dropdown operator should span the title row and      // the "this group is empty" row.      $operatorCell.attr('rowspan', 2);    }    else if (($row).hasClass('draggable') && $row.is(':visible')) {      // We've found a visible filter row, so we now know the group isn't empty.      draggableCount++;      $currentEmptyRow.removeClass('group-empty').addClass('group-populated');      // The operator cell should span all draggable rows, plus the title.      $operatorCell.attr('rowspan', draggableCount + 1);    }  }};Drupal.behaviors.viewsFilterConfigSelectAll = {};/** * Add a select all checkbox, which checks each checkbox at once. */Drupal.behaviors.viewsFilterConfigSelectAll.attach = function(context) {  var $ = jQuery;  // Show the select all checkbox.  $('#views-ui-config-item-form div.form-item-options-value-all', context).once(function() {    $(this).show();  })  .find('input[type=checkbox]')  .click(function() {    var checked = $(this).is(':checked');    // Update all checkbox beside the select all checkbox.    $(this).parents('.form-checkboxes').find('input[type=checkbox]').each(function() {      $(this).attr('checked', checked);    });  });  // Uncheck the select all checkbox if any of the others are unchecked.  $('#views-ui-config-item-form div.form-type-checkbox').not($('.form-item-options-value-all')).find('input[type=checkbox]').each(function() {    $(this).click(function() {      if ($(this).is('checked') == 0) {        $('#edit-options-value-all').removeAttr('checked');      }    });  });};/** * Ensure the desired default button is used when a form is implicitly submitted via an ENTER press on textfields, radios, and checkboxes. * * @see http://www.w3.org/TR/html5/association-of-controls-and-forms.html#implicit-submission */Drupal.behaviors.viewsImplicitFormSubmission = {};Drupal.behaviors.viewsImplicitFormSubmission.attach = function (context, settings) {  var $ = jQuery;  $(':text, :password, :radio, :checkbox', context).once('viewsImplicitFormSubmission', function() {    $(this).keypress(function(event) {      if (event.which == 13) {        var formId = this.form.id;        if (formId && settings.viewsImplicitFormSubmission && settings.viewsImplicitFormSubmission[formId] && settings.viewsImplicitFormSubmission[formId].defaultButton) {          event.preventDefault();          var buttonId = settings.viewsImplicitFormSubmission[formId].defaultButton;          var $button = $('#' + buttonId, this.form);          if ($button.length == 1 && $button.is(':enabled')) {            if (Drupal.ajax && Drupal.ajax[buttonId]) {              $button.trigger(Drupal.ajax[buttonId].element_settings.event);            }            else {              $button.click();            }          }        }      }    });  });};/** * Remove icon class from elements that are themed as buttons or dropbuttons. */Drupal.behaviors.viewsRemoveIconClass = {};Drupal.behaviors.viewsRemoveIconClass.attach = function (context, settings) {  jQuery('.ctools-button', context).once('RemoveIconClass', function () {    var $ = jQuery;    var $this = $(this);    $('.icon', $this).removeClass('icon');    $('.horizontal', $this).removeClass('horizontal');  });};/** * Change "Expose filter" buttons into checkboxes. */Drupal.behaviors.viewsUiCheckboxify = {};Drupal.behaviors.viewsUiCheckboxify.attach = function (context, settings) {  var $ = jQuery;  var $buttons = $('#edit-options-expose-button-button, #edit-options-group-button-button').once('views-ui-checkboxify');  var length = $buttons.length;  var i;  for (i = 0; i < length; i++) {    new Drupal.viewsUi.Checkboxifier($buttons[i]);  }};/** * Change the default widget to select the default group according to the * selected widget for the exposed group. */Drupal.behaviors.viewsUiChangeDefaultWidget = {};Drupal.behaviors.viewsUiChangeDefaultWidget.attach = function (context, settings) {  var $ = jQuery;  function change_default_widget(multiple) {    if (multiple) {      $('input.default-radios').hide();      $('td.any-default-radios-row').parent().hide();      $('input.default-checkboxes').show();    }    else {      $('input.default-checkboxes').hide();      $('td.any-default-radios-row').parent().show();      $('input.default-radios').show();    }  }  // Update on widget change.  $('input[name="options[group_info][multiple]"]').change(function() {    change_default_widget($(this).attr("checked"));  });  // Update the first time the form is rendered.  $('input[name="options[group_info][multiple]"]').trigger('change');};/** * Attaches an expose filter button to a checkbox that triggers its click event. * * @param button *   The DOM object representing the button to be checkboxified. */Drupal.viewsUi.Checkboxifier = function (button) {  var $ = jQuery;  this.$button = $(button);  this.$parent = this.$button.parent('div.views-expose, div.views-grouped');  this.$input = this.$parent.find('input:checkbox, input:radio');  // Hide the button and its description.  this.$button.hide();  this.$parent.find('.exposed-description, .grouped-description').hide();  this.$input.click($.proxy(this, 'clickHandler'));};/** * When the checkbox is checked or unchecked, simulate a button press. */Drupal.viewsUi.Checkboxifier.prototype.clickHandler = function (e) {  this.$button.mousedown();  this.$button.submit();};/** * Change the Apply button text based upon the override select state. */Drupal.behaviors.viewsUiOverrideSelect = {};Drupal.behaviors.viewsUiOverrideSelect.attach = function (context, settings) {  var $ = jQuery;  $('#edit-override-dropdown', context).once('views-ui-override-button-text', function() {    // Closures! :(    var $submit = $('#edit-submit', context);    var old_value = $submit.val();    $submit.once('views-ui-override-button-text')      .bind('mouseup', function() {        $(this).val(old_value);        return true;      });    $(this).bind('change', function() {      if ($(this).val() == 'default') {        $submit.val(Drupal.t('Apply (all displays)'));      }      else if ($(this).val() == 'default_revert') {        $submit.val(Drupal.t('Revert to default'));      }      else {        $submit.val(Drupal.t('Apply (this display)'));      }    })    .trigger('change');  });};Drupal.viewsUi.resizeModal = function (e, no_shrink) {  var $ = jQuery;  var $modal = $('.views-ui-dialog');  var $scroll = $('.scroll', $modal);  if ($modal.size() == 0 || $modal.css('display') == 'none') {    return;  }  var maxWidth = parseInt($(window).width() * .85); // 70% of window  var minWidth = parseInt($(window).width() * .6); // 70% of window  // Set the modal to the minwidth so that our width calculation of  // children works.  $modal.css('width', minWidth);  var width = minWidth;  // Don't let the window get more than 80% of the display high.  var maxHeight = parseInt($(window).height() * .8);  var minHeight = 200;  if (no_shrink) {    minHeight = $modal.height();  }  if (minHeight > maxHeight) {    minHeight = maxHeight;  }  var height = 0;  // Calculate the height of the 'scroll' region.  var scrollHeight = 0;  scrollHeight += parseInt($scroll.css('padding-top'));  scrollHeight += parseInt($scroll.css('padding-bottom'));  $scroll.children().each(function() {    var w = $(this).innerWidth();    if (w > width) {      width = w;    }    scrollHeight += $(this).outerHeight(true);  });  // Now, calculate what the difference between the scroll and the modal  // will be.  var difference = 0;  difference += parseInt($scroll.css('padding-top'));  difference += parseInt($scroll.css('padding-bottom'));  difference += $('.views-override').outerHeight(true);  difference += $('.views-messages').outerHeight(true);  difference += $('#views-ajax-title').outerHeight(true);  difference += $('.views-add-form-selected').outerHeight(true);  difference += $('.form-buttons', $modal).outerHeight(true);  height = scrollHeight + difference;  if (height > maxHeight) {    height = maxHeight;    scrollHeight = maxHeight - difference;  }  else if (height < minHeight) {    height = minHeight;    scrollHeight = minHeight - difference;  }  if (width > maxWidth) {    width = maxWidth;  }  // Get where we should move content to  var top = ($(window).height() / 2) - (height / 2);  var left = ($(window).width() / 2) - (width / 2);  $modal.css({    'top': top + 'px',    'left': left + 'px',    'width': width + 'px',    'height': height + 'px'  });  // Ensure inner popup height matches.  $(Drupal.settings.views.ajax.popup).css('height', height + 'px');  $scroll.css({    'height': scrollHeight + 'px',    'max-height': scrollHeight + 'px'  });};jQuery(function() {  jQuery(window).bind('resize', Drupal.viewsUi.resizeModal);  jQuery(window).bind('scroll', Drupal.viewsUi.resizeModal);});
 |