CRM-13929 Add contact icon to autocomplete results
[civicrm-core.git] / js / Common.js
CommitLineData
6a488035
TO
1/*
2 +--------------------------------------------------------------------+
232624b1 3 | CiviCRM version 4.4 |
6a488035
TO
4 +--------------------------------------------------------------------+
5 | Copyright CiviCRM LLC (c) 2004-2013 |
6 +--------------------------------------------------------------------+
7 | This file is a part of CiviCRM. |
8 | |
9 | CiviCRM is free software; you can copy, modify, and distribute it |
10 | under the terms of the GNU Affero General Public License |
11 | Version 3, 19 November 2007 and the CiviCRM Licensing Exception. |
12 | |
13 | CiviCRM is distributed in the hope that it will be useful, but |
14 | WITHOUT ANY WARRANTY; without even the implied warranty of |
15 | MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. |
16 | See the GNU Affero General Public License for more details. |
17 | |
18 | You should have received a copy of the GNU Affero General Public |
19 | License and the CiviCRM Licensing Exception along |
20 | with this program; if not, contact CiviCRM LLC |
21 | at info[AT]civicrm[DOT]org. If you have questions about the |
22 | GNU Affero General Public License or the licensing of CiviCRM, |
23 | see the CiviCRM license FAQ at http://civicrm.org/licensing |
24 +--------------------------------------------------------------------+
0f5816a6 25 */
6a488035
TO
26
27/**
28 * @file: global functions for CiviCRM
29 * FIXME: We are moving away from using global functions. DO NOT ADD MORE.
30 * @see CRM object - the better alternative to adding global functions
31 */
32
33var CRM = CRM || {};
34var cj = jQuery;
35
36/**
37 * Short-named function for string translation, defined in global scope so it's available everywhere.
38 *
39 * @param $text string string for translating
40 * @param $params object key:value of additional parameters
41 *
42 * @return string the translated string
43 */
44function ts(text, params) {
7553cf23 45 "use strict";
6a488035 46 text = CRM.strings[text] || text;
2788147f 47 if (typeof(params) === 'object') {
6a488035 48 for (var i in params) {
32155ad6 49 if (typeof(params[i]) === 'string' || typeof(params[i]) === 'number') {
2788147f 50 // sprintf emulation: escape % characters in the replacements to avoid conflicts
32155ad6 51 text = text.replace(new RegExp('%' + i, 'g'), String(params[i]).replace(/%/g, '%-crmescaped-'));
2788147f 52 }
6a488035
TO
53 }
54 return text.replace(/%-crmescaped-/g, '%');
55 }
56 return text;
57}
58
59/**
60 * This function is called by default at the bottom of template files which have forms that have
61 * conditionally displayed/hidden sections and elements. The PHP is responsible for generating
62 * a list of 'blocks to show' and 'blocks to hide' and the template passes these parameters to
63 * this function.
64 *
65 * @access public
66 * @param showBlocks Array of element Id's to be displayed
67 * @param hideBlocks Array of element Id's to be hidden
68 * @param elementType Value to set display style to for showBlocks (e.g. 'block' or 'table-row' or ...)
69 * @return none
70 */
0f5816a6
KJ
71function on_load_init_blocks(showBlocks, hideBlocks, elementType) {
72 if (elementType == null) {
73 var elementType = 'block';
74 }
75
76 /* This loop is used to display the blocks whose IDs are present within the showBlocks array */
77 for (var i = 0; i < showBlocks.length; i++) {
78 var myElement = document.getElementById(showBlocks[i]);
79 /* getElementById returns null if element id doesn't exist in the document */
80 if (myElement != null) {
81 myElement.style.display = elementType;
6a488035 82 }
0f5816a6
KJ
83 else {
84 alert('showBlocks array item not in .tpl = ' + showBlocks[i]);
85 }
86 }
6a488035 87
0f5816a6
KJ
88 /* This loop is used to hide the blocks whose IDs are present within the hideBlocks array */
89 for (var i = 0; i < hideBlocks.length; i++) {
90 var myElement = document.getElementById(hideBlocks[i]);
91 /* getElementById returns null if element id doesn't exist in the document */
92 if (myElement != null) {
93 myElement.style.display = 'none';
94 }
95 else {
96 alert('showBlocks array item not in .tpl = ' + hideBlocks[i]);
6a488035 97 }
0f5816a6 98 }
6a488035
TO
99}
100
101/**
102 * This function is called when we need to show or hide a related form element (target_element)
103 * based on the value (trigger_value) of another form field (trigger_field).
104 *
105 * @access public
106 * @param trigger_field_id HTML id of field whose onchange is the trigger
107 * @param trigger_value List of integers - option value(s) which trigger show-element action for target_field
108 * @param target_element_id HTML id of element to be shown or hidden
109 * @param target_element_type Type of element to be shown or hidden ('block' or 'table-row')
110 * @param field_type Type of element radio/select
111 * @param invert Boolean - if true, we HIDE target on value match; if false, we SHOW target on value match
112 * @return none
0f5816a6
KJ
113 */
114function showHideByValue(trigger_field_id, trigger_value, target_element_id, target_element_type, field_type, invert) {
115 if (target_element_type == null) {
116 var target_element_type = 'block';
117 }
118 else {
119 if (target_element_type == 'table-row') {
120 var target_element_type = '';
121 }
122 }
123
124 if (field_type == 'select') {
125 var trigger = trigger_value.split("|");
126 var selectedOptionValue = document.getElementById(trigger_field_id).options[document.getElementById(trigger_field_id).selectedIndex].value;
127
128 var target = target_element_id.split("|");
129 for (var j = 0; j < target.length; j++) {
130 if (invert) {
131 cj('#' + target[j]).show();
132 }
133 else {
134 cj('#' + target[j]).hide();
135 }
136 for (var i = 0; i < trigger.length; i++) {
137 if (selectedOptionValue == trigger[i]) {
138 if (invert) {
139 cj('#' + target[j]).hide();
140 }
141 else {
142 cj('#' + target[j]).show();
143 }
6a488035 144 }
0f5816a6
KJ
145 }
146 }
6a488035 147
0f5816a6
KJ
148 }
149 else {
150 if (field_type == 'radio') {
151 var target = target_element_id.split("|");
152 for (var j = 0; j < target.length; j++) {
153 if (document.getElementsByName(trigger_field_id)[0].checked) {
154 if (invert) {
155 cj('#' + target[j]).hide();
156 }
157 else {
158 cj('#' + target[j]).show();
159 }
6a488035 160 }
0f5816a6
KJ
161 else {
162 if (invert) {
163 cj('#' + target[j]).show();
164 }
165 else {
166 cj('#' + target[j]).hide();
167 }
168 }
169 }
6a488035 170 }
0f5816a6 171 }
6a488035
TO
172}
173
6a488035
TO
174/**
175 * Function to change button text and disable one it is clicked
176 *
177 * @param obj object - the button clicked
178 * @param formID string - the id of the form being submitted
179 * @param string procText - button text after user clicks it
180 * @return null
181 */
0f5816a6 182var submitcount = 0;
c6edd786 183/* Changes button label on submit, and disables button after submit for newer browsers.
184 Puts up alert for older browsers. */
0f5816a6
KJ
185function submitOnce(obj, formId, procText) {
186 // if named button clicked, change text
187 if (obj.value != null) {
188 obj.value = procText + " ...";
189 }
190 if (document.getElementById) { // disable submit button for newer browsers
191 obj.disabled = true;
192 document.getElementById(formId).submit();
193 return true;
194 }
195 else { // for older browsers
196 if (submitcount == 0) {
197 submitcount++;
198 return true;
199 }
200 else {
201 alert("Your request is currently being processed ... Please wait.");
202 return false;
6a488035 203 }
0f5816a6 204 }
6a488035
TO
205}
206
207function popUp(URL) {
208 day = new Date();
0f5816a6 209 id = day.getTime();
6a488035
TO
210 eval("page" + id + " = window.open(URL, '" + id + "', 'toolbar=0,scrollbars=1,location=0,statusbar=0,menubar=0,resizable=0,width=640,height=420,left = 202,top = 184');");
211}
212
6a488035
TO
213/**
214 * Function to show / hide the row in optionFields
215 *
216 * @param element name index, that whose innerHTML is to hide else will show the hidden row.
217 */
0f5816a6
KJ
218function showHideRow(index) {
219 if (index) {
220 cj('tr#optionField_' + index).hide();
221 if (cj('table#optionField tr:hidden:first').length) {
222 cj('div#optionFieldLink').show();
6a488035 223 }
0f5816a6
KJ
224 }
225 else {
226 cj('table#optionField tr:hidden:first').show();
227 if (!cj('table#optionField tr:hidden:last').length) {
228 cj('div#optionFieldLink').hide();
229 }
230 }
231 return false;
6a488035
TO
232}
233
475e9f44 234CRM.utils = CRM.utils || {};
6a488035
TO
235CRM.strings = CRM.strings || {};
236CRM.validate = CRM.validate || {
237 params: {},
238 functions: []
239};
240
0f5816a6 241(function ($, undefined) {
7553cf23 242 "use strict";
d664f648 243
47f21f3a
CW
244 // Set select2 defaults
245 $.fn.select2.defaults.minimumResultsForSearch = 10;
246 // https://github.com/ivaynberg/select2/pull/2090
247 $.fn.select2.defaults.width = 'resolve';
248
e20523a8
CW
249 // Workaround for https://github.com/ivaynberg/select2/issues/1246
250 $.ui.dialog.prototype._allowInteraction = function(e) {
251 return !!$(e.target).closest('.ui-dialog, .ui-datepicker, .select2-drop').length;
252 };
253
475e9f44
CW
254 /**
255 * Populate a select list, overwriting the existing options except for the placeholder.
256 * @param $el jquery collection - 1 or more select elements
257 * @param options array in format returned by api.getoptions
258 */
259 CRM.utils.setOptions = function($el, options) {
260 $el.each(function() {
261 var
262 $elect = $(this),
263 val = $elect.val() || [];
264 if (typeof(val) !== 'array') {
265 val = [val];
266 }
267 $elect.find('option[value!=""]').remove();
268 $.each(options, function(key, option) {
269 var selected = ($.inArray(''+option.key, val) > -1) ? 'selected="selected"' : '';
270 $elect.append('<option value="' + option.key + '"' + selected + '>' + option.value + '</option>');
271 });
272 $elect.trigger('change');
273 });
274 };
275
ff88d165
CW
276 CRM.utils.formatSelect2Result = function(row) {
277 var markup = '<table class="crm-select2-row"><tr>';
278 if (row.image !== undefined) {
3a9e5e69 279 markup += '<td class="crm-select2-image"><img src="' + row.image + '"/></td>';
ff88d165 280 }
54bee7df
CW
281 else if (row.icon_class) {
282 markup += '<td class="crm-select2-icon"><div class="crm-icon ' + row.icon_class + '-icon"></div></td>';
283 }
3a9e5e69 284 markup += '<td><div class="crm-select2-row-label">' + row.label + '</div>';
ff88d165
CW
285 markup += '<div class="crm-select2-row-description">' + (row.description || '') + '</div>';
286 markup += '</td></tr></table>';
287 return markup;
288 };
79ae07d9
CW
289
290 CRM.utils.formatSelect2CreateLinks = function($el) {
291 var markup = '';
292 $.each($el.data('create-links'), function(k, link) {
293 markup += ' <a class="crm-add-entity crm-hover-button" href="' + link.url + '">';
294 if (link.name) {
295 markup += '<span class="icon ' + link.name + '-icon"></span> ';
296 }
297 markup += link.label + '</a>';
298 });
299 return markup;
300 };
ff88d165 301
f7b92fcd 302 // Initialize widgets
d664f648
CW
303 $(document).on('crmLoad', function(e) {
304 $('table.row-highlight', e.target)
305 .off('.rowHighlight')
306 .on('change.rowHighlight', 'input.select-row, input.select-rows', function () {
307 var target, table = $(this).closest('table');
308 if ($(this).hasClass('select-rows')) {
309 target = $('tbody tr', table);
310 $('input.select-row', table).prop('checked', $(this).prop('checked'));
311 }
312 else {
313 target = $(this).closest('tr');
314 $('input.select-rows', table).prop('checked', $(".select-row:not(':checked')", table).length < 1);
315 }
316 target.toggleClass('crm-row-selected', $(this).is(':checked'));
317 })
318 .find('input.select-row:checked').parents('tr').addClass('crm-row-selected');
f7b92fcd 319 $('.crm-select2', e.target).each(function() {
ff88d165 320 var $el = $(this);
f411b7d5
CW
321 // quickform doesn't support optgroups so here's a hack :(
322 $('option[value^=crm_optgroup]', this).each(function() {
323 $(this).nextUntil('option[value^=crm_optgroup]').wrapAll('<optgroup label="' + $(this).text() + '" />');
324 $(this).remove();
325 });
79ae07d9
CW
326 // Get a copy of the data rather than a reference
327 var options = $.extend({}, $el.data('select-params') || {});
a3162197 328 // Set placeholder from markup if not specified
ff88d165
CW
329 if ($el.is('select:not([multiple])')) {
330 options.allowClear = options.allowClear !== undefined ? options.allowClear : !($el.hasClass('required'));
a3162197
CW
331 if (options.placeHolder === undefined && $('option:first', this).val() === '') {
332 options.placeholderOption = 'first';
333 }
334 }
76ec9ca7 335 // Autocomplete using the getlist api
ff88d165
CW
336 if ($el.data('api-entity') && $el.hasClass('crm-form-entityref')) {
337 $el.addClass('crm-ajax-select');
79ae07d9
CW
338 var settings = {
339 // Use select2 ajax helper instead of CRM.api because it provides more value
ff88d165
CW
340 ajax: {
341 url: CRM.url('civicrm/ajax/rest'),
342 data: function (input, page_num) {
343 var params = $el.data('api-params') || {};
344 params.input = input;
345 params.page_num = page_num;
346 return {
347 entity: $el.data('api-entity'),
348 action: 'getlist',
349 json: JSON.stringify(params)
350 };
351 },
352 results: function(data) {
353 return {more: data.more_results, results: data.values || []};
47f21f3a 354 }
ff88d165
CW
355 },
356 formatResult: CRM.utils.formatSelect2Result,
357 formatSelection: function(row) {
358 return row.label;
359 },
360 escapeMarkup: function (m) {return m;},
361 initSelection: function(el, callback) {
362 callback(el.data('entity-value'));
363 }
79ae07d9
CW
364 };
365 if ($el.data('create-links')) {
366 options.formatInputTooShort = function() {
367 return $el.data('select-params').formatInputTooShort + ' ' + ts('or') + '<br />' + CRM.utils.formatSelect2CreateLinks($el);
368 };
369 options.formatNoMatches = function() {
370 return $el.data('select-params').formatNoMatches + '<br />' + CRM.utils.formatSelect2CreateLinks($el);
371 };
372 $el.on('select2-open', function() {
373 var $el = $(this);
374 $('#select2-drop').off('.crmEntity').on('click.crmEntity', 'a.crm-add-entity', function(e) {
375 $el.select2('close');
376 CRM.loadForm($(this).attr('href'), {
377 dialog: {width: 500, height: 'auto'}
378 }).on('crmFormSuccess', function(e, data) {
379 if ($el.select2('container').hasClass('select2-container-multi')) {
c5c9fd78
CW
380 var selection = $el.select2('data');
381 selection.push(data);
79ae07d9
CW
382 $el.select2('data', selection);
383 } else {
384 $el.select2('data', data);
385 }
386 });
387 return false;
388 });
389 });
390 }
391 options = $.extend(settings, options);
47f21f3a 392 }
79ae07d9 393 options.dropdownCssClass = 'crm-container';
ab345ca5 394 $(this).select2(options).removeClass('crm-select2');
f7b92fcd 395 });
6a488035 396 });
148c4e8d
CW
397
398 /**
399 * Function to make multiselect boxes behave as fields in small screens
400 */
401 function advmultiselectResize() {
402 var amswidth = $("#crm-container form:has(table.advmultiselect)").width();
403 if (amswidth < 700) {
404 $("form table.advmultiselect td").css('display', 'block');
0f5816a6
KJ
405 }
406 else {
148c4e8d
CW
407 $("form table.advmultiselect td").css('display', 'table-cell');
408 }
409 var contactwidth = $('#crm-container #mainTabContainer').width();
410 if (contactwidth < 600) {
411 $('#crm-container #mainTabContainer').addClass('narrowpage');
0f5816a6 412 $('#crm-container #mainTabContainer.narrowpage #contactTopBar td').each(function (index) {
148c4e8d 413 if (index > 1) {
0f5816a6 414 if (index % 2 == 0) {
148c4e8d
CW
415 $(this).parent().after('<tr class="narrowadded"></tr>');
416 }
417 var item = $(this);
418 $(this).parent().next().append(item);
419 }
420 });
0f5816a6
KJ
421 }
422 else {
148c4e8d 423 $('#crm-container #mainTabContainer.narrowpage').removeClass('narrowpage');
0f5816a6 424 $('#crm-container #mainTabContainer #contactTopBar tr.narrowadded td').each(function () {
148c4e8d
CW
425 var nitem = $(this);
426 var parent = $(this).parent();
427 $(this).parent().prev().append(nitem);
0f5816a6 428 if (parent.children().size() == 0) {
148c4e8d
CW
429 parent.remove();
430 }
431 });
432 $('#crm-container #mainTabContainer.narrowpage #contactTopBar tr.added').detach();
433 }
434 var cformwidth = $('#crm-container #Contact .contact_basic_information-section').width();
0f5816a6 435
148c4e8d
CW
436 if (cformwidth < 720) {
437 $('#crm-container .contact_basic_information-section').addClass('narrowform');
438 $('#crm-container .contact_basic_information-section table.form-layout-compressed td .helpicon').parent().addClass('hashelpicon');
439 if (cformwidth < 480) {
440 $('#crm-container .contact_basic_information-section').addClass('xnarrowform');
0f5816a6
KJ
441 }
442 else {
148c4e8d
CW
443 $('#crm-container .contact_basic_information-section.xnarrowform').removeClass('xnarrowform');
444 }
0f5816a6
KJ
445 }
446 else {
148c4e8d
CW
447 $('#crm-container .contact_basic_information-section.narrowform').removeClass('narrowform');
448 $('#crm-container .contact_basic_information-section.xnarrowform').removeClass('xnarrowform');
449 }
450 }
0f5816a6 451
148c4e8d 452 advmultiselectResize();
0f5816a6 453 $(window).resize(function () {
6a488035
TO
454 advmultiselectResize();
455 });
456
0f5816a6 457 $.fn.crmtooltip = function () {
2c29c2ac
RN
458 $(document)
459 .on('mouseover', 'a.crm-summary-link:not(.crm-processed)', function (e) {
460 $(this).addClass('crm-processed');
e24b17b9
CW
461 $(this).addClass('crm-tooltip-active');
462 var topDistance = e.pageY - $(window).scrollTop();
463 if (topDistance < 300 | topDistance < $(this).children('.crm-tooltip-wrapper').height()) {
464 $(this).addClass('crm-tooltip-down');
465 }
466 if (!$(this).children('.crm-tooltip-wrapper').length) {
6a488035
TO
467 $(this).append('<div class="crm-tooltip-wrapper"><div class="crm-tooltip"></div></div>');
468 $(this).children().children('.crm-tooltip')
469 .html('<div class="crm-loading-element"></div>')
470 .load(this.href);
471 }
472 })
2c29c2ac
RN
473 .on('mouseout', 'a.crm-summary-link', function () {
474 $(this).removeClass('crm-processed');
e24b17b9
CW
475 $(this).removeClass('crm-tooltip-active crm-tooltip-down');
476 })
2c29c2ac 477 .on('click', 'a.crm-summary-link', false);
6a488035
TO
478 };
479
b0ca6188 480 var helpDisplay, helpPrevious;
8e3272a1 481 CRM.help = function (title, params, url) {
55a93b02 482 if (helpDisplay && helpDisplay.close) {
b0ca6188 483 // If the same link is clicked twice, just close the display - todo use underscore method for this comparison
55a93b02
CW
484 if (helpDisplay.isOpen && helpPrevious === JSON.stringify(params)) {
485 helpDisplay.close();
b0ca6188
CW
486 return;
487 }
55a93b02 488 helpDisplay.close();
b0ca6188
CW
489 }
490 helpPrevious = JSON.stringify(params);
6a488035
TO
491 params.class_name = 'CRM_Core_Page_Inline_Help';
492 params.type = 'page';
b0ca6188 493 helpDisplay = CRM.alert('...', title, 'crm-help crm-msg-loading', {expires: 0});
8e3272a1 494 $.ajax(url || CRM.url('civicrm/ajax/inline'),
6a488035
TO
495 {
496 data: params,
497 dataType: 'html',
e24b17b9 498 success: function (data) {
6a488035
TO
499 $('#crm-notification-container .crm-help .notify-content:last').html(data);
500 $('#crm-notification-container .crm-help').removeClass('crm-msg-loading').addClass('info');
501 },
e24b17b9 502 error: function () {
6a488035
TO
503 $('#crm-notification-container .crm-help .notify-content:last').html('Unable to load help file.');
504 $('#crm-notification-container .crm-help').removeClass('crm-msg-loading').addClass('error');
505 }
506 }
507 );
508 };
8960d9b9
CW
509 /**
510 * @param startMsg string
511 * @param endMsg string|function
512 * @param deferred optional jQuery deferred object
513 * @return jQuery deferred object - if not supplied a new one will be created
514 */
515 var fadeOut;
516 CRM.status = function(startMsg, endMsg, deferred) {
517 var $bar = $('#civicrm-menu');
518 if (!$bar.length) {
519 console && console.log && console.log('CRM.status called on a page with no menubar');
520 return;
521 }
522 $('.crm-menubar-status-container', $bar).remove();
523 fadeOut && window.clearTimeout(fadeOut);
524 $bar.append('<li class="crm-menubar-status-container status-busy"><div class="crm-menubar-status-progressbar"><div class="crm-menubar-status-msg">' + startMsg + '</div></div></li>');
525 $('.crm-menubar-status-container', $bar).css('min-width', $('.crm-menubar-status-container', $bar).width());
526 deferred || (deferred = new $.Deferred());
527 deferred.done(function(data) {
528 var msg = typeof(endMsg) === 'function' ? endMsg(data) : endMsg;
4bad157e
CW
529 $('.crm-menubar-status-container', $bar).removeClass('status-busy').addClass('status-done').show().find('.crm-menubar-status-msg').html(msg);
530 if (msg) {
531 fadeOut = window.setTimeout(function() {
532 $('.crm-menubar-status-container', $bar).fadeOut('slow');
533 }, 2000);
534 } else {
535 $('.crm-menubar-status-container', $bar).hide();
536 }
8960d9b9
CW
537 });
538 return deferred;
539 };
6a488035
TO
540
541 /**
542 * @param string text Displayable message
543 * @param string title Displayable title
544 * @param string type 'alert'|'info'|'success'|'error' (default: 'alert')
545 * @param {object} options
546 * @return {*}
547 * @see http://wiki.civicrm.org/confluence/display/CRM/Notifications+in+CiviCRM
548 */
0f5816a6 549 CRM.alert = function (text, title, type, options) {
6a488035
TO
550 type = type || 'alert';
551 title = title || '';
552 options = options || {};
553 if ($('#crm-notification-container').length) {
554 var params = {
555 text: text,
556 title: title,
557 type: type
558 };
559 // By default, don't expire errors and messages containing links
560 var extra = {
561 expires: (type == 'error' || text.indexOf('<a ') > -1) ? 0 : (text ? 10000 : 5000),
562 unique: true
563 };
564 options = $.extend(extra, options);
e24b17b9 565 options.expires = options.expires === false ? 0 : parseInt(options.expires, 10);
6a488035 566 if (options.unique && options.unique !== '0') {
0f5816a6 567 $('#crm-notification-container .ui-notify-message').each(function () {
6a488035
TO
568 if (title === $('h1', this).html() && text === $('.notify-content', this).html()) {
569 $('.icon.ui-notify-close', this).click();
570 }
571 });
572 }
573 return $('#crm-notification-container').notify('create', params, options);
574 }
575 else {
576 if (title.length) {
577 text = title + "\n" + text;
578 }
579 alert(text);
580 return null;
581 }
e24b17b9 582 };
6a488035
TO
583
584 /**
585 * Close whichever alert contains the given node
586 *
587 * @param node
588 */
0f5816a6 589 CRM.closeAlertByChild = function (node) {
6a488035 590 $(node).closest('.ui-notify-message').find('.icon.ui-notify-close').click();
e24b17b9 591 };
6a488035
TO
592
593 /**
594 * Prompt the user for confirmation.
595 *
7553cf23
CW
596 * @param buttons {object|function} key|value pairs where key == button label and value == callback function
597 * passing in a function instead of an object is a shortcut for a sinlgle button labeled "Continue"
598 * @param options {object|void} Override defaults, keys include 'title', 'message',
599 * see jQuery.dialog for full list of available params
6a488035 600 */
706cff6d 601 CRM.confirm = function (buttons, options, cancelLabel) {
7553cf23 602 var dialog, callbacks = {};
706cff6d 603 cancelLabel = cancelLabel || ts('Cancel');
7553cf23
CW
604 var settings = {
605 title: ts('Confirm Action'),
606 message: ts('Are you sure you want to continue?'),
6a488035
TO
607 resizable: false,
608 modal: true,
0d5f99d4 609 width: 'auto',
0f5816a6
KJ
610 close: function () {
611 $(dialog).remove();
612 },
7553cf23
CW
613 buttons: {}
614 };
706cff6d
KJ
615
616 settings.buttons[cancelLabel] = function () {
0f5816a6
KJ
617 dialog.dialog('close');
618 };
7553cf23
CW
619 options = options || {};
620 $.extend(settings, options);
621 if (typeof(buttons) === 'function') {
622 callbacks[ts('Continue')] = buttons;
0f5816a6
KJ
623 }
624 else {
7553cf23
CW
625 callbacks = buttons;
626 }
0f5816a6
KJ
627 $.each(callbacks, function (label, callback) {
628 settings.buttons[label] = function () {
7553cf23
CW
629 callback.call(dialog);
630 dialog.dialog('close');
e24b17b9 631 };
6a488035 632 });
7553cf23
CW
633 dialog = $('<div class="crm-container crm-confirm-dialog"></div>')
634 .html(options.message)
635 .appendTo('body')
636 .dialog(settings);
637 return dialog;
e24b17b9 638 };
6a488035
TO
639
640 /**
641 * Sets an error message
642 * If called for a form item, title and removal condition will be handled automatically
643 */
0f5816a6 644 $.fn.crmError = function (text, title, options) {
6a488035
TO
645 title = title || '';
646 text = text || '';
647 options = options || {};
648
649 var extra = {
650 expires: 0
651 };
652 if ($(this).length) {
653 if (title == '') {
654 var label = $('label[for="' + $(this).attr('name') + '"], label[for="' + $(this).attr('id') + '"]').not('[generated=true]');
655 if (label.length) {
656 label.addClass('crm-error');
657 var $label = label.clone();
658 if (text == '' && $('.crm-marker', $label).length > 0) {
659 text = $('.crm-marker', $label).attr('title');
660 }
661 $('.crm-marker', $label).remove();
662 title = $label.text();
663 }
664 }
665 $(this).addClass('error');
666 }
667 var msg = CRM.alert(text, title, 'error', $.extend(extra, options));
668 if ($(this).length) {
669 var ele = $(this);
0f5816a6
KJ
670 setTimeout(function () {
671 ele.one('change', function () {
672 msg && msg.close && msg.close();
673 ele.removeClass('error');
674 label.removeClass('crm-error');
675 });
676 }, 1000);
6a488035
TO
677 }
678 return msg;
e24b17b9 679 };
6a488035
TO
680
681 // Display system alerts through js notifications
682 function messagesFromMarkup() {
0f5816a6 683 $('div.messages:visible', this).not('.help').not('.no-popup').each(function () {
e24b17b9 684 var text, title = '';
6a488035
TO
685 $(this).removeClass('status messages');
686 var type = $(this).attr('class').split(' ')[0] || 'alert';
687 type = type.replace('crm-', '');
688 $('.icon', this).remove();
6a488035 689 if ($('.msg-text', this).length > 0) {
e24b17b9 690 text = $('.msg-text', this).html();
6a488035
TO
691 title = $('.msg-title', this).html();
692 }
693 else {
e24b17b9 694 text = $(this).html();
6a488035
TO
695 }
696 var options = $(this).data('options') || {};
697 $(this).remove();
698 // Duplicates were already removed server-side
699 options.unique = false;
700 CRM.alert(text, title, type, options);
701 });
702 // Handle qf form errors
703 $('form :input.error', this).one('blur', function() {
ef04c554 704 // ignore autocomplete fields
23246a80 705 if ($(this).is('.ac_input')) {
706 return;
707 }
ef04c554 708
6a488035
TO
709 $('.ui-notify-message.error a.ui-notify-close').click();
710 $(this).removeClass('error');
711 $(this).next('span.crm-error').remove();
712 $('label[for="' + $(this).attr('name') + '"], label[for="' + $(this).attr('id') + '"]')
713 .removeClass('crm-error')
714 .find('.crm-error').removeClass('crm-error');
715 });
716 }
717
23223213 718 $.widget('civi.crmSnippet', {
205bb8ae 719 options: {
a73f25bb 720 url: null,
205bb8ae
CW
721 block: true,
722 crmForm: null
723 },
c02f8fc4 724 _originalContent: null,
fa3a5fe2
CW
725 _originalUrl: null,
726 isOriginalUrl: function() {
0906345e
CW
727 var
728 args = {},
729 same = true,
730 newUrl = this._formatUrl(this.options.url),
731 oldUrl = this._formatUrl(this._originalUrl);
fa3a5fe2 732 // Compare path
0906345e 733 if (newUrl.split('?')[0] !== oldUrl.split('?')[0]) {
fa3a5fe2
CW
734 return false;
735 }
736 // Compare arguments
0906345e 737 $.each(newUrl.split('?')[1].split('&'), function(k, v) {
fa3a5fe2
CW
738 var arg = v.split('=');
739 args[arg[0]] = arg[1];
740 });
0906345e 741 $.each(oldUrl.split('?')[1].split('&'), function(k, v) {
fa3a5fe2
CW
742 var arg = v.split('=');
743 if (args[arg[0]] !== undefined && arg[1] !== args[arg[0]]) {
744 same = false;
745 }
746 });
747 return same;
748 },
749 resetUrl: function() {
750 this.options.url = this._originalUrl;
751 },
205bb8ae 752 _create: function() {
205bb8ae
CW
753 this.element.addClass('crm-ajax-container');
754 if (!this.element.is('.crm-container *')) {
755 this.element.addClass('crm-container');
756 }
4a140040 757 this._handleOrderLinks();
5d92a7e7
CW
758 // Set default if not supplied
759 this.options.url = this.options.url || document.location.href;
fa3a5fe2 760 this._originalUrl = this.options.url;
205bb8ae
CW
761 },
762 _onFailure: function(data) {
763 this.options.block && this.element.unblock();
764 this.element.trigger('crmAjaxFail', data);
765 CRM.alert(ts('Unable to reach the server. Please refresh this page in your browser and try again.'), ts('Network Error'), 'error');
766 },
767 _formatUrl: function(url) {
0906345e
CW
768 // Strip hash
769 url = url.split('#')[0];
205bb8ae
CW
770 // Add snippet argument to url
771 if (url.search(/[&?]snippet=/) < 0) {
fc05b8da 772 url += (url.indexOf('?') < 0 ? '?' : '&') + 'snippet=json';
8547369d
CW
773 } else {
774 url = url.replace(/snippet=[^&]*/, 'snippet=json');
205bb8ae
CW
775 }
776 return url;
777 },
d6539f93 778 // Hack to deal with civicrm legacy sort functionality
4a140040
CW
779 _handleOrderLinks: function() {
780 var that = this;
781 $('a.crm-weight-arrow', that.element).click(function(e) {
782 that.options.block && that.element.block();
783 $.getJSON(that._formatUrl(this.href)).done(function() {
784 that.refresh();
785 });
786 e.stopImmediatePropagation();
787 return false;
788 });
789 },
205bb8ae
CW
790 refresh: function() {
791 var that = this;
792 var url = this._formatUrl(this.options.url);
4a140040 793 this.options.block && $('.blockOverlay', this.element).length < 1 && this.element.block();
205bb8ae
CW
794 $.getJSON(url, function(data) {
795 if (typeof(data) != 'object' || typeof(data.content) != 'string') {
796 that._onFailure(data);
797 return;
798 }
799 data.url = url;
c02f8fc4
CW
800 that.element.trigger('crmBeforeLoad', data);
801 if (that._originalContent === null) {
802 that._originalContent = that.element.contents().detach();
803 }
804 that.element.html(data.content);
4a140040
CW
805 that._handleOrderLinks();
806 that.element.trigger('crmLoad', data);
205bb8ae
CW
807 that.options.crmForm && that.element.trigger('crmFormLoad', data);
808 }).fail(function() {
809 that._onFailure();
810 });
4b628e67
CW
811 },
812 _destroy: function() {
813 this.element.removeClass('crm-ajax-container');
c02f8fc4
CW
814 if (this._originalContent !== null) {
815 this.element.empty().append(this._originalContent);
816 }
205bb8ae
CW
817 }
818 });
819
0e017a41 820 var dialogCount = 0;
d4e4e9df 821 CRM.loadPage = function(url, options) {
d4e4e9df 822 var settings = {
0e017a41 823 target: '#crm-ajax-dialog-' + (dialogCount++),
8547369d
CW
824 dialog: false
825 };
826 if (!options || !options.target) {
827 settings.dialog = {
d4e4e9df 828 modal: true,
f84151fd
CW
829 width: '65%',
830 height: parseInt($(window).height() * .75),
d4e4e9df 831 close: function() {
c02f8fc4 832 $(this).dialog('destroy').remove();
d4e4e9df 833 }
8547369d
CW
834 };
835 }
205bb8ae 836 options && $.extend(true, settings, options);
0e017a41 837 settings.url = url;
83df6b4a 838 // Create new dialog
8547369d 839 if (settings.dialog) {
205bb8ae 840 $('<div id="'+ settings.target.substring(1) +'"><div class="crm-loading-element">' + ts('Loading') + '...</div></div>').dialog(settings.dialog);
d4e4e9df 841 }
205bb8ae
CW
842 if (settings.dialog && !settings.dialog.title) {
843 $(settings.target).on('crmLoad', function(event, data) {
844 data.title && $(this).dialog('option', 'title', data.title);
845 });
846 }
5d92a7e7
CW
847 $(settings.target).crmSnippet(settings).crmSnippet('refresh');
848 return $(settings.target);
d4e4e9df
CW
849 };
850
851 CRM.loadForm = function(url, options) {
d4e4e9df 852 var settings = {
205bb8ae
CW
853 crmForm: {
854 ajaxForm: {},
205bb8ae
CW
855 autoClose: true,
856 validate: true,
857 refreshAction: ['next_new', 'submit_savenext'],
858 cancelButton: '.cancel.form-submit',
23223213 859 openInline: 'a.button:not("[href=#], .no-popup")',
205bb8ae
CW
860 onCancel: function(event) {},
861 onError: function(data) {
862 var $el = $(this);
5d92a7e7 863 $el.html(data.content).trigger('crmLoad', data).trigger('crmFormLoad', data).trigger('crmFormError', data);
205bb8ae
CW
864 if (typeof(data.errors) == 'object') {
865 $.each(data.errors, function(formElement, msg) {
866 $('[name="'+formElement+'"]', $el).crmError(msg);
867 });
868 }
d4e4e9df 869 }
d4e4e9df
CW
870 }
871 };
a10432db
CW
872 // Hack to make delete dialogs smaller
873 if (url.indexOf('/delete') > 0 || url.indexOf('action=delete') > 0) {
874 settings.dialog = {
875 width: 400,
876 height: 300
877 };
878 }
205bb8ae
CW
879 // Move options that belong to crmForm. Others will be passed through to crmSnippet
880 options && $.each(options, function(key, value) {
881 if (typeof(settings.crmForm[key]) !== 'undefined') {
882 settings.crmForm[key] = value;
883 }
884 else {
885 settings[key] = value;
886 }
887 });
205bb8ae
CW
888
889 var widget = CRM.loadPage(url, settings);
890
891 widget.on('crmFormLoad', function(event, data) {
892 var $el = $(this);
660c46f3 893 var settings = $el.crmSnippet('option', 'crmForm');
205bb8ae
CW
894 settings.cancelButton && $(settings.cancelButton, this).click(function(event) {
895 var returnVal = settings.onCancel.call($el, event);
896 if (returnVal !== false) {
897 $el.trigger('crmFormCancel', event);
660c46f3 898 if ($el.data('uiDialog') && settings.autoClose) {
fa3a5fe2
CW
899 $el.dialog('close');
900 }
901 else if (!settings.autoClose) {
902 $el.crmSnippet('resetUrl').crmSnippet('refresh');
903 }
0e017a41 904 }
205bb8ae
CW
905 return returnVal === false;
906 });
d4e4e9df 907 if (settings.validate) {
0e017a41 908 $("form", this).validate(typeof(settings.validate) == 'object' ? settings.validate : CRM.validate.params);
d4e4e9df 909 }
205bb8ae 910 $("form", this).ajaxForm($.extend({
fa3a5fe2 911 url: data.url.replace(/reset=1[&]?/, ''),
d4e4e9df
CW
912 dataType: 'json',
913 success: function(response) {
34866662 914 if (response.status !== 'form_error') {
36876f55 915 $el.crmSnippet('option', 'block') && $el.unblock();
205bb8ae 916 $el.trigger('crmFormSuccess', response);
0e017a41 917 // Reset form for e.g. "save and new"
d6539f93 918 if (response.userContext && settings.refreshAction && $.inArray(response.buttonName, settings.refreshAction) >= 0) {
205bb8ae 919 $el.crmSnippet('option', 'url', response.userContext).crmSnippet('refresh');
0e017a41 920 }
660c46f3 921 else if ($el.data('uiDialog') && settings.autoClose) {
205bb8ae 922 $el.dialog('close');
83df6b4a 923 }
d6539f93
CW
924 else if (settings.autoClose === false) {
925 $el.crmSnippet('resetUrl').crmSnippet('refresh');
926 }
d4e4e9df
CW
927 }
928 else {
25bbc4c0 929 response.url = data.url;
205bb8ae 930 settings.onError.call($el, response);
d4e4e9df 931 }
23223213
CW
932 },
933 beforeSerialize: function(form, options) {
934 if (window.CKEDITOR && window.CKEDITOR.instances) {
a10432db
CW
935 $.each(CKEDITOR.instances, function() {
936 this.updateElement && this.updateElement();
937 });
23223213 938 }
83df6b4a 939 },
205bb8ae 940 beforeSubmit: function(submission) {
36876f55 941 $el.crmSnippet('option', 'block') && $el.block();
205bb8ae 942 $el.trigger('crmFormSubmit', submission);
d4e4e9df 943 }
205bb8ae 944 }, settings.ajaxForm));
fa3a5fe2
CW
945 if (settings.openInline) {
946 settings.autoClose = $el.crmSnippet('isOriginalUrl');
947 $(settings.openInline, this).click(function(event) {
948 $el.crmSnippet('option', 'url', $(this).attr('href')).crmSnippet('refresh');
949 return false;
950 });
951 }
205bb8ae
CW
952 });
953 return widget;
d4e4e9df
CW
954 };
955
03a7ec8f
CW
956 // Preprocess all cj ajax calls to display messages
957 $(document).ajaxSuccess(function(event, xhr, settings) {
958 try {
959 if ((!settings.dataType || settings.dataType == 'json') && xhr.responseText) {
960 var response = $.parseJSON(xhr.responseText);
961 if (typeof(response.crmMessages) == 'object') {
962 $.each(response.crmMessages, function(n, msg) {
963 CRM.alert(msg.text, msg.title, msg.type, msg.options);
964 })
965 }
966 }
967 }
968 // Suppress errors
969 catch (e) {}
970 });
971
7cb72342
CW
972 /**
973 * Temporary stub to get around name conflict with legacy jQuery.autocomplete plugin
974 */
975 $.widget('civi.crmAutocomplete', $.ui.autocomplete, {});
976
0f5816a6 977 $(function () {
205bb8ae 978 // Trigger crmLoad on initial content for consistency. It will also be triggered for ajax-loaded content.
8547369d 979 $('.crm-container').trigger('crmLoad');
205bb8ae 980
ef3309b6 981 if ($('#crm-notification-container').length) {
6a488035
TO
982 // Initialize notifications
983 $('#crm-notification-container').notify();
984 messagesFromMarkup.call($('#crm-container'));
6a488035 985 }
ebb9197b
C
986
987 // bind the event for image popup
475e9f44
CW
988 $('body')
989 .on('click', 'a.crm-image-popup', function() {
990 var o = $('<div class="crm-container crm-custom-image-popup"><img src=' + $(this).attr('href') + '></div>');
991
992 CRM.confirm('',
993 {
994 title: ts('Preview'),
995 message: o
996 },
997 ts('Done')
998 );
999 return false;
1000 })
ebb9197b 1001
475e9f44
CW
1002 .on('click', function (event) {
1003 $('.btn-slide-active').removeClass('btn-slide-active').find('.panel').hide();
1004 if ($(event.target).is('.btn-slide')) {
1005 $(event.target).addClass('btn-slide-active').find('.panel').show();
1006 }
1007 })
d664f648 1008
475e9f44
CW
1009 .on('click', 'a.crm-edit-optionvalue-link', function() {
1010 var url = $(this).data('option-group-url');
faa2cea0 1011 CRM.loadForm(CRM.url(url, {reset: 1}), {openInline: 'a:not("[href=#], .no-popup")'})
475e9f44
CW
1012 .on('dialogclose', function() {
1013 var $elects = $('select[data-option-group-url="' + url + '"]');
e869b07d 1014 CRM.api3($elects.data('api-entity'), 'getoptions', {sequential: 1, field: $elects.data('api-field')})
475e9f44
CW
1015 .done(function(data) {
1016 CRM.utils.setOptions($elects, data.values);
1017 });
1018 });
1019 return false;
4a143c04
CW
1020 })
1021 // Handle clear button for form elements
1022 .on('click', 'a.crm-clear-link', function() {
1023 $(this).css({visibility: 'hidden'}).siblings('.crm-form-radio:checked').prop('checked', false).change();
bcb4280c 1024 $(this).siblings('input:text').val('').change();
4a143c04
CW
1025 return false;
1026 })
1027 .on('change', 'input.crm-form-radio:checked', function() {
1028 $(this).siblings('.crm-clear-link').css({visibility: ''});
475e9f44 1029 });
d664f648 1030 $().crmtooltip();
6a488035
TO
1031 });
1032
0f5816a6 1033 $.fn.crmAccordions = function (speed) {
cf021bc5
CW
1034 var container = $(this).length > 0 ? $(this) : $('.crm-container');
1035 speed = speed === undefined ? 200 : speed;
1036 container
1037 .off('click.crmAccordions')
6a488035 1038 // Allow normal clicking of links
cf021bc5 1039 .on('click.crmAccordions', 'div.crm-accordion-header a', function (e) {
6a488035 1040 e.stopPropagation && e.stopPropagation();
cf021bc5
CW
1041 })
1042 .on('click.crmAccordions', '.crm-accordion-header, .crm-collapsible .collapsible-title', function () {
6a488035
TO
1043 if ($(this).parent().hasClass('collapsed')) {
1044 $(this).next().css('display', 'none').slideDown(speed);
1045 }
1046 else {
1047 $(this).next().css('display', 'block').slideUp(speed);
1048 }
1049 $(this).parent().toggleClass('collapsed');
1050 return false;
1051 });
6a488035 1052 };
0f5816a6
KJ
1053 $.fn.crmAccordionToggle = function (speed) {
1054 $(this).each(function () {
6a488035
TO
1055 if ($(this).hasClass('collapsed')) {
1056 $('.crm-accordion-body', this).first().css('display', 'none').slideDown(speed);
1057 }
1058 else {
1059 $('.crm-accordion-body', this).first().css('display', 'block').slideUp(speed);
1060 }
1061 $(this).toggleClass('collapsed');
1062 });
1063 };
5ec182d9
CW
1064
1065 /**
1066 * Clientside currency formatting
1067 * @param value
3bdb644f 1068 * @param format - currency representation of the number 1234.56
5ec182d9 1069 * @return string
3bdb644f 1070 * @see CRM_Core_Resources::addCoreResources
5ec182d9
CW
1071 */
1072 var currencyTemplate;
1073 CRM.formatMoney = function(value, format) {
1074 var decimal, separator, sign, i, j, result;
1075 if (value === 'init' && format) {
1076 currencyTemplate = format;
1077 return;
1078 }
1079 format = format || currencyTemplate;
1080 result = /1(.?)234(.?)56/.exec(format);
1081 if (result === null) {
1082 return 'Invalid format passed to CRM.formatMoney';
1083 }
1084 separator = result[1];
1085 decimal = result[2];
1086 sign = (value < 0) ? '-' : '';
1087 //extracting the absolute value of the integer part of the number and converting to string
1088 i = parseInt(value = Math.abs(value).toFixed(2)) + '';
5ec182d9
CW
1089 j = ((j = i.length) > 3) ? j % 3 : 0;
1090 result = sign + (j ? i.substr(0, j) + separator : '') + i.substr(j).replace(/(\d{3})(?=\d)/g, "$1" + separator) + (2 ? decimal + Math.abs(value - i).toFixed(2).slice(2) : '');
1091 return format.replace(/1.*234.*56/, result);
1092 };
6a488035 1093})(jQuery);