Merge pull request #2753 from fuzionnz/CRM-14394
[civicrm-core.git] / js / Common.js
1 // https://civicrm.org/licensing
2 var CRM = CRM || {};
3 var cj = CRM.$ = jQuery;
4 CRM._ = _;
5
6 /**
7 * Short-named function for string translation, defined in global scope so it's available everywhere.
8 *
9 * @param text string for translating
10 * @param params object key:value of additional parameters
11 *
12 * @return string
13 */
14 function ts(text, params) {
15 "use strict";
16 text = CRM.strings[text] || text;
17 if (typeof(params) === 'object') {
18 for (var i in params) {
19 if (typeof(params[i]) === 'string' || typeof(params[i]) === 'number') {
20 // sprintf emulation: escape % characters in the replacements to avoid conflicts
21 text = text.replace(new RegExp('%' + i, 'g'), String(params[i]).replace(/%/g, '%-crmescaped-'));
22 }
23 }
24 return text.replace(/%-crmescaped-/g, '%');
25 }
26 return text;
27 }
28
29 /**
30 * This function is called by default at the bottom of template files which have forms that have
31 * conditionally displayed/hidden sections and elements. The PHP is responsible for generating
32 * a list of 'blocks to show' and 'blocks to hide' and the template passes these parameters to
33 * this function.
34 *
35 * @deprecated
36 * @param showBlocks Array of element Id's to be displayed
37 * @param hideBlocks Array of element Id's to be hidden
38 * @param elementType Value to set display style to for showBlocks (e.g. 'block' or 'table-row' or ...)
39 */
40 function on_load_init_blocks(showBlocks, hideBlocks, elementType) {
41 if (elementType == null) {
42 var elementType = 'block';
43 }
44
45 /* This loop is used to display the blocks whose IDs are present within the showBlocks array */
46 for (var i = 0; i < showBlocks.length; i++) {
47 var myElement = document.getElementById(showBlocks[i]);
48 /* getElementById returns null if element id doesn't exist in the document */
49 if (myElement != null) {
50 myElement.style.display = elementType;
51 }
52 else {
53 alert('showBlocks array item not in .tpl = ' + showBlocks[i]);
54 }
55 }
56
57 /* This loop is used to hide the blocks whose IDs are present within the hideBlocks array */
58 for (var i = 0; i < hideBlocks.length; i++) {
59 var myElement = document.getElementById(hideBlocks[i]);
60 /* getElementById returns null if element id doesn't exist in the document */
61 if (myElement != null) {
62 myElement.style.display = 'none';
63 }
64 else {
65 alert('showBlocks array item not in .tpl = ' + hideBlocks[i]);
66 }
67 }
68 }
69
70 /**
71 * This function is called when we need to show or hide a related form element (target_element)
72 * based on the value (trigger_value) of another form field (trigger_field).
73 *
74 * @deprecated
75 * @param trigger_field_id HTML id of field whose onchange is the trigger
76 * @param trigger_value List of integers - option value(s) which trigger show-element action for target_field
77 * @param target_element_id HTML id of element to be shown or hidden
78 * @param target_element_type Type of element to be shown or hidden ('block' or 'table-row')
79 * @param field_type Type of element radio/select
80 * @param invert Boolean - if true, we HIDE target on value match; if false, we SHOW target on value match
81 */
82 function showHideByValue(trigger_field_id, trigger_value, target_element_id, target_element_type, field_type, invert) {
83 if (target_element_type == null) {
84 var target_element_type = 'block';
85 }
86 else {
87 if (target_element_type == 'table-row') {
88 var target_element_type = '';
89 }
90 }
91
92 if (field_type == 'select') {
93 var trigger = trigger_value.split("|");
94 var selectedOptionValue = cj('#' + trigger_field_id).val();
95
96 var target = target_element_id.split("|");
97 for (var j = 0; j < target.length; j++) {
98 if (invert) {
99 cj('#' + target[j]).show();
100 }
101 else {
102 cj('#' + target[j]).hide();
103 }
104 for (var i = 0; i < trigger.length; i++) {
105 if (selectedOptionValue == trigger[i]) {
106 if (invert) {
107 cj('#' + target[j]).hide();
108 }
109 else {
110 cj('#' + target[j]).show();
111 }
112 }
113 }
114 }
115
116 }
117 else {
118 if (field_type == 'radio') {
119 var target = target_element_id.split("|");
120 for (var j = 0; j < target.length; j++) {
121 if (cj('[name="' + trigger_field_id + '"]').is(':checked')) {
122 if (invert) {
123 cj('#' + target[j]).hide();
124 }
125 else {
126 cj('#' + target[j]).show();
127 }
128 }
129 else {
130 if (invert) {
131 cj('#' + target[j]).show();
132 }
133 else {
134 cj('#' + target[j]).hide();
135 }
136 }
137 }
138 }
139 }
140 }
141
142 /**
143 * Function to change button text and disable one it is clicked
144 * @deprecated
145 * @param obj object - the button clicked
146 * @param formID string - the id of the form being submitted
147 * @param string procText - button text after user clicks it
148 * @return bool
149 */
150 var submitcount = 0;
151 /* Changes button label on submit, and disables button after submit for newer browsers.
152 Puts up alert for older browsers. */
153 function submitOnce(obj, formId, procText) {
154 // if named button clicked, change text
155 if (obj.value != null) {
156 obj.value = procText + " ...";
157 }
158 if (document.getElementById) { // disable submit button for newer browsers
159 obj.disabled = true;
160 document.getElementById(formId).submit();
161 return true;
162 }
163 else { // for older browsers
164 if (submitcount == 0) {
165 submitcount++;
166 return true;
167 }
168 else {
169 alert("Your request is currently being processed ... Please wait.");
170 return false;
171 }
172 }
173 }
174
175 /**
176 * Function to show / hide the row in optionFields
177 * @deprecated
178 * @param index string, element whose innerHTML is to hide else will show the hidden row.
179 */
180 function showHideRow(index) {
181 if (index) {
182 cj('tr#optionField_' + index).hide();
183 if (cj('table#optionField tr:hidden:first').length) {
184 cj('div#optionFieldLink').show();
185 }
186 }
187 else {
188 cj('table#optionField tr:hidden:first').show();
189 if (!cj('table#optionField tr:hidden:last').length) {
190 cj('div#optionFieldLink').hide();
191 }
192 }
193 return false;
194 }
195
196 CRM.utils = CRM.utils || {};
197 CRM.strings = CRM.strings || {};
198 CRM.validate = CRM.validate || {
199 params: {},
200 functions: []
201 };
202
203 (function ($, _, undefined) {
204 "use strict";
205
206 // Theme classes for unattached elements
207 $.fn.select2.defaults.dropdownCssClass = $.ui.dialog.prototype.options.dialogClass = 'crm-container';
208
209 // https://github.com/ivaynberg/select2/pull/2090
210 $.fn.select2.defaults.width = 'resolve';
211
212 // Workaround for https://github.com/ivaynberg/select2/issues/1246
213 $.ui.dialog.prototype._allowInteraction = function(e) {
214 return !!$(e.target).closest('.ui-dialog, .ui-datepicker, .select2-drop').length;
215 };
216
217 /**
218 * Populate a select list, overwriting the existing options except for the placeholder.
219 * @param $el jquery collection - 1 or more select elements
220 * @param options array in format returned by api.getoptions
221 * @param removePlaceholder bool
222 */
223 CRM.utils.setOptions = function($el, options, removePlaceholder) {
224 $el.each(function() {
225 var
226 $elect = $(this),
227 val = $elect.val() || [],
228 opts = removePlaceholder ? '' : '[value!=""]';
229 if (typeof(val) !== 'array') {
230 val = [val];
231 }
232 $elect.find('option' + opts).remove();
233 _.each(options, function(option) {
234 var selected = ($.inArray(''+option.key, val) > -1) ? 'selected="selected"' : '';
235 $elect.append('<option value="' + option.key + '"' + selected + '>' + option.value + '</option>');
236 });
237 $elect.trigger('crmOptionsUpdated', $.extend({}, options)).trigger('change');
238 });
239 };
240
241 /**
242 * Wrapper for select2 initialization function; supplies defaults
243 * @param options object
244 */
245 $.fn.crmSelect2 = function(options) {
246 return $(this).each(function () {
247 var
248 $el = $(this),
249 defaults = {allowClear: !$el.hasClass('required')};
250 // quickform doesn't support optgroups so here's a hack :(
251 $('option[value^=crm_optgroup]', this).each(function () {
252 $(this).nextUntil('option[value^=crm_optgroup]').wrapAll('<optgroup label="' + $(this).text() + '" />');
253 $(this).remove();
254 });
255 // Defaults for single-selects
256 if ($el.is('select:not([multiple])')) {
257 defaults.minimumResultsForSearch = 10;
258 if ($('option:first', this).val() === '') {
259 defaults.placeholderOption = 'first';
260 }
261 }
262 $el.select2($.extend(defaults, $el.data('select-params') || {}, options || {}));
263 });
264 };
265
266 /**
267 * @see CRM_Core_Form::addEntityRef for docs
268 * @param options object
269 */
270 $.fn.crmEntityRef = function(options) {
271 options = options || {};
272 options.select = options.select || {};
273 return $(this).each(function() {
274 var
275 $el = $(this),
276 entity = options.entity || $el.data('api-entity') || 'contact',
277 selectParams = {};
278 $el.data('api-entity', entity);
279 $el.data('select-params', $.extend({}, $el.data('select-params') || {}, options.select));
280 $el.data('api-params', $.extend({}, $el.data('api-params') || {}, options.api));
281 $el.data('create-links', options.create || $el.data('create-links'));
282 $el.addClass('crm-ajax-select crm-' + entity + '-ref');
283 var settings = {
284 // Use select2 ajax helper instead of CRM.api because it provides more value
285 ajax: {
286 url: CRM.url('civicrm/ajax/rest'),
287 data: function (input, page_num) {
288 var params = $el.data('api-params') || {};
289 params.input = input;
290 params.page_num = page_num;
291 return {
292 entity: $el.data('api-entity'),
293 action: 'getlist',
294 json: JSON.stringify(params)
295 };
296 },
297 results: function(data) {
298 return {more: data.more_results, results: data.values || []};
299 }
300 },
301 minimumInputLength: 1,
302 formatResult: formatSelect2Result,
303 formatSelection: function(row) {
304 return row.label;
305 },
306 escapeMarkup: function (m) {return m;},
307 initSelection: function($el, callback) {
308 var
309 multiple = !!$el.data('select-params').multiple,
310 val = $el.val(),
311 stored = $el.data('entity-value') || [];
312 if (val === '') {
313 return;
314 }
315 // If we already have this data, just return it
316 if (!_.xor(val.split(','), _.pluck(stored, 'id')).length) {
317 callback(multiple ? stored : stored[0]);
318 } else {
319 var params = $.extend({}, $el.data('api-params') || {}, {id: val});
320 CRM.api3($el.data('api-entity'), 'getlist', params).done(function(result) {
321 callback(multiple ? result.values : result.values[0])
322 });
323 }
324 }
325 };
326 if ($el.data('create-links')) {
327 selectParams.formatInputTooShort = function() {
328 var txt = $el.data('select-params').formatInputTooShort || $.fn.select2.defaults.formatInputTooShort.call(this);
329 if ($el.data('create-links')) {
330 txt += ' ' + ts('or') + '<br />' + formatSelect2CreateLinks($el);
331 }
332 return txt;
333 };
334 selectParams.formatNoMatches = function() {
335 var txt = $el.data('select-params').formatNoMatches || $.fn.select2.defaults.formatNoMatches;
336 return txt + '<br />' + formatSelect2CreateLinks($el);
337 };
338 $el.off('.createLinks').on('select2-open.createLinks', function() {
339 var $el = $(this);
340 $('#select2-drop').off('.crmEntity').on('click.crmEntity', 'a.crm-add-entity', function(e) {
341 $el.select2('close');
342 CRM.loadForm($(this).attr('href'), {
343 dialog: {width: 500, height: 'auto'}
344 }).on('crmFormSuccess', function(e, data) {
345 if (data.status === 'success' && data.id) {
346 CRM.status(ts('%1 Created', {1: data.label}));
347 if ($el.select2('container').hasClass('select2-container-multi')) {
348 var selection = $el.select2('data');
349 selection.push(data);
350 $el.select2('data', selection, true);
351 } else {
352 $el.select2('data', data, true);
353 }
354 }
355 });
356 return false;
357 });
358 });
359 }
360 $el.crmSelect2($.extend(settings, $el.data('select-params'), selectParams));
361 });
362 };
363
364 function formatSelect2Result(row) {
365 var markup = '<div class="crm-select2-row">';
366 if (row.image !== undefined) {
367 markup += '<div class="crm-select2-image"><img src="' + row.image + '"/></div>';
368 }
369 else if (row.icon_class) {
370 markup += '<div class="crm-select2-icon"><div class="crm-icon ' + row.icon_class + '-icon"></div></div>';
371 }
372 markup += '<div><div class="crm-select2-row-label">' + row.label + '</div>';
373 markup += '<div class="crm-select2-row-description">';
374 $.each(row.description || [], function(k, text) {
375 markup += '<p>' + text + '</p>';
376 });
377 markup += '</div></div></div>';
378 return markup;
379 }
380
381 function formatSelect2CreateLinks($el) {
382 var
383 createLinks = $el.data('create-links'),
384 api = $el.data('api-params') || {},
385 type = api.params ? api.params.contact_type : null;
386 if (createLinks === true) {
387 createLinks = type ? _.where(CRM.profile.contactCreate, {type: type}) : CRM.profile.contactCreate;
388 }
389 var markup = '';
390 _.each(createLinks, function(link) {
391 markup += ' <a class="crm-add-entity crm-hover-button" href="' + link.url + '">';
392 if (link.type) {
393 markup += '<span class="icon ' + link.type + '-profile-icon"></span> ';
394 }
395 markup += link.label + '</a>';
396 });
397 return markup;
398 }
399
400 // Initialize widgets
401 $(document)
402 .on('crmLoad', function(e) {
403 $('table.row-highlight', e.target)
404 .off('.rowHighlight')
405 .on('change.rowHighlight', 'input.select-row, input.select-rows', function () {
406 var target, table = $(this).closest('table');
407 if ($(this).hasClass('select-rows')) {
408 target = $('tbody tr', table);
409 $('input.select-row', table).prop('checked', $(this).prop('checked'));
410 }
411 else {
412 target = $(this).closest('tr');
413 $('input.select-rows', table).prop('checked', $(".select-row:not(':checked')", table).length < 1);
414 }
415 target.toggleClass('crm-row-selected', $(this).is(':checked'));
416 })
417 .find('input.select-row:checked').parents('tr').addClass('crm-row-selected');
418 $('.crm-select2:not(.select2-offscreen, .select2-container)', e.target).crmSelect2();
419 $('.crm-form-entityref:not(.select2-offscreen, .select2-container)', e.target).crmEntityRef();
420 })
421 // Modal dialogs should disable scrollbars
422 .on('dialogopen', function(e) {
423 if ($(e.target).dialog('option', 'modal')) {
424 $(e.target).addClass('modal-dialog');
425 $('body').css({overflow: 'hidden'});
426 }
427 })
428 .on('dialogclose', function(e) {
429 if ($('.ui-dialog .modal-dialog').not(e.target).length < 1) {
430 $('body').css({overflow: ''});
431 }
432 });
433
434 /**
435 * Function to make multiselect boxes behave as fields in small screens
436 */
437 function advmultiselectResize() {
438 var amswidth = $("#crm-container form:has(table.advmultiselect)").width();
439 if (amswidth < 700) {
440 $("form table.advmultiselect td").css('display', 'block');
441 }
442 else {
443 $("form table.advmultiselect td").css('display', 'table-cell');
444 }
445 var contactwidth = $('#crm-container #mainTabContainer').width();
446 if (contactwidth < 600) {
447 $('#crm-container #mainTabContainer').addClass('narrowpage');
448 $('#crm-container #mainTabContainer.narrowpage #contactTopBar td').each(function (index) {
449 if (index > 1) {
450 if (index % 2 == 0) {
451 $(this).parent().after('<tr class="narrowadded"></tr>');
452 }
453 var item = $(this);
454 $(this).parent().next().append(item);
455 }
456 });
457 }
458 else {
459 $('#crm-container #mainTabContainer.narrowpage').removeClass('narrowpage');
460 $('#crm-container #mainTabContainer #contactTopBar tr.narrowadded td').each(function () {
461 var nitem = $(this);
462 var parent = $(this).parent();
463 $(this).parent().prev().append(nitem);
464 if (parent.children().size() == 0) {
465 parent.remove();
466 }
467 });
468 $('#crm-container #mainTabContainer.narrowpage #contactTopBar tr.added').detach();
469 }
470 var cformwidth = $('#crm-container #Contact .contact_basic_information-section').width();
471
472 if (cformwidth < 720) {
473 $('#crm-container .contact_basic_information-section').addClass('narrowform');
474 $('#crm-container .contact_basic_information-section table.form-layout-compressed td .helpicon').parent().addClass('hashelpicon');
475 if (cformwidth < 480) {
476 $('#crm-container .contact_basic_information-section').addClass('xnarrowform');
477 }
478 else {
479 $('#crm-container .contact_basic_information-section.xnarrowform').removeClass('xnarrowform');
480 }
481 }
482 else {
483 $('#crm-container .contact_basic_information-section.narrowform').removeClass('narrowform');
484 $('#crm-container .contact_basic_information-section.xnarrowform').removeClass('xnarrowform');
485 }
486 }
487
488 advmultiselectResize();
489 $(window).resize(function () {
490 advmultiselectResize();
491 });
492
493 $.fn.crmtooltip = function () {
494 $(document)
495 .on('mouseover', 'a.crm-summary-link:not(.crm-processed)', function (e) {
496 $(this).addClass('crm-processed');
497 $(this).addClass('crm-tooltip-active');
498 var topDistance = e.pageY - $(window).scrollTop();
499 if (topDistance < 300 | topDistance < $(this).children('.crm-tooltip-wrapper').height()) {
500 $(this).addClass('crm-tooltip-down');
501 }
502 if (!$(this).children('.crm-tooltip-wrapper').length) {
503 $(this).append('<div class="crm-tooltip-wrapper"><div class="crm-tooltip"></div></div>');
504 $(this).children().children('.crm-tooltip')
505 .html('<div class="crm-loading-element"></div>')
506 .load(this.href);
507 }
508 })
509 .on('mouseout', 'a.crm-summary-link', function () {
510 $(this).removeClass('crm-processed');
511 $(this).removeClass('crm-tooltip-active crm-tooltip-down');
512 })
513 .on('click', 'a.crm-summary-link', false);
514 };
515
516 var helpDisplay, helpPrevious;
517 CRM.help = function (title, params, url) {
518 if (helpDisplay && helpDisplay.close) {
519 // If the same link is clicked twice, just close the display - todo use underscore method for this comparison
520 if (helpDisplay.isOpen && helpPrevious === JSON.stringify(params)) {
521 helpDisplay.close();
522 return;
523 }
524 helpDisplay.close();
525 }
526 helpPrevious = JSON.stringify(params);
527 params.class_name = 'CRM_Core_Page_Inline_Help';
528 params.type = 'page';
529 helpDisplay = CRM.alert('...', title, 'crm-help crm-msg-loading', {expires: 0});
530 $.ajax(url || CRM.url('civicrm/ajax/inline'),
531 {
532 data: params,
533 dataType: 'html',
534 success: function (data) {
535 $('#crm-notification-container .crm-help .notify-content:last').html(data);
536 $('#crm-notification-container .crm-help').removeClass('crm-msg-loading').addClass('info');
537 },
538 error: function () {
539 $('#crm-notification-container .crm-help .notify-content:last').html('Unable to load help file.');
540 $('#crm-notification-container .crm-help').removeClass('crm-msg-loading').addClass('error');
541 }
542 }
543 );
544 };
545 /**
546 * @see https://wiki.civicrm.org/confluence/display/CRMDOC/Notification+Reference
547 */
548 CRM.status = function(options, deferred) {
549 // For simple usage without async operations you can pass in a string. 2nd param is optional string 'error' if this is not a success msg.
550 if (typeof options === 'string') {
551 return CRM.status({start: options, success: options, error: options})[deferred === 'error' ? 'reject' : 'resolve']();
552 }
553 var opts = $.extend({
554 start: ts('Saving...'),
555 success: ts('Saved'),
556 error: function() {
557 CRM.alert(ts('Sorry an error occurred and your information was not saved'), ts('Error'));
558 }
559 }, options || {});
560 var $msg = $('<div class="crm-status-box-outer status-start"><div class="crm-status-box-inner"><div class="crm-status-box-msg">' + opts.start + '</div></div></div>')
561 .appendTo('body');
562 $msg.css('min-width', $msg.width());
563 function handle(status, data) {
564 var endMsg = typeof(opts[status]) === 'function' ? opts[status](data) : opts[status];
565 if (endMsg) {
566 $msg.removeClass('status-start').addClass('status-' + status).find('.crm-status-box-msg').html(endMsg);
567 window.setTimeout(function() {
568 $msg.fadeOut('slow', function() {$msg.remove()});
569 }, 2000);
570 } else {
571 $msg.remove();
572 }
573 }
574 return (deferred || new $.Deferred())
575 .done(function(data) {
576 // If the server returns an error msg call the error handler
577 var status = $.isPlainObject(data) && (data.is_error || data.status === 'error') ? 'error' : 'success';
578 handle(status, data);
579 })
580 .fail(function(data) {
581 handle('error', data);
582 });
583 };
584
585 /**
586 * @see https://wiki.civicrm.org/confluence/display/CRMDOC/Notification+Reference
587 */
588 CRM.alert = function (text, title, type, options) {
589 type = type || 'alert';
590 title = title || '';
591 options = options || {};
592 if ($('#crm-notification-container').length) {
593 var params = {
594 text: text,
595 title: title,
596 type: type
597 };
598 // By default, don't expire errors and messages containing links
599 var extra = {
600 expires: (type == 'error' || text.indexOf('<a ') > -1) ? 0 : (text ? 10000 : 5000),
601 unique: true
602 };
603 options = $.extend(extra, options);
604 options.expires = options.expires === false ? 0 : parseInt(options.expires, 10);
605 if (options.unique && options.unique !== '0') {
606 $('#crm-notification-container .ui-notify-message').each(function () {
607 if (title === $('h1', this).html() && text === $('.notify-content', this).html()) {
608 $('.icon.ui-notify-close', this).click();
609 }
610 });
611 }
612 return $('#crm-notification-container').notify('create', params, options);
613 }
614 else {
615 if (title.length) {
616 text = title + "\n" + text;
617 }
618 alert(text);
619 return null;
620 }
621 };
622
623 /**
624 * Close whichever alert contains the given node
625 *
626 * @param node
627 */
628 CRM.closeAlertByChild = function (node) {
629 $(node).closest('.ui-notify-message').find('.icon.ui-notify-close').click();
630 };
631
632 /**
633 * @see https://wiki.civicrm.org/confluence/display/CRMDOC/Notification+Reference
634 */
635 CRM.confirm = function (options) {
636 var dialog, settings = {
637 title: ts('Confirm Action'),
638 message: ts('Are you sure you want to continue?'),
639 width: 'auto',
640 modal: true,
641 dialogClass: 'crm-container crm-confirm',
642 close: function () {
643 $(this).dialog('destroy').remove();
644 },
645 options: {
646 no: ts('Cancel'),
647 yes: ts('Continue')
648 }
649 };
650 $.extend(settings, ($.isFunction(options) ? arguments[1] : options) || {});
651 if (!settings.buttons && $.isPlainObject(settings.options)) {
652 settings.buttons = [];
653 $.each(settings.options, function(key, label) {
654 settings.buttons.push({
655 text: label,
656 click: function() {
657 var event = $.Event('crmConfirm:' + key);
658 $(this).trigger(event);
659 if (!event.isDefaultPrevented()) {
660 dialog.dialog('close');
661 }
662 }
663 });
664 });
665 }
666 dialog = $('<div class="crm-confirm-dialog"></div>').html(settings.message);
667 delete settings.options;
668 delete settings.message;
669 if ($.isFunction(options)) {
670 dialog.on('crmConfirm:yes', options);
671 }
672 return dialog.dialog(settings).trigger('crmLoad');
673 };
674
675 /**
676 * @see https://wiki.civicrm.org/confluence/display/CRMDOC/Notification+Reference
677 */
678 $.fn.crmError = function (text, title, options) {
679 title = title || '';
680 text = text || '';
681 options = options || {};
682
683 var extra = {
684 expires: 0
685 };
686 if ($(this).length) {
687 if (title == '') {
688 var label = $('label[for="' + $(this).attr('name') + '"], label[for="' + $(this).attr('id') + '"]').not('[generated=true]');
689 if (label.length) {
690 label.addClass('crm-error');
691 var $label = label.clone();
692 if (text == '' && $('.crm-marker', $label).length > 0) {
693 text = $('.crm-marker', $label).attr('title');
694 }
695 $('.crm-marker', $label).remove();
696 title = $label.text();
697 }
698 }
699 $(this).addClass('error');
700 }
701 var msg = CRM.alert(text, title, 'error', $.extend(extra, options));
702 if ($(this).length) {
703 var ele = $(this);
704 setTimeout(function () {
705 ele.one('change', function () {
706 msg && msg.close && msg.close();
707 ele.removeClass('error');
708 label.removeClass('crm-error');
709 });
710 }, 1000);
711 }
712 return msg;
713 };
714
715 // Display system alerts through js notifications
716 function messagesFromMarkup() {
717 $('div.messages:visible', this).not('.help').not('.no-popup').each(function () {
718 var text, title = '';
719 $(this).removeClass('status messages');
720 var type = $(this).attr('class').split(' ')[0] || 'alert';
721 type = type.replace('crm-', '');
722 $('.icon', this).remove();
723 if ($('.msg-text', this).length > 0) {
724 text = $('.msg-text', this).html();
725 title = $('.msg-title', this).html();
726 }
727 else {
728 text = $(this).html();
729 }
730 var options = $(this).data('options') || {};
731 $(this).remove();
732 // Duplicates were already removed server-side
733 options.unique = false;
734 CRM.alert(text, title, type, options);
735 });
736 // Handle qf form errors
737 $('form :input.error', this).one('blur', function() {
738 $('.ui-notify-message.error a.ui-notify-close').click();
739 $(this).removeClass('error');
740 $(this).next('span.crm-error').remove();
741 $('label[for="' + $(this).attr('name') + '"], label[for="' + $(this).attr('id') + '"]')
742 .removeClass('crm-error')
743 .find('.crm-error').removeClass('crm-error');
744 });
745 }
746
747 // Preprocess all cj ajax calls to display messages
748 $(document).ajaxSuccess(function(event, xhr, settings) {
749 try {
750 if ((!settings.dataType || settings.dataType == 'json') && xhr.responseText) {
751 var response = $.parseJSON(xhr.responseText);
752 if (typeof(response.crmMessages) == 'object') {
753 $.each(response.crmMessages, function(n, msg) {
754 CRM.alert(msg.text, msg.title, msg.type, msg.options);
755 })
756 }
757 }
758 }
759 // Suppress errors
760 catch (e) {}
761 });
762
763 /**
764 * Temporary stub to get around name conflict with legacy jQuery.autocomplete plugin
765 * FIXME: Remove this before 4.5 release
766 */
767 $.widget('civi.crmAutocomplete', $.ui.autocomplete, {});
768
769 $(function () {
770 // Trigger crmLoad on initial content for consistency. It will also be triggered for ajax-loaded content.
771 $('.crm-container').trigger('crmLoad');
772
773 if ($('#crm-notification-container').length) {
774 // Initialize notifications
775 $('#crm-notification-container').notify();
776 messagesFromMarkup.call($('#crm-container'));
777 }
778
779 $('body')
780 // bind the event for image popup
781 .on('click', 'a.crm-image-popup', function(e) {
782 CRM.confirm({
783 title: ts('Preview'),
784 message: '<div class="crm-custom-image-popup"><img src=' + $(this).attr('href') + '></div>',
785 options: null
786 });
787 e.preventDefault();
788 })
789
790 .on('click', function (event) {
791 $('.btn-slide-active').removeClass('btn-slide-active').find('.panel').hide();
792 if ($(event.target).is('.btn-slide')) {
793 $(event.target).addClass('btn-slide-active').find('.panel').show();
794 }
795 })
796
797 // Handle clear button for form elements
798 .on('click', 'a.crm-clear-link', function() {
799 $(this).css({visibility: 'hidden'}).siblings('.crm-form-radio:checked').prop('checked', false).change();
800 $(this).siblings('input:text').val('').change();
801 return false;
802 })
803 .on('change', 'input.crm-form-radio:checked', function() {
804 $(this).siblings('.crm-clear-link').css({visibility: ''});
805 });
806
807 $().crmtooltip();
808 });
809
810 $.fn.crmAccordions = function (speed) {
811 var container = $(this).length > 0 ? $(this) : $('.crm-container');
812 speed = speed === undefined ? 200 : speed;
813 container
814 .off('click.crmAccordions')
815 // Allow normal clicking of links
816 .on('click.crmAccordions', 'div.crm-accordion-header a', function (e) {
817 e.stopPropagation && e.stopPropagation();
818 })
819 .on('click.crmAccordions', '.crm-accordion-header, .crm-collapsible .collapsible-title', function () {
820 if ($(this).parent().hasClass('collapsed')) {
821 $(this).next().css('display', 'none').slideDown(speed);
822 }
823 else {
824 $(this).next().css('display', 'block').slideUp(speed);
825 }
826 $(this).parent().toggleClass('collapsed');
827 return false;
828 });
829 };
830 $.fn.crmAccordionToggle = function (speed) {
831 $(this).each(function () {
832 if ($(this).hasClass('collapsed')) {
833 $('.crm-accordion-body', this).first().css('display', 'none').slideDown(speed);
834 }
835 else {
836 $('.crm-accordion-body', this).first().css('display', 'block').slideUp(speed);
837 }
838 $(this).toggleClass('collapsed');
839 });
840 };
841
842 /**
843 * Clientside currency formatting
844 * @param value
845 * @param format - currency representation of the number 1234.56
846 * @return string
847 * @see CRM_Core_Resources::addCoreResources
848 */
849 var currencyTemplate;
850 CRM.formatMoney = function(value, format) {
851 var decimal, separator, sign, i, j, result;
852 if (value === 'init' && format) {
853 currencyTemplate = format;
854 return;
855 }
856 format = format || currencyTemplate;
857 result = /1(.?)234(.?)56/.exec(format);
858 if (result === null) {
859 return 'Invalid format passed to CRM.formatMoney';
860 }
861 separator = result[1];
862 decimal = result[2];
863 sign = (value < 0) ? '-' : '';
864 //extracting the absolute value of the integer part of the number and converting to string
865 i = parseInt(value = Math.abs(value).toFixed(2)) + '';
866 j = ((j = i.length) > 3) ? j % 3 : 0;
867 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) : '');
868 return format.replace(/1.*234.*56/, result);
869 };
870 })(jQuery, _);