Merge pull request #9815 from WeMoveEU/CRM-19962
[civicrm-core.git] / js / Common.js
1 // https://civicrm.org/licensing
2 /* global CRM:true */
3 var CRM = CRM || {};
4 var cj = CRM.$ = jQuery;
5 CRM._ = _;
6
7 /**
8 * Short-named function for string translation, defined in global scope so it's available everywhere.
9 *
10 * @param text string for translating
11 * @param params object key:value of additional parameters
12 *
13 * @return string
14 */
15 function ts(text, params) {
16 "use strict";
17 var d = (params && params.domain) ? ('strings::' + params.domain) : null;
18 if (d && CRM[d] && CRM[d][text]) {
19 text = CRM[d][text];
20 }
21 else if (CRM.strings[text]) {
22 text = CRM.strings[text];
23 }
24 if (typeof(params) === 'object') {
25 for (var i in params) {
26 if (typeof(params[i]) === 'string' || typeof(params[i]) === 'number') {
27 // sprintf emulation: escape % characters in the replacements to avoid conflicts
28 text = text.replace(new RegExp('%' + i, 'g'), String(params[i]).replace(/%/g, '%-crmescaped-'));
29 }
30 }
31 return text.replace(/%-crmescaped-/g, '%');
32 }
33 return text;
34 }
35
36 // Legacy code - ignore warnings
37 /* jshint ignore:start */
38
39 /**
40 * This function is called by default at the bottom of template files which have forms that have
41 * conditionally displayed/hidden sections and elements. The PHP is responsible for generating
42 * a list of 'blocks to show' and 'blocks to hide' and the template passes these parameters to
43 * this function.
44 *
45 * @deprecated
46 * @param showBlocks Array of element Id's to be displayed
47 * @param hideBlocks Array of element Id's to be hidden
48 * @param elementType Value to set display style to for showBlocks (e.g. 'block' or 'table-row' or ...)
49 */
50 function on_load_init_blocks(showBlocks, hideBlocks, elementType) {
51 if (elementType == null) {
52 elementType = 'block';
53 }
54
55 var myElement, i;
56
57 /* This loop is used to display the blocks whose IDs are present within the showBlocks array */
58 for (i = 0; i < showBlocks.length; i++) {
59 myElement = document.getElementById(showBlocks[i]);
60 /* getElementById returns null if element id doesn't exist in the document */
61 if (myElement != null) {
62 myElement.style.display = elementType;
63 }
64 else {
65 alert('showBlocks array item not in .tpl = ' + showBlocks[i]);
66 }
67 }
68
69 /* This loop is used to hide the blocks whose IDs are present within the hideBlocks array */
70 for (i = 0; i < hideBlocks.length; i++) {
71 myElement = document.getElementById(hideBlocks[i]);
72 /* getElementById returns null if element id doesn't exist in the document */
73 if (myElement != null) {
74 myElement.style.display = 'none';
75 }
76 else {
77 alert('showBlocks array item not in .tpl = ' + hideBlocks[i]);
78 }
79 }
80 }
81
82 /**
83 * This function is called when we need to show or hide a related form element (target_element)
84 * based on the value (trigger_value) of another form field (trigger_field).
85 *
86 * @deprecated
87 * @param trigger_field_id HTML id of field whose onchange is the trigger
88 * @param trigger_value List of integers - option value(s) which trigger show-element action for target_field
89 * @param target_element_id HTML id of element to be shown or hidden
90 * @param target_element_type Type of element to be shown or hidden ('block' or 'table-row')
91 * @param field_type Type of element radio/select
92 * @param invert Boolean - if true, we HIDE target on value match; if false, we SHOW target on value match
93 */
94 function showHideByValue(trigger_field_id, trigger_value, target_element_id, target_element_type, field_type, invert) {
95 var target, j;
96
97 if (field_type == 'select') {
98 var trigger = trigger_value.split("|");
99 var selectedOptionValue = cj('#' + trigger_field_id).val();
100
101 target = target_element_id.split("|");
102 for (j = 0; j < target.length; j++) {
103 if (invert) {
104 cj('#' + target[j]).show();
105 }
106 else {
107 cj('#' + target[j]).hide();
108 }
109 for (var i = 0; i < trigger.length; i++) {
110 if (selectedOptionValue == trigger[i]) {
111 if (invert) {
112 cj('#' + target[j]).hide();
113 }
114 else {
115 cj('#' + target[j]).show();
116 }
117 }
118 }
119 }
120
121 }
122 else {
123 if (field_type == 'radio') {
124 target = target_element_id.split("|");
125 for (j = 0; j < target.length; j++) {
126 if (cj('[name="' + trigger_field_id + '"]:first').is(':checked')) {
127 if (invert) {
128 cj('#' + target[j]).hide();
129 }
130 else {
131 cj('#' + target[j]).show();
132 }
133 }
134 else {
135 if (invert) {
136 cj('#' + target[j]).show();
137 }
138 else {
139 cj('#' + target[j]).hide();
140 }
141 }
142 }
143 }
144 }
145 }
146
147 /**
148 * Function to change button text and disable one it is clicked
149 * @deprecated
150 * @param obj object - the button clicked
151 * @param formID string - the id of the form being submitted
152 * @param string procText - button text after user clicks it
153 * @return bool
154 */
155 var submitcount = 0;
156 /* Changes button label on submit, and disables button after submit for newer browsers.
157 Puts up alert for older browsers. */
158 function submitOnce(obj, formId, procText) {
159 // if named button clicked, change text
160 if (obj.value != null) {
161 cj('input[name=' + obj.name + ']').val(procText + " ...");
162 }
163 cj(obj).closest('form').attr('data-warn-changes', 'false');
164 if (document.getElementById) { // disable submit button for newer browsers
165 cj('input[name=' + obj.name + ']').attr("disabled", true);
166 document.getElementById(formId).submit();
167 return true;
168 }
169 else { // for older browsers
170 if (submitcount == 0) {
171 submitcount++;
172 return true;
173 }
174 else {
175 alert("Your request is currently being processed ... Please wait.");
176 return false;
177 }
178 }
179 }
180
181 /**
182 * Function to show / hide the row in optionFields
183 * @deprecated
184 * @param index string, element whose innerHTML is to hide else will show the hidden row.
185 */
186 function showHideRow(index) {
187 if (index) {
188 cj('tr#optionField_' + index).hide();
189 if (cj('table#optionField tr:hidden:first').length) {
190 cj('div#optionFieldLink').show();
191 }
192 }
193 else {
194 cj('table#optionField tr:hidden:first').show();
195 if (!cj('table#optionField tr:hidden:last').length) {
196 cj('div#optionFieldLink').hide();
197 }
198 }
199 return false;
200 }
201
202 /* jshint ignore:end */
203
204 if (!CRM.utils) CRM.utils = {};
205 if (!CRM.strings) CRM.strings = {};
206 if (!CRM.vars) CRM.vars = {};
207
208 (function ($, _, undefined) {
209 "use strict";
210 /* jshint validthis: true */
211
212 // Theme classes for unattached elements
213 $.fn.select2.defaults.dropdownCssClass = $.ui.dialog.prototype.options.dialogClass = 'crm-container';
214
215 // https://github.com/ivaynberg/select2/pull/2090
216 $.fn.select2.defaults.width = 'resolve';
217
218 // Workaround for https://github.com/ivaynberg/select2/issues/1246
219 $.ui.dialog.prototype._allowInteraction = function(e) {
220 return !!$(e.target).closest('.ui-dialog, .ui-datepicker, .select2-drop, .cke_dialog, #civicrm-menu').length;
221 };
222
223 // Implements jQuery hook.prop
224 $.propHooks.disabled = {
225 set: function (el, value, name) {
226 // Sync button enabled status with wrapper css
227 if ($(el).is('span.crm-button > input.crm-form-submit')) {
228 $(el).parent().toggleClass('crm-button-disabled', !!value);
229 }
230 // Sync button enabled status with dialog button
231 if ($(el).is('.ui-dialog input.crm-form-submit')) {
232 $(el).closest('.ui-dialog').find('.ui-dialog-buttonset button[data-identifier='+ $(el).attr('name') +']').prop('disabled', value);
233 }
234 if ($(el).is('.crm-form-date-wrapper .crm-hidden-date')) {
235 $(el).siblings().prop('disabled', value);
236 }
237 }
238 };
239
240 var scriptsLoaded = {};
241 CRM.loadScript = function(url) {
242 if (!scriptsLoaded[url]) {
243 var script = document.createElement('script');
244 scriptsLoaded[url] = $.Deferred();
245 script.onload = function () {
246 if (window.jQuery === CRM.$ && CRM.CMSjQuery) {
247 window.jQuery = CRM.CMSjQuery;
248 }
249 scriptsLoaded[url].resolve();
250 };
251 // Make jQuery global available while script is loading
252 if (window.jQuery !== CRM.$) {
253 CRM.CMSjQuery = window.jQuery;
254 window.jQuery = CRM.$;
255 }
256 script.src = url;
257 document.getElementsByTagName("head")[0].appendChild(script);
258 }
259 return scriptsLoaded[url];
260 };
261
262 /**
263 * Populate a select list, overwriting the existing options except for the placeholder.
264 * @param select jquery selector - 1 or more select elements
265 * @param options array in format returned by api.getoptions
266 * @param placeholder string|bool - new placeholder or false (default) to keep the old one
267 * @param value string|array - will silently update the element with new value without triggering change
268 */
269 CRM.utils.setOptions = function(select, options, placeholder, value) {
270 $(select).each(function() {
271 var
272 $elect = $(this),
273 val = value || $elect.val() || [],
274 opts = placeholder || placeholder === '' ? '' : '[value!=""]';
275 $elect.find('option' + opts).remove();
276 var newOptions = CRM.utils.renderOptions(options, val);
277 if (typeof placeholder === 'string') {
278 if ($elect.is('[multiple]')) {
279 select.attr('placeholder', placeholder);
280 } else {
281 newOptions = '<option value="">' + placeholder + '</option>' + newOptions;
282 }
283 }
284 $elect.append(newOptions);
285 if (!value) {
286 $elect.trigger('crmOptionsUpdated', $.extend({}, options)).trigger('change');
287 }
288 });
289 };
290
291 /**
292 * Render an option list
293 * @param options {array}
294 * @param val {string} default value
295 * @param escapeHtml {bool}
296 * @return string
297 */
298 CRM.utils.renderOptions = function(options, val, escapeHtml) {
299 var rendered = '',
300 esc = escapeHtml === false ? _.identity : _.escape;
301 if (!$.isArray(val)) {
302 val = [val];
303 }
304 _.each(options, function(option) {
305 if (option.children) {
306 rendered += '<optgroup label="' + esc(option.value) + '">' +
307 CRM.utils.renderOptions(option.children, val) +
308 '</optgroup>';
309 } else {
310 var selected = ($.inArray('' + option.key, val) > -1) ? 'selected="selected"' : '';
311 rendered += '<option value="' + esc(option.key) + '"' + selected + '>' + esc(option.value) + '</option>';
312 }
313 });
314 return rendered;
315 };
316
317 function chainSelect() {
318 var $form = $(this).closest('form'),
319 $target = $('select[data-name="' + $(this).data('target') + '"]', $form),
320 data = $target.data(),
321 val = $(this).val();
322 $target.prop('disabled', true);
323 if ($target.is('select.crm-chain-select-control')) {
324 $('select[data-name="' + $target.data('target') + '"]', $form).prop('disabled', true).blur();
325 }
326 if (!(val && val.length)) {
327 CRM.utils.setOptions($target.blur(), [], data.emptyPrompt);
328 } else {
329 $target.addClass('loading');
330 $.getJSON(CRM.url(data.callback), {_value: val}, function(vals) {
331 $target.prop('disabled', false).removeClass('loading');
332 CRM.utils.setOptions($target, vals || [], (vals && vals.length ? data.selectPrompt : data.nonePrompt));
333 });
334 }
335 }
336
337 /**
338 * Compare Form Input values against cached initial value.
339 *
340 * @return {Boolean} true if changes have been made.
341 */
342 CRM.utils.initialValueChanged = function(el) {
343 var isDirty = false;
344 $(':input:visible, .select2-container:visible+:input:hidden', el).not('[type=submit], [type=button], .crm-action-menu, :disabled').each(function () {
345 var
346 initialValue = $(this).data('crm-initial-value'),
347 currentValue = $(this).is(':checkbox, :radio') ? $(this).prop('checked') : $(this).val();
348 // skip change of value for submit buttons
349 if (initialValue !== undefined && !_.isEqual(initialValue, currentValue)) {
350 isDirty = true;
351 }
352 });
353 return isDirty;
354 };
355
356 /**
357 * This provides defaults for ui.dialog which either need to be calculated or are different from global defaults
358 *
359 * @param settings
360 * @returns {*}
361 */
362 CRM.utils.adjustDialogDefaults = function(settings) {
363 settings = $.extend({width: '65%', height: '65%', modal: true}, settings || {});
364 // Support relative height
365 if (typeof settings.height === 'string' && settings.height.indexOf('%') > 0) {
366 settings.height = parseInt($(window).height() * (parseFloat(settings.height)/100), 10);
367 }
368 // Responsive adjustment - increase percent width on small screens
369 if (typeof settings.width === 'string' && settings.width.indexOf('%') > 0) {
370 var screenWidth = $(window).width(),
371 percentage = parseInt(settings.width.replace('%', ''), 10),
372 gap = 100-percentage;
373 if (screenWidth < 701) {
374 settings.width = '100%';
375 }
376 else if (screenWidth < 1400) {
377 settings.width = '' + parseInt(percentage+gap-((screenWidth - 700)/7*(gap)/100), 10) + '%';
378 }
379 }
380 return settings;
381 };
382
383 function formatCrmSelect2(row) {
384 var icon = row.icon || $(row.element).data('icon'),
385 color = row.color || $(row.element).data('color'),
386 description = row.description || $(row.element).data('description'),
387 ret = '';
388 if (icon) {
389 ret += '<i class="crm-i ' + icon + '"></i> ';
390 }
391 if (color) {
392 ret += '<span class="crm-select-item-color" style="background-color: ' + color + '"></span> ';
393 }
394 return ret + _.escape(row.text) + (description ? '<div class="crm-select2-row-description"><p>' + _.escape(description) + '</p></div>' : '');
395 }
396
397 /**
398 * Wrapper for select2 initialization function; supplies defaults
399 * @param options object
400 */
401 $.fn.crmSelect2 = function(options) {
402 if (options === 'destroy') {
403 return $(this).each(function() {
404 $(this)
405 .removeClass('crm-ajax-select')
406 .select2('destroy');
407 });
408 }
409 return $(this).each(function () {
410 var
411 $el = $(this),
412 iconClass,
413 settings = {
414 allowClear: !$el.hasClass('required'),
415 formatResult: formatCrmSelect2,
416 formatSelection: formatCrmSelect2
417 };
418 // quickform doesn't support optgroups so here's a hack :(
419 $('option[value^=crm_optgroup]', this).each(function () {
420 $(this).nextUntil('option[value^=crm_optgroup]').wrapAll('<optgroup label="' + $(this).text() + '" />');
421 $(this).remove();
422 });
423
424 // quickform does not support disabled option, so yet another hack to
425 // add disabled property for option values
426 $('option[value^=crm_disabled_opt]', this).attr('disabled', 'disabled');
427
428 // Placeholder icon - total hack hikacking the escapeMarkup function but select2 3.5 dosn't have any other callbacks for this :(
429 if ($el.is('[class*=fa-]')) {
430 settings.escapeMarkup = function (m) {
431 var out = _.escape(m),
432 placeholder = settings.placeholder || $el.data('placeholder') || $el.attr('placeholder') || $('option[value=""]', $el).text();
433 if (m.length && placeholder === m) {
434 iconClass = $el.attr('class').match(/(fa-\S*)/)[1];
435 out = '<i class="crm-i ' + iconClass + '"></i> ' + out;
436 }
437 return out;
438 };
439 }
440
441 // Defaults for single-selects
442 if ($el.is('select:not([multiple])')) {
443 settings.minimumResultsForSearch = 10;
444 if ($('option:first', this).val() === '') {
445 settings.placeholderOption = 'first';
446 }
447 }
448 $.extend(settings, $el.data('select-params') || {}, options || {});
449 if (settings.ajax) {
450 $el.addClass('crm-ajax-select');
451 }
452 $el.select2(settings);
453 });
454 };
455
456 /**
457 * @see CRM_Core_Form::addEntityRef for docs
458 * @param options object
459 */
460 $.fn.crmEntityRef = function(options) {
461 if (options === 'destroy') {
462 return $(this).each(function() {
463 var entity = $(this).data('api-entity') || '';
464 $(this)
465 .off('.crmEntity')
466 .removeClass('crm-form-entityref crm-' + entity.toLowerCase() + '-ref')
467 .crmSelect2('destroy');
468 });
469 }
470 options = options || {};
471 options.select = options.select || {};
472 return $(this).each(function() {
473 var
474 $el = $(this).off('.crmEntity'),
475 entity = options.entity || $el.data('api-entity') || 'contact',
476 selectParams = {};
477 $el.data('api-entity', entity);
478 $el.data('select-params', $.extend({}, $el.data('select-params') || {}, options.select));
479 $el.data('api-params', $.extend(true, {}, $el.data('api-params') || {}, options.api));
480 $el.data('create-links', options.create || $el.data('create-links'));
481 $el.addClass('crm-form-entityref crm-' + entity.toLowerCase() + '-ref');
482 var settings = {
483 // Use select2 ajax helper instead of CRM.api3 because it provides more value
484 ajax: {
485 url: CRM.url('civicrm/ajax/rest'),
486 quietMillis: 300,
487 data: function (input, page_num) {
488 var params = getEntityRefApiParams($el);
489 params.input = input;
490 params.page_num = page_num;
491 return {
492 entity: $el.data('api-entity'),
493 action: 'getlist',
494 json: JSON.stringify(params)
495 };
496 },
497 results: function(data) {
498 return {more: data.more_results, results: data.values || []};
499 }
500 },
501 minimumInputLength: 1,
502 formatResult: CRM.utils.formatSelect2Result,
503 formatSelection: formatEntityRefSelection,
504 escapeMarkup: _.identity,
505 initSelection: function($el, callback) {
506 var
507 multiple = !!$el.data('select-params').multiple,
508 val = $el.val(),
509 stored = $el.data('entity-value') || [];
510 if (val === '') {
511 return;
512 }
513 // If we already have this data, just return it
514 if (!_.xor(val.split(','), _.pluck(stored, 'id')).length) {
515 callback(multiple ? stored : stored[0]);
516 } else {
517 var params = $.extend({}, $el.data('api-params') || {}, {id: val});
518 CRM.api3($el.data('api-entity'), 'getlist', params).done(function(result) {
519 callback(multiple ? result.values : result.values[0]);
520 // Trigger change (store data to avoid an infinite loop of lookups)
521 $el.data('entity-value', result.values).trigger('change');
522 });
523 }
524 }
525 };
526 // Create new items inline - works for tags
527 if ($el.data('create-links') && entity.toLowerCase() === 'tag') {
528 selectParams.createSearchChoice = function(term, data) {
529 if (!_.findKey(data, {label: term})) {
530 return {id: "0", term: term, label: term + ' (' + ts('new tag') + ')'};
531 }
532 };
533 selectParams.tokenSeparators = [','];
534 selectParams.createSearchChoicePosition = 'bottom';
535 $el.on('select2-selecting.crmEntity', function(e) {
536 if (e.val === "0") {
537 // Create a new term
538 e.object.label = e.object.term;
539 CRM.api3(entity, 'create', $.extend({name: e.object.term}, $el.data('api-params').params || {}))
540 .done(function(created) {
541 var
542 val = $el.select2('val'),
543 data = $el.select2('data'),
544 item = {id: created.id, label: e.object.term};
545 if (val === "0") {
546 $el.select2('data', item, true);
547 }
548 else if ($.isArray(val) && $.inArray("0", val) > -1) {
549 _.remove(data, {id: "0"});
550 data.push(item);
551 $el.select2('data', data, true);
552 }
553 });
554 }
555 });
556 }
557 else {
558 selectParams.formatInputTooShort = function() {
559 var txt = $el.data('select-params').formatInputTooShort || $.fn.select2.defaults.formatInputTooShort.call(this);
560 txt += entityRefFiltersMarkup($el) + renderEntityRefCreateLinks($el);
561 return txt;
562 };
563 selectParams.formatNoMatches = function() {
564 var txt = $el.data('select-params').formatNoMatches || $.fn.select2.defaults.formatNoMatches;
565 txt += entityRefFiltersMarkup($el) + renderEntityRefCreateLinks($el);
566 return txt;
567 };
568 $el.on('select2-open.crmEntity', function() {
569 var $el = $(this);
570 renderEntityRefFilterValue($el);
571 $('#select2-drop')
572 .off('.crmEntity')
573 .on('click.crmEntity', 'a.crm-add-entity', function(e) {
574 var extra = $el.data('api-params').extra,
575 formUrl = $(this).attr('href') + '&returnExtra=display_name,sort_name' + (extra ? (',' + extra) : '');
576 $el.select2('close');
577 CRM.loadForm(formUrl, {
578 dialog: {width: 500, height: 220}
579 }).on('crmFormSuccess', function(e, data) {
580 if (data.status === 'success' && data.id) {
581 data.label = data.extra.sort_name;
582 CRM.status(ts('%1 Created', {1: data.extra.display_name}));
583 if ($el.select2('container').hasClass('select2-container-multi')) {
584 var selection = $el.select2('data');
585 selection.push(data);
586 $el.select2('data', selection, true);
587 } else {
588 $el.select2('data', data, true);
589 }
590 }
591 });
592 return false;
593 })
594 .on('change.crmEntity', '.crm-entityref-filter-value', function() {
595 var filter = $el.data('user-filter') || {};
596 filter.value = $(this).val();
597 $(this).toggleClass('active', !!filter.value);
598 $el.data('user-filter', filter);
599 if (filter.value) {
600 // Once a filter has been chosen, rerender create links and refocus the search box
601 $el.select2('close');
602 $el.select2('open');
603 } else {
604 $('.crm-entityref-links', '#select2-drop').replaceWith(renderEntityRefCreateLinks($el));
605 }
606 })
607 .on('change.crmEntity', 'select.crm-entityref-filter-key', function() {
608 var filter = {key: $(this).val()};
609 $(this).toggleClass('active', !!filter.key);
610 $el.data('user-filter', filter);
611 renderEntityRefFilterValue($el);
612 $('.crm-entityref-filter-key', '#select2-drop').focus();
613 });
614 });
615 }
616 $el.crmSelect2($.extend(settings, $el.data('select-params'), selectParams));
617 });
618 };
619
620 /**
621 * Combine api-params with user-filter
622 * @param $el
623 * @returns {*}
624 */
625 function getEntityRefApiParams($el) {
626 var
627 params = $.extend({params: {}}, $el.data('api-params') || {}),
628 // Prevent original data from being modified - $.extend and _.clone don't cut it, they pass nested objects by reference!
629 combined = _.cloneDeep(params),
630 filter = $.extend({}, $el.data('user-filter') || {});
631 if (filter.key && filter.value) {
632 // Fieldname may be prefixed with joins
633 var fieldName = _.last(filter.key.split('.'));
634 // Special case for contact type/sub-type combo
635 if (fieldName === 'contact_type' && (filter.value.indexOf('__') > 0)) {
636 combined.params[filter.key] = filter.value.split('__')[0];
637 combined.params[filter.key.replace('contact_type', 'contact_sub_type')] = filter.value.split('__')[1];
638 } else {
639 // Allow json-encoded api filters e.g. {"BETWEEN":[123,456]}
640 combined.params[filter.key] = filter.value.charAt(0) === '{' ? $.parseJSON(filter.value) : filter.value;
641 }
642 }
643 return combined;
644 }
645
646 function copyAttributes($source, $target, attributes) {
647 _.each(attributes, function(name) {
648 if ($source.attr(name) !== undefined) {
649 $target.attr(name, $source.attr(name));
650 }
651 });
652 }
653
654 /**
655 * @see http://wiki.civicrm.org/confluence/display/CRMDOC/crmDatepicker
656 */
657 $.fn.crmDatepicker = function(options) {
658 return $(this).each(function() {
659 if ($(this).is('.crm-form-date-wrapper .crm-hidden-date')) {
660 // Already initialized - destroy
661 $(this)
662 .off('.crmDatepicker')
663 .css('display', '')
664 .removeClass('crm-hidden-date')
665 .siblings().remove();
666 $(this).unwrap();
667 }
668 if (options === 'destroy') {
669 return;
670 }
671 var
672 $dataField = $(this).wrap('<span class="crm-form-date-wrapper" />'),
673 settings = _.cloneDeep(options || {}),
674 $dateField = $(),
675 $timeField = $(),
676 $clearLink = $(),
677 hasDatepicker = settings.date !== false && settings.date !== 'yy',
678 type = hasDatepicker ? 'text' : 'number';
679
680 if (settings.allowClear !== undefined ? settings.allowClear : !$dataField.is('.required, [required]')) {
681 $clearLink = $('<a class="crm-hover-button crm-clear-link" title="'+ _.escape(ts('Clear')) +'"><i class="crm-i fa-times"></i></a>')
682 .insertAfter($dataField);
683 }
684 if (settings.time !== false) {
685 $timeField = $('<input>').insertAfter($dataField);
686 copyAttributes($dataField, $timeField, ['class', 'disabled']);
687 $timeField
688 .addClass('crm-form-text crm-form-time')
689 .attr('placeholder', $dataField.attr('time-placeholder') === undefined ? ts('Time') : $dataField.attr('time-placeholder'))
690 .change(updateDataField)
691 .timeEntry({
692 spinnerImage: '',
693 show24Hours: settings.time === true || settings.time === undefined ? CRM.config.timeIs24Hr : settings.time == '24'
694 });
695 }
696 if (settings.date !== false) {
697 // Render "number" field for year-only format, calendar popup for all other formats
698 $dateField = $('<input type="' + type + '">').insertAfter($dataField);
699 copyAttributes($dataField, $dateField, ['placeholder', 'style', 'class', 'disabled']);
700 $dateField.addClass('crm-form-' + type);
701 if (hasDatepicker) {
702 settings.minDate = settings.minDate ? CRM.utils.makeDate(settings.minDate) : null;
703 settings.maxDate = settings.maxDate ? CRM.utils.makeDate(settings.maxDate) : null;
704 settings.dateFormat = typeof settings.date === 'string' ? settings.date : CRM.config.dateInputFormat;
705 settings.changeMonth = _.includes(settings.dateFormat, 'm');
706 settings.changeYear = _.includes(settings.dateFormat, 'y');
707 if (!settings.yearRange && settings.minDate !== null && settings.maxDate !== null) {
708 settings.yearRange = '' + CRM.utils.formatDate(settings.minDate, 'yy') + ':' + CRM.utils.formatDate(settings.maxDate, 'yy');
709 }
710 $dateField.addClass('crm-form-date').datepicker(settings);
711 } else {
712 $dateField.attr('min', settings.minDate ? CRM.utils.formatDate(settings.minDate, 'yy') : '1000');
713 $dateField.attr('max', settings.maxDate ? CRM.utils.formatDate(settings.maxDate, 'yy') : '4000');
714 }
715 $dateField.change(updateDataField);
716 }
717 // Rudimentary validation. TODO: Roll into use of jQUery validate and ui.datepicker.validation
718 function isValidDate() {
719 // FIXME: parseDate doesn't work with incomplete date formats; skip validation if no month, day or year in format
720 var lowerFormat = settings.dateFormat.toLowerCase();
721 if (lowerFormat.indexOf('y') < 0 || lowerFormat.indexOf('m') < 0 || lowerFormat.indexOf('d') < 0) {
722 return true;
723 }
724 try {
725 $.datepicker.parseDate(settings.dateFormat, $dateField.val());
726 return true;
727 } catch (e) {
728 return false;
729 }
730 }
731 function updateInputFields(e, context) {
732 var val = $dataField.val(),
733 time = null;
734 if (context !== 'userInput' && context !== 'crmClear') {
735 if (hasDatepicker) {
736 $dateField.datepicker('setDate', _.includes(val, '-') ? $.datepicker.parseDate('yy-mm-dd', val) : null);
737 } else if ($dateField.length) {
738 $dateField.val(val.slice(0, 4));
739 }
740 if ($timeField.length) {
741 if (val.length === 8) {
742 time = val;
743 } else if (val.length === 19) {
744 time = val.split(' ')[1];
745 }
746 $timeField.timeEntry('setTime', time);
747 }
748 }
749 $clearLink.css('visibility', val ? 'visible' : 'hidden');
750 }
751 function updateDataField(e, context) {
752 // The crmClear event wipes all the field values anyway, so no need to respond
753 if (context !== 'crmClear') {
754 var val = '';
755 if ($dateField.val()) {
756 if (hasDatepicker && isValidDate()) {
757 val = $.datepicker.formatDate('yy-mm-dd', $dateField.datepicker('getDate'));
758 $dateField.removeClass('crm-error');
759 } else if (!hasDatepicker) {
760 val = $dateField.val() + '-01-01';
761 } else {
762 $dateField.addClass('crm-error');
763 }
764 }
765 if ($timeField.val()) {
766 val += (val ? ' ' : '') + $timeField.timeEntry('getTime').toTimeString().substr(0, 8);
767 }
768 $dataField.val(val).trigger('change', ['userInput']);
769 }
770 }
771 $dataField.hide().addClass('crm-hidden-date').on('change.crmDatepicker', updateInputFields);
772 updateInputFields();
773 });
774 };
775
776 CRM.utils.formatSelect2Result = function (row) {
777 var markup = '<div class="crm-select2-row">';
778 if (row.image !== undefined) {
779 markup += '<div class="crm-select2-image"><img src="' + row.image + '"/></div>';
780 }
781 else if (row.icon_class) {
782 markup += '<div class="crm-select2-icon"><div class="crm-icon ' + row.icon_class + '-icon"></div></div>';
783 }
784 markup += '<div><div class="crm-select2-row-label '+(row.label_class || '')+'">' +
785 (row.color ? '<span class="crm-select-item-color" style="background-color: ' + row.color + '"></span> ' : '') +
786 _.escape((row.prefix !== undefined ? row.prefix + ' ' : '') + row.label + (row.suffix !== undefined ? ' ' + row.suffix : '')) +
787 '</div>' +
788 '<div class="crm-select2-row-description">';
789 $.each(row.description || [], function(k, text) {
790 markup += '<p>' + _.escape(text) + '</p>';
791 });
792 markup += '</div></div></div>';
793 return markup;
794 };
795
796 function formatEntityRefSelection(row) {
797 return (row.color ? '<span class="crm-select-item-color" style="background-color: ' + row.color + '"></span> ' : '') +
798 _.escape((row.prefix !== undefined ? row.prefix + ' ' : '') + row.label + (row.suffix !== undefined ? ' ' + row.suffix : ''));
799 }
800
801 function renderEntityRefCreateLinks($el) {
802 var
803 createLinks = $el.data('create-links'),
804 params = getEntityRefApiParams($el).params,
805 markup = '<div class="crm-entityref-links">';
806 if (!createLinks || $el.data('api-entity').toLowerCase() !== 'contact') {
807 return '';
808 }
809 if (createLinks === true) {
810 createLinks = params.contact_type ? _.where(CRM.config.entityRef.contactCreate, {type: params.contact_type}) : CRM.config.entityRef.contactCreate;
811 }
812 _.each(createLinks, function(link) {
813 var icon;
814 switch (link.type) {
815 case 'Individual':
816 icon = 'fa-user';
817 break;
818
819 case 'Organization':
820 icon = 'fa-building';
821 break;
822
823 case 'Household':
824 icon = 'fa-home';
825 break;
826 }
827 markup += ' <a class="crm-add-entity crm-hover-button" href="' + link.url + '">';
828 if (icon) {
829 markup += '<i class="crm-i ' + icon + '"></i> ';
830 }
831 markup += _.escape(link.label) + '</a>';
832 });
833 markup += '</div>';
834 return markup;
835 }
836
837 function getEntityRefFilters($el) {
838 var
839 entity = $el.data('api-entity').toLowerCase(),
840 filters = $.extend([], CRM.config.entityRef.filters[entity] || []),
841 params = $.extend({params: {}}, $el.data('api-params') || {}).params,
842 result = [];
843 $.each(filters, function() {
844 var filter = $.extend({type: 'select', 'attributes': {}, entity: entity}, this);
845 if (typeof params[filter.key] === 'undefined') {
846 result.push(filter);
847 }
848 else if (filter.key == 'contact_type' && typeof params.contact_sub_type === 'undefined') {
849 filter.options = _.remove(filter.options, function(option) {
850 return option.key.indexOf(params.contact_type + '__') === 0;
851 });
852 result.push(filter);
853 }
854 });
855 return result;
856 }
857
858 /**
859 * Provide markup for entity ref filters
860 */
861 function entityRefFiltersMarkup($el) {
862 var
863 filters = getEntityRefFilters($el),
864 filter = $el.data('user-filter') || {},
865 filterSpec = filter.key ? _.find(filters, {key: filter.key}) : null;
866 if (!filters.length) {
867 return '';
868 }
869 var markup = '<div class="crm-entityref-filters">' +
870 '<select class="crm-entityref-filter-key' + (filter.key ? ' active' : '') + '">' +
871 '<option value="">' + _.escape(ts('Refine search...')) + '</option>' +
872 CRM.utils.renderOptions(filters, filter.key) +
873 '</select>' + entityRefFilterValueMarkup(filter, filterSpec) + '</div>';
874 return markup;
875 }
876
877 /**
878 * Provide markup for entity ref filter value field
879 */
880 function entityRefFilterValueMarkup(filter, filterSpec) {
881 var markup = '';
882 if (filterSpec) {
883 var attrs = '',
884 attributes = _.cloneDeep(filterSpec.attributes);
885 if (filterSpec.type !== 'select') {
886 attributes.type = filterSpec.type;
887 attributes.value = typeof filter.value !== 'undefined' ? filter.value : '';
888 }
889 attributes.class = 'crm-entityref-filter-value' + (filter.value ? ' active' : '');
890 $.each(attributes, function (attr, val) {
891 attrs += ' ' + attr + '="' + val + '"';
892 });
893 if (filterSpec.type === 'select') {
894 markup = '<select' + attrs + '><option value="">' + _.escape(ts('- select -')) + '</option>';
895 if (filterSpec.options) {
896 markup += CRM.utils.renderOptions(filterSpec.options, filter.value);
897 }
898 markup += '</select>';
899 } else {
900 markup = '<input' + attrs + '/>';
901 }
902 }
903 return markup;
904 }
905
906 /**
907 * Render the entity ref filter value field
908 */
909 function renderEntityRefFilterValue($el) {
910 var
911 filter = $el.data('user-filter') || {},
912 filterSpec = filter.key ? _.find(getEntityRefFilters($el), {key: filter.key}) : null,
913 $keyField = $('.crm-entityref-filter-key', '#select2-drop'),
914 $valField = null;
915 if (filterSpec) {
916 $('.crm-entityref-filter-value', '#select2-drop').remove();
917 $valField = $(entityRefFilterValueMarkup(filter, filterSpec));
918 $keyField.after($valField);
919 if (filterSpec.type === 'select' && !filterSpec.options) {
920 loadEntityRefFilterOptions(filter, filterSpec, $valField, $el);
921 }
922 } else {
923 $('.crm-entityref-filter-value', '#select2-drop').hide().val('').change();
924 }
925 }
926
927 /**
928 * Fetch options for a filter via ajax api
929 */
930 function loadEntityRefFilterOptions(filter, filterSpec, $valField, $el) {
931 $valField.prop('disabled', true);
932 // Fieldname may be prefixed with joins - strip those out
933 var fieldName = _.last(filter.key.split('.'));
934 CRM.api3(filterSpec.entity, 'getoptions', {field: fieldName, context: 'search', sequential: 1})
935 .done(function(result) {
936 var entity = $el.data('api-entity').toLowerCase(),
937 globalFilterSpec = _.find(CRM.config.entityRef.filters[entity], {key: filter.key}) || {};
938 // Store options globally so we don't have to look them up again
939 globalFilterSpec.options = result.values;
940 $valField.prop('disabled', false);
941 CRM.utils.setOptions($valField, result.values);
942 $valField.val(filter.value || '');
943 });
944 }
945
946 //CRM-15598 - Override url validator method to allow relative url's (e.g. /index.htm)
947 $.validator.addMethod("url", function(value, element) {
948 if (/^\//.test(value)) {
949 // Relative url: prepend dummy path for validation.
950 value = 'http://domain.tld' + value;
951 }
952 // From jQuery Validation Plugin v1.12.0
953 return this.optional(element) || /^(https?|s?ftp):\/\/(((([a-z]|\d|-|\.|_|~|[\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF])|(%[\da-f]{2})|[!\$&'\(\)\*\+,;=]|:)*@)?(((\d|[1-9]\d|1\d\d|2[0-4]\d|25[0-5])\.(\d|[1-9]\d|1\d\d|2[0-4]\d|25[0-5])\.(\d|[1-9]\d|1\d\d|2[0-4]\d|25[0-5])\.(\d|[1-9]\d|1\d\d|2[0-4]\d|25[0-5]))|((([a-z]|\d|[\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF])|(([a-z]|\d|[\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF])([a-z]|\d|-|\.|_|~|[\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF])*([a-z]|\d|[\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF])))\.)+(([a-z]|[\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF])|(([a-z]|[\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF])([a-z]|\d|-|\.|_|~|[\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF])*([a-z]|[\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF])))\.?)(:\d*)?)(\/((([a-z]|\d|-|\.|_|~|[\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF])|(%[\da-f]{2})|[!\$&'\(\)\*\+,;=]|:|@)+(\/(([a-z]|\d|-|\.|_|~|[\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF])|(%[\da-f]{2})|[!\$&'\(\)\*\+,;=]|:|@)*)*)?)?(\?((([a-z]|\d|-|\.|_|~|[\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF])|(%[\da-f]{2})|[!\$&'\(\)\*\+,;=]|:|@)|[\uE000-\uF8FF]|\/|\?)*)?(#((([a-z]|\d|-|\.|_|~|[\u00A0-\uD7FF\uF900-\uFDCF\uFDF0-\uFFEF])|(%[\da-f]{2})|[!\$&'\(\)\*\+,;=]|:|@)|\/|\?)*)?$/i.test(value);
954 });
955
956 /**
957 * Wrapper for jQuery validate initialization function; supplies defaults
958 */
959 $.fn.crmValidate = function(params) {
960 return $(this).each(function () {
961 var that = this,
962 settings = $.extend({}, CRM.validate._defaults, CRM.validate.params);
963 $(this).validate(settings);
964 // Call any post-initialization callbacks
965 if (CRM.validate.functions && CRM.validate.functions.length) {
966 $.each(CRM.validate.functions, function(i, func) {
967 func.call(that);
968 });
969 }
970 });
971 };
972
973 // Initialize widgets
974 $(document)
975 .on('crmLoad', function(e) {
976 $('table.row-highlight', e.target)
977 .off('.rowHighlight')
978 .on('change.rowHighlight', 'input.select-row, input.select-rows', function (e, data) {
979 var filter, $table = $(this).closest('table');
980 if ($(this).hasClass('select-rows')) {
981 filter = $(this).prop('checked') ? ':not(:checked)' : ':checked';
982 $('input.select-row' + filter, $table).prop('checked', $(this).prop('checked')).trigger('change', 'master-selected');
983 }
984 else {
985 $(this).closest('tr').toggleClass('crm-row-selected', $(this).prop('checked'));
986 if (data !== 'master-selected') {
987 $('input.select-rows', $table).prop('checked', $(".select-row:not(':checked')", $table).length < 1);
988 }
989 }
990 })
991 .find('input.select-row:checked').parents('tr').addClass('crm-row-selected');
992 $('table.crm-sortable', e.target).DataTable();
993 $('table.crm-ajax-table', e.target).each(function() {
994 var
995 $table = $(this),
996 script = CRM.config.resourceBase + 'js/jquery/jquery.crmAjaxTable.js',
997 $accordion = $table.closest('.crm-accordion-wrapper.collapsed, .crm-collapsible.collapsed');
998 // For tables hidden by collapsed accordions, wait.
999 if ($accordion.length) {
1000 $accordion.one('crmAccordion:open', function() {
1001 CRM.loadScript(script).done(function() {
1002 $table.crmAjaxTable();
1003 });
1004 });
1005 } else {
1006 CRM.loadScript(script).done(function() {
1007 $table.crmAjaxTable();
1008 });
1009 }
1010 });
1011 if ($("input:radio[name=radio_ts]").size() == 1) {
1012 $("input:radio[name=radio_ts]").prop("checked", true);
1013 }
1014 $('.crm-select2:not(.select2-offscreen, .select2-container)', e.target).crmSelect2();
1015 $('.crm-form-entityref:not(.select2-offscreen, .select2-container)', e.target).crmEntityRef();
1016 $('select.crm-chain-select-control', e.target).off('.chainSelect').on('change.chainSelect', chainSelect);
1017 $('.crm-form-text[data-crm-datepicker]', e.target).each(function() {
1018 $(this).crmDatepicker($(this).data('crmDatepicker'));
1019 });
1020 $('.crm-editable', e.target).not('thead *').each(function() {
1021 var $el = $(this);
1022 CRM.loadScript(CRM.config.resourceBase + 'js/jquery/jquery.crmEditable.js').done(function() {
1023 $el.crmEditable();
1024 });
1025 });
1026 // Cache Form Input initial values
1027 $('form[data-warn-changes] :input', e.target).each(function() {
1028 $(this).data('crm-initial-value', $(this).is(':checkbox, :radio') ? $(this).prop('checked') : $(this).val());
1029 });
1030 $('textarea.crm-form-wysiwyg', e.target).each(function() {
1031 if ($(this).hasClass("collapsed")) {
1032 CRM.wysiwyg.createCollapsed(this);
1033 } else {
1034 CRM.wysiwyg.create(this);
1035 }
1036 });
1037 })
1038 .on('dialogopen', function(e) {
1039 var $el = $(e.target);
1040 // Modal dialogs should disable scrollbars
1041 if ($el.dialog('option', 'modal')) {
1042 $el.addClass('modal-dialog');
1043 $('body').css({overflow: 'hidden'});
1044 }
1045 $el.parent().find('.ui-dialog-titlebar .ui-icon-closethick').removeClass('ui-icon-closethick').addClass('fa-times');
1046 // Add resize button
1047 if ($el.parent().hasClass('crm-container') && $el.dialog('option', 'resizable')) {
1048 $el.parent().find('.ui-dialog-titlebar').append($('<button class="crm-dialog-titlebar-resize ui-dialog-titlebar-close" title="'+ _.escape(ts('Toggle fullscreen'))+'" style="right:2em;"/>').button({icons: {primary: 'fa-expand'}, text: false}));
1049 $('.crm-dialog-titlebar-resize', $el.parent()).click(function(e) {
1050 if ($el.data('origSize')) {
1051 $el.dialog('option', $el.data('origSize'));
1052 $el.data('origSize', null);
1053 $(this).button('option', 'icons', {primary: 'fa-expand'});
1054 } else {
1055 var menuHeight = $('#civicrm-menu').outerHeight();
1056 $el.data('origSize', {
1057 position: {my: 'center', at: 'center center+' + (menuHeight / 2), of: window},
1058 width: $el.dialog('option', 'width'),
1059 height: $el.dialog('option', 'height')
1060 });
1061 $el.dialog('option', {width: '100%', height: ($(window).height() - menuHeight), position: {my: "top", at: "top+"+menuHeight, of: window}});
1062 $(this).button('option', 'icons', {primary: 'fa-compress'});
1063 }
1064 $el.trigger('dialogresize');
1065 e.preventDefault();
1066 });
1067 }
1068 })
1069 .on('dialogclose', function(e) {
1070 // Restore scrollbars when closing modal
1071 if ($('.ui-dialog .modal-dialog:visible').not(e.target).length < 1) {
1072 $('body').css({overflow: ''});
1073 }
1074 })
1075 .on('submit', function(e) {
1076 // CRM-14353 - disable changes warn when submitting a form
1077 $('[data-warn-changes]').attr('data-warn-changes', 'false');
1078 });
1079
1080 // CRM-14353 - Warn of unsaved changes for forms which have opted in
1081 window.onbeforeunload = function() {
1082 if (CRM.utils.initialValueChanged($('form[data-warn-changes=true]:visible'))) {
1083 return ts('You have unsaved changes.');
1084 }
1085 };
1086
1087 $.fn.crmtooltip = function () {
1088 $(document)
1089 .on('mouseover', 'a.crm-summary-link:not(.crm-processed)', function (e) {
1090 $(this).addClass('crm-processed crm-tooltip-active');
1091 var topDistance = e.pageY - $(window).scrollTop();
1092 if (topDistance < 300 || topDistance < $(this).children('.crm-tooltip-wrapper').height()) {
1093 $(this).addClass('crm-tooltip-down');
1094 }
1095 if (!$(this).children('.crm-tooltip-wrapper').length) {
1096 $(this).append('<div class="crm-tooltip-wrapper"><div class="crm-tooltip"></div></div>');
1097 $(this).children().children('.crm-tooltip')
1098 .html('<div class="crm-loading-element"></div>')
1099 .load(this.href);
1100 }
1101 })
1102 .on('mouseout', 'a.crm-summary-link', function () {
1103 $(this).removeClass('crm-processed crm-tooltip-active crm-tooltip-down');
1104 })
1105 .on('click', 'a.crm-summary-link', false);
1106 };
1107
1108 var helpDisplay, helpPrevious;
1109 // Non-ajax example:
1110 // CRM.help('Example title', 'Here is some text to describe this example');
1111 // Ajax example (will load help id "foo" from templates/CRM/bar.tpl):
1112 // CRM.help('Example title', {id: 'foo', file: 'CRM/bar'});
1113 CRM.help = function (title, params, url) {
1114 var ajax = typeof params !== 'string';
1115 if (helpDisplay && helpDisplay.close) {
1116 // If the same link is clicked twice, just close the display
1117 if (helpDisplay.isOpen && _.isEqual(helpPrevious, params)) {
1118 helpDisplay.close();
1119 return;
1120 }
1121 helpDisplay.close();
1122 }
1123 helpPrevious = _.cloneDeep(params);
1124 helpDisplay = CRM.alert(ajax ? '...' : params, title, 'crm-help ' + (ajax ? 'crm-msg-loading' : 'info'), {expires: 0});
1125 if (ajax) {
1126 if (!url) {
1127 url = CRM.url('civicrm/ajax/inline');
1128 params.class_name = 'CRM_Core_Page_Inline_Help';
1129 params.type = 'page';
1130 }
1131 $.ajax(url, {
1132 data: params,
1133 dataType: 'html',
1134 success: function (data) {
1135 $('#crm-notification-container .crm-help .notify-content:last').html(data);
1136 $('#crm-notification-container .crm-help').removeClass('crm-msg-loading').addClass('info');
1137 },
1138 error: function () {
1139 $('#crm-notification-container .crm-help .notify-content:last').html('Unable to load help file.');
1140 $('#crm-notification-container .crm-help').removeClass('crm-msg-loading').addClass('error');
1141 }
1142 });
1143 }
1144 };
1145 /**
1146 * @see https://wiki.civicrm.org/confluence/display/CRMDOC/Notification+Reference
1147 */
1148 CRM.status = function(options, deferred) {
1149 // 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.
1150 if (typeof options === 'string') {
1151 return CRM.status({start: options, success: options, error: options})[deferred === 'error' ? 'reject' : 'resolve']();
1152 }
1153 var opts = $.extend({
1154 start: ts('Saving...'),
1155 success: ts('Saved'),
1156 error: function(data) {
1157 var msg = $.isPlainObject(data) && data.error_message;
1158 CRM.alert(msg || ts('Sorry an error occurred and your information was not saved'), ts('Error'), 'error');
1159 }
1160 }, options || {});
1161 var $msg = $('<div class="crm-status-box-outer status-start"><div class="crm-status-box-inner"><div class="crm-status-box-msg">' + _.escape(opts.start) + '</div></div></div>')
1162 .appendTo('body');
1163 $msg.css('min-width', $msg.width());
1164 function handle(status, data) {
1165 var endMsg = typeof(opts[status]) === 'function' ? opts[status](data) : opts[status];
1166 if (endMsg) {
1167 $msg.removeClass('status-start').addClass('status-' + status).find('.crm-status-box-msg').text(endMsg);
1168 window.setTimeout(function() {
1169 $msg.fadeOut('slow', function() {
1170 $msg.remove();
1171 });
1172 }, 2000);
1173 } else {
1174 $msg.remove();
1175 }
1176 }
1177 return (deferred || new $.Deferred())
1178 .done(function(data) {
1179 // If the server returns an error msg call the error handler
1180 var status = $.isPlainObject(data) && (data.is_error || data.status === 'error') ? 'error' : 'success';
1181 handle(status, data);
1182 })
1183 .fail(function(data) {
1184 handle('error', data);
1185 });
1186 };
1187
1188 // Convert an Angular promise to a jQuery promise
1189 CRM.toJqPromise = function(aPromise) {
1190 var jqDeferred = $.Deferred();
1191 aPromise.then(
1192 function(data) { jqDeferred.resolve(data); },
1193 function(data) { jqDeferred.reject(data); }
1194 // should we also handle progress events?
1195 );
1196 return jqDeferred.promise();
1197 };
1198
1199 CRM.toAPromise = function($q, jqPromise) {
1200 var aDeferred = $q.defer();
1201 jqPromise.then(
1202 function(data) { aDeferred.resolve(data); },
1203 function(data) { aDeferred.reject(data); }
1204 // should we also handle progress events?
1205 );
1206 return aDeferred.promise;
1207 };
1208
1209 /**
1210 * @see https://wiki.civicrm.org/confluence/display/CRMDOC/Notification+Reference
1211 */
1212 CRM.alert = function (text, title, type, options) {
1213 type = type || 'alert';
1214 title = title || '';
1215 options = options || {};
1216 if ($('#crm-notification-container').length) {
1217 var params = {
1218 text: text,
1219 title: title,
1220 type: type
1221 };
1222 // By default, don't expire errors and messages containing links
1223 var extra = {
1224 expires: (type == 'error' || text.indexOf('<a ') > -1) ? 0 : (text ? 10000 : 5000),
1225 unique: true
1226 };
1227 options = $.extend(extra, options);
1228 options.expires = options.expires === false ? 0 : parseInt(options.expires, 10);
1229 if (options.unique && options.unique !== '0') {
1230 $('#crm-notification-container .ui-notify-message').each(function () {
1231 if (title === $('h1', this).html() && text === $('.notify-content', this).html()) {
1232 $('.icon.ui-notify-close', this).click();
1233 }
1234 });
1235 }
1236 return $('#crm-notification-container').notify('create', params, options);
1237 }
1238 else {
1239 if (title.length) {
1240 text = title + "\n" + text;
1241 }
1242 alert(text);
1243 return null;
1244 }
1245 };
1246
1247 /**
1248 * Close whichever alert contains the given node
1249 *
1250 * @param node
1251 */
1252 CRM.closeAlertByChild = function (node) {
1253 $(node).closest('.ui-notify-message').find('.icon.ui-notify-close').click();
1254 };
1255
1256 /**
1257 * @see https://wiki.civicrm.org/confluence/display/CRMDOC/Notification+Reference
1258 */
1259 CRM.confirm = function (options) {
1260 var dialog, url, msg, buttons = [], settings = {
1261 title: ts('Confirm'),
1262 message: ts('Are you sure you want to continue?'),
1263 url: null,
1264 width: 'auto',
1265 height: 'auto',
1266 resizable: false,
1267 dialogClass: 'crm-container crm-confirm',
1268 close: function () {
1269 $(this).dialog('destroy').remove();
1270 },
1271 options: {
1272 no: ts('Cancel'),
1273 yes: ts('Continue')
1274 }
1275 };
1276 if (options && options.url) {
1277 settings.resizable = true;
1278 settings.height = '50%';
1279 }
1280 $.extend(settings, ($.isFunction(options) ? arguments[1] : options) || {});
1281 settings = CRM.utils.adjustDialogDefaults(settings);
1282 if (!settings.buttons && $.isPlainObject(settings.options)) {
1283 $.each(settings.options, function(op, label) {
1284 buttons.push({
1285 text: label,
1286 'data-op': op,
1287 icons: {primary: op === 'no' ? 'fa-times' : 'fa-check'},
1288 click: function() {
1289 var event = $.Event('crmConfirm:' + op);
1290 $(this).trigger(event);
1291 if (!event.isDefaultPrevented()) {
1292 dialog.dialog('close');
1293 }
1294 }
1295 });
1296 });
1297 // Order buttons so that "no" goes on the right-hand side
1298 settings.buttons = _.sortBy(buttons, 'data-op').reverse();
1299 }
1300 url = settings.url;
1301 msg = url ? '' : settings.message;
1302 delete settings.options;
1303 delete settings.message;
1304 delete settings.url;
1305 dialog = $('<div class="crm-confirm-dialog"></div>').html(msg || '').dialog(settings);
1306 if ($.isFunction(options)) {
1307 dialog.on('crmConfirm:yes', options);
1308 }
1309 if (url) {
1310 CRM.loadPage(url, {target: dialog});
1311 }
1312 else {
1313 dialog.trigger('crmLoad');
1314 }
1315 return dialog;
1316 };
1317
1318 /** provides a local copy of ts for a domain */
1319 CRM.ts = function(domain) {
1320 return function(message, options) {
1321 if (domain) {
1322 options = $.extend(options || {}, {domain: domain});
1323 }
1324 return ts(message, options);
1325 };
1326 };
1327
1328 CRM.addStrings = function(domain, strings) {
1329 var bucket = (domain == 'civicrm' ? 'strings' : 'strings::' + domain);
1330 CRM[bucket] = CRM[bucket] || {};
1331 _.extend(CRM[bucket], strings);
1332 };
1333
1334 /**
1335 * @see https://wiki.civicrm.org/confluence/display/CRMDOC/Notification+Reference
1336 */
1337 $.fn.crmError = function (text, title, options) {
1338 title = title || '';
1339 text = text || '';
1340 options = options || {};
1341
1342 var extra = {
1343 expires: 0
1344 };
1345 if ($(this).length) {
1346 if (title === '') {
1347 var label = $('label[for="' + $(this).attr('name') + '"], label[for="' + $(this).attr('id') + '"]').not('[generated=true]');
1348 if (label.length) {
1349 label.addClass('crm-error');
1350 var $label = label.clone();
1351 if (text === '' && $('.crm-marker', $label).length > 0) {
1352 text = $('.crm-marker', $label).attr('title');
1353 }
1354 $('.crm-marker', $label).remove();
1355 title = $label.text();
1356 }
1357 }
1358 $(this).addClass('crm-error');
1359 }
1360 var msg = CRM.alert(text, title, 'error', $.extend(extra, options));
1361 if ($(this).length) {
1362 var ele = $(this);
1363 setTimeout(function () {
1364 ele.one('change', function () {
1365 if (msg && msg.close) msg.close();
1366 ele.removeClass('error');
1367 label.removeClass('crm-error');
1368 });
1369 }, 1000);
1370 }
1371 return msg;
1372 };
1373
1374 // Display system alerts through js notifications
1375 function messagesFromMarkup() {
1376 $('div.messages:visible', this).not('.help').not('.no-popup').each(function () {
1377 var text, title = '';
1378 $(this).removeClass('status messages');
1379 var type = $(this).attr('class').split(' ')[0] || 'alert';
1380 type = type.replace('crm-', '');
1381 $('.icon', this).remove();
1382 if ($('.msg-text', this).length > 0) {
1383 text = $('.msg-text', this).html();
1384 title = $('.msg-title', this).html();
1385 }
1386 else {
1387 text = $(this).html();
1388 }
1389 var options = $(this).data('options') || {};
1390 $(this).remove();
1391 // Duplicates were already removed server-side
1392 options.unique = false;
1393 CRM.alert(text, title, type, options);
1394 });
1395 // Handle qf form errors
1396 $('form :input.error', this).one('blur', function() {
1397 $('.ui-notify-message.error a.ui-notify-close').click();
1398 $(this).removeClass('error');
1399 $(this).next('span.crm-error').remove();
1400 $('label[for="' + $(this).attr('name') + '"], label[for="' + $(this).attr('id') + '"]')
1401 .removeClass('crm-error')
1402 .find('.crm-error').removeClass('crm-error');
1403 });
1404 }
1405
1406 /**
1407 * Improve blockUI when used with jQuery dialog
1408 */
1409 var originalBlock = $.fn.block,
1410 originalUnblock = $.fn.unblock;
1411
1412 $.fn.block = function(opts) {
1413 if ($(this).is('.ui-dialog-content')) {
1414 originalBlock.call($(this).parents('.ui-dialog'), opts);
1415 return $(this);
1416 }
1417 return originalBlock.call(this, opts);
1418 };
1419 $.fn.unblock = function(opts) {
1420 if ($(this).is('.ui-dialog-content')) {
1421 originalUnblock.call($(this).parents('.ui-dialog'), opts);
1422 return $(this);
1423 }
1424 return originalUnblock.call(this, opts);
1425 };
1426
1427 // Preprocess all CRM ajax calls to display messages
1428 $(document).ajaxSuccess(function(event, xhr, settings) {
1429 try {
1430 if ((!settings.dataType || settings.dataType == 'json') && xhr.responseText) {
1431 var response = $.parseJSON(xhr.responseText);
1432 if (typeof(response.crmMessages) == 'object') {
1433 $.each(response.crmMessages, function(n, msg) {
1434 CRM.alert(msg.text, msg.title, msg.type, msg.options);
1435 });
1436 }
1437 if (response.backtrace) {
1438 CRM.console('log', response.backtrace);
1439 }
1440 if (typeof response.deprecated === 'string') {
1441 CRM.console('warn', response.deprecated);
1442 }
1443 }
1444 }
1445 // Ignore errors thrown by parseJSON
1446 catch (e) {}
1447 });
1448
1449 $(function () {
1450 $.blockUI.defaults.message = null;
1451 $.blockUI.defaults.ignoreIfBlocked = true;
1452
1453 if ($('#crm-container').hasClass('crm-public')) {
1454 $.fn.select2.defaults.dropdownCssClass = $.ui.dialog.prototype.options.dialogClass = 'crm-container crm-public';
1455 }
1456
1457 // Trigger crmLoad on initial content for consistency. It will also be triggered for ajax-loaded content.
1458 $('.crm-container').trigger('crmLoad');
1459
1460 if ($('#crm-notification-container').length) {
1461 // Initialize notifications
1462 $('#crm-notification-container').notify();
1463 messagesFromMarkup.call($('#crm-container'));
1464 }
1465
1466 $('body')
1467 // bind the event for image popup
1468 .on('click', 'a.crm-image-popup', function(e) {
1469 CRM.confirm({
1470 title: ts('Preview'),
1471 resizable: true,
1472 // Prevent overlap with the menubar
1473 maxHeight: $(window).height() - 30,
1474 position: {my: 'center', at: 'center center+15', of: window},
1475 message: '<div class="crm-custom-image-popup"><img style="max-width: 100%" src="' + $(this).attr('href') + '"></div>',
1476 options: null
1477 });
1478 e.preventDefault();
1479 })
1480
1481 .on('click', function (event) {
1482 $('.btn-slide-active').removeClass('btn-slide-active').find('.panel').hide();
1483 if ($(event.target).is('.btn-slide')) {
1484 $(event.target).addClass('btn-slide-active').find('.panel').show();
1485 }
1486 })
1487
1488 // Handle clear button for form elements
1489 .on('click', 'a.crm-clear-link', function() {
1490 $(this).css({visibility: 'hidden'}).siblings('.crm-form-radio:checked').prop('checked', false).trigger('change', ['crmClear']);
1491 $(this).siblings('input:text').val('').trigger('change', ['crmClear']);
1492 return false;
1493 })
1494 .on('change keyup', 'input.crm-form-radio:checked, input[allowclear=1]', function(e, context) {
1495 if (context !== 'crmClear' && ($(this).is(':checked') || ($(this).is('[allowclear=1]') && $(this).val()))) {
1496 $(this).siblings('.crm-clear-link').css({visibility: ''});
1497 }
1498 if (context !== 'crmClear' && $(this).is('[allowclear=1]') && $(this).val() === '') {
1499 $(this).siblings('.crm-clear-link').css({visibility: 'hidden'});
1500 }
1501 })
1502
1503 // Allow normal clicking of links within accordions
1504 .on('click.crmAccordions', 'div.crm-accordion-header a, .collapsible-title a', function (e) {
1505 e.stopPropagation();
1506 })
1507 // Handle accordions
1508 .on('click.crmAccordions', '.crm-accordion-header, .crm-collapsible .collapsible-title', function (e) {
1509 var action = 'open';
1510 if ($(this).parent().hasClass('collapsed')) {
1511 $(this).next().css('display', 'none').slideDown(200);
1512 }
1513 else {
1514 $(this).next().css('display', 'block').slideUp(200);
1515 action = 'close';
1516 }
1517 $(this).parent().toggleClass('collapsed').trigger('crmAccordion:' + action);
1518 e.preventDefault();
1519 });
1520
1521 $().crmtooltip();
1522 });
1523
1524 /**
1525 * Collapse or expand an accordion
1526 * @param speed
1527 */
1528 $.fn.crmAccordionToggle = function (speed) {
1529 $(this).each(function () {
1530 var action = 'open';
1531 if ($(this).hasClass('collapsed')) {
1532 $('.crm-accordion-body', this).first().css('display', 'none').slideDown(speed);
1533 }
1534 else {
1535 $('.crm-accordion-body', this).first().css('display', 'block').slideUp(speed);
1536 action = 'close';
1537 }
1538 $(this).toggleClass('collapsed').trigger('crmAccordion:' + action);
1539 });
1540 };
1541
1542 /**
1543 * Clientside currency formatting
1544 * @param number value
1545 * @param [optional] boolean onlyNumber - if true, we return formatted amount without currency sign
1546 * @param [optional] string format - currency representation of the number 1234.56
1547 * @return string
1548 */
1549 var currencyTemplate;
1550 CRM.formatMoney = function(value, onlyNumber, format) {
1551 var decimal, separator, sign, i, j, result;
1552 if (value === 'init' && format) {
1553 currencyTemplate = format;
1554 return;
1555 }
1556 format = format || currencyTemplate;
1557 result = /1(.?)234(.?)56/.exec(format);
1558 if (result === null) {
1559 return 'Invalid format passed to CRM.formatMoney';
1560 }
1561 separator = result[1];
1562 decimal = result[2];
1563 sign = (value < 0) ? '-' : '';
1564 //extracting the absolute value of the integer part of the number and converting to string
1565 i = parseInt(value = Math.abs(value).toFixed(2)) + '';
1566 j = ((j = i.length) > 3) ? j % 3 : 0;
1567 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) : '');
1568 if ( onlyNumber ) {
1569 return result;
1570 }
1571 return format.replace(/1.*234.*56/, result);
1572 };
1573
1574 CRM.console = function(method, title, msg) {
1575 if (window.console) {
1576 method = $.isFunction(console[method]) ? method : 'log';
1577 if (msg === undefined) {
1578 return console[method](title);
1579 } else {
1580 return console[method](title, msg);
1581 }
1582 }
1583 };
1584
1585 // Sugar methods for window.localStorage, with a fallback for older browsers
1586 var cacheItems = {};
1587 CRM.cache = {
1588 get: function (name, defaultValue) {
1589 try {
1590 if (localStorage.getItem('CRM' + name) !== null) {
1591 return JSON.parse(localStorage.getItem('CRM' + name));
1592 }
1593 } catch(e) {}
1594 return cacheItems[name] === undefined ? defaultValue : cacheItems[name];
1595 },
1596 set: function (name, value) {
1597 try {
1598 localStorage.setItem('CRM' + name, JSON.stringify(value));
1599 } catch(e) {}
1600 cacheItems[name] = value;
1601 },
1602 clear: function(name) {
1603 try {
1604 localStorage.removeItem('CRM' + name);
1605 } catch(e) {}
1606 delete cacheItems[name];
1607 }
1608 };
1609
1610
1611
1612 // Determine if a user has a given permission.
1613 // @see CRM_Core_Resources::addPermissions
1614 CRM.checkPerm = function(perm) {
1615 return CRM.permissions[perm];
1616 };
1617
1618 // Round while preserving sigfigs
1619 CRM.utils.sigfig = function(n, digits) {
1620 var len = ("" + n).length;
1621 var scale = Math.pow(10.0, len-digits);
1622 return Math.round(n / scale) * scale;
1623 };
1624
1625 // Create a js Date object from a unix timestamp or a yyyy-mm-dd string
1626 CRM.utils.makeDate = function(input) {
1627 switch (typeof input) {
1628 case 'object':
1629 // already a date object
1630 return input;
1631
1632 case 'string':
1633 // convert iso format with or without dashes
1634 if (input.indexOf('-') > 0) {
1635 return $.datepicker.parseDate('yy-mm-dd', input.substr(0, 10));
1636 }
1637 return $.datepicker.parseDate('yymmdd', input.substr(0, 8));
1638
1639 case 'number':
1640 // convert unix timestamp
1641 return new Date(input * 1000);
1642 }
1643 throw 'Invalid input passed to CRM.utils.makeDate';
1644 };
1645
1646 // Format a date for output to the user
1647 // Input may be a js Date object, a unix timestamp or a yyyy-mm-dd string
1648 CRM.utils.formatDate = function(input, outputFormat) {
1649 return input ? $.datepicker.formatDate(outputFormat || CRM.config.dateInputFormat, CRM.utils.makeDate(input)) : '';
1650 };
1651
1652 // Used to set appropriate text color for a given background
1653 CRM.utils.colorContrast = function (hexcolor) {
1654 hexcolor = hexcolor.replace(/[ #]/g, '');
1655 var r = parseInt(hexcolor.substr(0, 2), 16),
1656 g = parseInt(hexcolor.substr(2, 2), 16),
1657 b = parseInt(hexcolor.substr(4, 2), 16),
1658 yiq = ((r * 299) + (g * 587) + (b * 114)) / 1000;
1659 return (yiq >= 128) ? 'black' : 'white';
1660 };
1661
1662 })(jQuery, _);