Merge pull request #1147 from deepak-srivastava/toggle
[civicrm-core.git] / js / Common.js
1 /*
2 +--------------------------------------------------------------------+
3 | CiviCRM version 4.3 |
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 +--------------------------------------------------------------------+
25 */
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
33 var CRM = CRM || {};
34 var 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 */
44 function ts(text, params) {
45 "use strict";
46 text = CRM.strings[text] || text;
47 if (typeof(params) === 'object') {
48 for (var i in params) {
49 if (typeof(params[i]) === 'string') {
50 // sprintf emulation: escape % characters in the replacements to avoid conflicts
51 text = text.replace(new RegExp('%' + i, 'g'), params[i].replace(/%/g, '%-crmescaped-'));
52 }
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 */
71 function 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;
82 }
83 else {
84 alert('showBlocks array item not in .tpl = ' + showBlocks[i]);
85 }
86 }
87
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]);
97 }
98 }
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
113 */
114 function 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 }
144 }
145 }
146 }
147
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 }
160 }
161 else {
162 if (invert) {
163 cj('#' + target[j]).show();
164 }
165 else {
166 cj('#' + target[j]).hide();
167 }
168 }
169 }
170 }
171 }
172 }
173
174 /**
175 *
176 * Function for checking ALL or unchecking ALL check boxes in a resultset page.
177 *
178 * @access public
179 * @param fldPrefix - common string which precedes unique checkbox ID and identifies field as
180 * belonging to the resultset's checkbox collection
181 * @param object - checkbox
182 * Sample usage: onClick="javascript:changeCheckboxValues('chk_', cj(this) );"
183 *
184 * @return
185 */
186 function toggleCheckboxVals(fldPrefix, object) {
187 if (object.id == 'toggleSelect' && cj(object).is(':checked')) {
188 cj('Input[id*="' + fldPrefix + '"],Input[id*="toggleSelect"]').attr('checked', true);
189 }
190 else {
191 cj('Input[id*="' + fldPrefix + '"],Input[id*="toggleSelect"]').attr('checked', false);
192 }
193 // change the class of selected rows
194 on_load_init_checkboxes(object.form.name);
195 }
196
197 function countSelectedCheckboxes(fldPrefix, form) {
198 fieldCount = 0;
199 for (i = 0; i < form.elements.length; i++) {
200 fpLen = fldPrefix.length;
201 if (form.elements[i].type == 'checkbox' && form.elements[i].name.slice(0, fpLen) == fldPrefix && form.elements[i].checked == true) {
202 fieldCount++;
203 }
204 }
205 return fieldCount;
206 }
207
208 /**
209 * Function to enable task action select
210 */
211 function toggleTaskAction(status) {
212 var radio_ts = document.getElementsByName('radio_ts');
213 if (!radio_ts[1]) {
214 radio_ts[0].checked = true;
215 }
216 if (radio_ts[0].checked || radio_ts[1].checked) {
217 status = true;
218 }
219
220 var formElements = ['task', 'Go', 'Print'];
221 for (var i = 0; i < formElements.length; i++) {
222 var element = document.getElementById(formElements[i]);
223 if (element) {
224 if (status) {
225 element.disabled = false;
226 }
227 else {
228 element.disabled = true;
229 }
230 }
231 }
232 }
233
234 /**
235 * This function is used to check if any actio is selected and also to check if any contacts are checked.
236 *
237 * @access public
238 * @param fldPrefix - common string which precedes unique checkbox ID and identifies field as
239 * belonging to the resultset's checkbox collection
240 * @param form - name of form that checkboxes are part of
241 * Sample usage: onClick="javascript:checkPerformAction('chk_', myForm );"
242 *
243 */
244 function checkPerformAction(fldPrefix, form, taskButton, selection) {
245 var cnt;
246 var gotTask = 0;
247
248 // taskButton TRUE means we don't need to check the 'task' field - it's a button-driven task
249 if (taskButton == 1) {
250 gotTask = 1;
251 }
252 else {
253 if (document.forms[form].task.selectedIndex) {
254 //force user to select all search contacts, CRM-3711
255 if (document.forms[form].task.value == 13 || document.forms[form].task.value == 14) {
256 var toggleSelect = document.getElementsByName('toggleSelect');
257 if (toggleSelect[0].checked || document.forms[form].radio_ts[0].checked) {
258 return true;
259 }
260 else {
261 alert("Please select all contacts for this action.\n\nTo use the entire set of search results, click the 'all records' radio button.");
262 return false;
263 }
264 }
265 gotTask = 1;
266 }
267 }
268
269 if (gotTask == 1) {
270 // If user wants to perform action on ALL records and we have a task, return (no need to check further)
271 if (document.forms[form].radio_ts[0].checked) {
272 return true;
273 }
274
275 cnt = (selection == 1) ? countSelections() : countSelectedCheckboxes(fldPrefix, document.forms[form]);
276 if (!cnt) {
277 alert("Please select one or more contacts for this action.\n\nTo use the entire set of search results, click the 'all records' radio button.");
278 return false;
279 }
280 }
281 else {
282 alert("Please select an action from the drop-down menu.");
283 return false;
284 }
285 }
286
287 /**
288 * This function changes the style for a checkbox block when it is selected.
289 *
290 * @access public
291 * @param chkName - it is name of the checkbox
292 * @return null
293 */
294 function checkSelectedBox(chkName) {
295 var checkElement = cj('#' + chkName);
296 if (checkElement.attr('checked')) {
297 cj('input[value=ts_sel]:radio').attr('checked', true);
298 checkElement.parents('tr').addClass('crm-row-selected');
299 }
300 else {
301 checkElement.parents('tr').removeClass('crm-row-selected');
302 }
303 }
304
305 /**
306 * This function is to show the row with selected checkbox in different color
307 * @param form - name of form that checkboxes are part of
308 *
309 * @access public
310 * @return null
311 */
312 function on_load_init_checkboxes(form) {
313 var formName = form;
314 var fldPrefix = 'mark_x';
315 for (i = 0; i < document.forms[formName].elements.length; i++) {
316 fpLen = fldPrefix.length;
317 if (document.forms[formName].elements[i].type == 'checkbox' && document.forms[formName].elements[i].name.slice(0, fpLen) == fldPrefix) {
318 checkSelectedBox(document.forms[formName].elements[i].name, formName);
319 }
320 }
321 }
322
323 /**
324 * Function to change the color of the class
325 *
326 * @param form - name of the form
327 * @param rowid - id of the <tr>, <div> you want to change
328 *
329 * @access public
330 * @return null
331 */
332 function changeRowColor(rowid, form) {
333 switch (document.getElementById(rowid).className) {
334 case 'even-row' :
335 document.getElementById(rowid).className = 'selected even-row';
336 break;
337 case 'odd-row' :
338 document.getElementById(rowid).className = 'selected odd-row';
339 break;
340 case 'selected even-row' :
341 document.getElementById(rowid).className = 'even-row';
342 break;
343 case 'selected odd-row' :
344 document.getElementById(rowid).className = 'odd-row';
345 break;
346 case 'form-item' :
347 document.getElementById(rowid).className = 'selected';
348 break;
349 case 'selected' :
350 document.getElementById(rowid).className = 'form-item';
351 }
352 }
353
354 /**
355 * This function is to show the row with selected checkbox in different color
356 * @param form - name of form that checkboxes are part of
357 *
358 * @access public
359 * @return null
360 */
361 function on_load_init_check(form) {
362 for (i = 0; i < document.forms[form].elements.length; i++) {
363 if (( document.forms[form].elements[i].type == 'checkbox'
364 && document.forms[form].elements[i].checked == true )
365 || ( document.forms[form].elements[i].type == 'hidden'
366 && document.forms[form].elements[i].value == 1 )) {
367 var ss = document.forms[form].elements[i].id;
368 var row = 'rowid' + ss;
369 changeRowColor(row, form);
370 }
371 }
372 }
373
374 /**
375 * reset all the radio buttons with a given name
376 *
377 * @param string fieldName
378 * @param object form
379 * @return null
380 */
381 function unselectRadio(fieldName, form) {
382 for (i = 0; i < document.forms[form].elements.length; i++) {
383 if (document.forms[form].elements[i].name == fieldName) {
384 document.forms[form].elements[i].checked = false;
385 }
386 }
387 return;
388 }
389
390 /**
391 * Function to change button text and disable one it is clicked
392 *
393 * @param obj object - the button clicked
394 * @param formID string - the id of the form being submitted
395 * @param string procText - button text after user clicks it
396 * @return null
397 */
398 var submitcount = 0;
399 /* Changes button label on submit, and disables button after submit for newer browsers.
400 Puts up alert for older browsers. */
401 function submitOnce(obj, formId, procText) {
402 // if named button clicked, change text
403 if (obj.value != null) {
404 obj.value = procText + " ...";
405 }
406 if (document.getElementById) { // disable submit button for newer browsers
407 obj.disabled = true;
408 document.getElementById(formId).submit();
409 return true;
410 }
411 else { // for older browsers
412 if (submitcount == 0) {
413 submitcount++;
414 return true;
415 }
416 else {
417 alert("Your request is currently being processed ... Please wait.");
418 return false;
419 }
420 }
421 }
422
423 function popUp(URL) {
424 day = new Date();
425 id = day.getTime();
426 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');");
427 }
428
429 function imagePopUp(path) {
430 window.open(path, 'popupWindow', 'toolbar=no,location=no,directories=no,status=no,menubar=no,scrollbars=no,resizable=yes,copyhistory=no,screenX=150,screenY=150,top=150,left=150');
431 }
432
433 /**
434 * Function to show / hide the row in optionFields
435 *
436 * @param element name index, that whose innerHTML is to hide else will show the hidden row.
437 */
438 function showHideRow(index) {
439 if (index) {
440 cj('tr#optionField_' + index).hide();
441 if (cj('table#optionField tr:hidden:first').length) {
442 cj('div#optionFieldLink').show();
443 }
444 }
445 else {
446 cj('table#optionField tr:hidden:first').show();
447 if (!cj('table#optionField tr:hidden:last').length) {
448 cj('div#optionFieldLink').hide();
449 }
450 }
451 return false;
452 }
453
454 /**
455 * Function to check activity status in relavent to activity date
456 *
457 * @param element message JSON object.
458 */
459 function activityStatus(message) {
460 var d = new Date(), time = [], i;
461 var currentDateTime = d.getTime()
462 var activityTime = cj("input#activity_date_time_time").val().replace(":", "");
463
464 //chunk the time in bunch of 2 (hours,minutes,ampm)
465 for (i = 0; i < activityTime.length; i += 2) {
466 time.push(activityTime.slice(i, i + 2));
467 }
468 var activityDate = new Date(cj("input#activity_date_time_hidden").val());
469
470 d.setFullYear(activityDate.getFullYear());
471 d.setMonth(activityDate.getMonth());
472 d.setDate(activityDate.getDate());
473 var hours = time['0'];
474 var ampm = time['2'];
475
476 if (ampm == "PM" && hours != 0 && hours != 12) {
477 // force arithmetic instead of string concatenation
478 hours = hours * 1 + 12;
479 }
480 else {
481 if (ampm == "AM" && hours == 12) {
482 hours = 0;
483 }
484 }
485 d.setHours(hours);
486 d.setMinutes(time['1']);
487
488 var activity_date_time = d.getTime();
489
490 var activityStatusId = cj('#status_id').val();
491
492 if (activityStatusId == 2 && currentDateTime < activity_date_time) {
493 if (!confirm(message.completed)) {
494 return false;
495 }
496 }
497 else {
498 if (activity_date_time && activityStatusId == 1 && currentDateTime >= activity_date_time) {
499 if (!confirm(message.scheduled)) {
500 return false;
501 }
502 }
503 }
504 }
505
506 CRM.strings = CRM.strings || {};
507 CRM.validate = CRM.validate || {
508 params: {},
509 functions: []
510 };
511
512 (function ($, undefined) {
513 "use strict";
514 $(document).ready(function () {
515 $().crmtooltip();
516 $('.crm-container table.row-highlight').on('change', 'input.select-row, input.select-rows', function () {
517 var target, table = $(this).closest('table');
518 if ($(this).hasClass('select-rows')) {
519 target = $('tbody tr', table);
520 $('input.select-row', table).prop('checked', $(this).prop('checked'));
521 }
522 else {
523 target = $(this).closest('tr');
524 $('input.select-rows', table).prop('checked', $(".select-row:not(':checked')", table).length < 1);
525 }
526 target.toggleClass('crm-row-selected', $(this).is(':checked'));
527 });
528 $('#crm-container').live('click', function (event) {
529 if ($(event.target).is('.btn-slide')) {
530 var currentActive = $('#crm-container .btn-slide-active');
531 currentActive.children().hide();
532 currentActive.removeClass('btn-slide-active');
533 $(event.target).children().show();
534 $(event.target).addClass('btn-slide-active');
535 }
536 else {
537 $('.btn-slide .panel').hide();
538 $('.btn-slide-active').removeClass('btn-slide-active');
539 }
540 });
541 });
542
543 /**
544 * Function to make multiselect boxes behave as fields in small screens
545 */
546 function advmultiselectResize() {
547 var amswidth = $("#crm-container form:has(table.advmultiselect)").width();
548 if (amswidth < 700) {
549 $("form table.advmultiselect td").css('display', 'block');
550 }
551 else {
552 $("form table.advmultiselect td").css('display', 'table-cell');
553 }
554 var contactwidth = $('#crm-container #mainTabContainer').width();
555 if (contactwidth < 600) {
556 $('#crm-container #mainTabContainer').addClass('narrowpage');
557 $('#crm-container #mainTabContainer.narrowpage #contactTopBar td').each(function (index) {
558 if (index > 1) {
559 if (index % 2 == 0) {
560 $(this).parent().after('<tr class="narrowadded"></tr>');
561 }
562 var item = $(this);
563 $(this).parent().next().append(item);
564 }
565 });
566 }
567 else {
568 $('#crm-container #mainTabContainer.narrowpage').removeClass('narrowpage');
569 $('#crm-container #mainTabContainer #contactTopBar tr.narrowadded td').each(function () {
570 var nitem = $(this);
571 var parent = $(this).parent();
572 $(this).parent().prev().append(nitem);
573 if (parent.children().size() == 0) {
574 parent.remove();
575 }
576 });
577 $('#crm-container #mainTabContainer.narrowpage #contactTopBar tr.added').detach();
578 }
579 var cformwidth = $('#crm-container #Contact .contact_basic_information-section').width();
580
581 if (cformwidth < 720) {
582 $('#crm-container .contact_basic_information-section').addClass('narrowform');
583 $('#crm-container .contact_basic_information-section table.form-layout-compressed td .helpicon').parent().addClass('hashelpicon');
584 if (cformwidth < 480) {
585 $('#crm-container .contact_basic_information-section').addClass('xnarrowform');
586 }
587 else {
588 $('#crm-container .contact_basic_information-section.xnarrowform').removeClass('xnarrowform');
589 }
590 }
591 else {
592 $('#crm-container .contact_basic_information-section.narrowform').removeClass('narrowform');
593 $('#crm-container .contact_basic_information-section.xnarrowform').removeClass('xnarrowform');
594 }
595 }
596
597 advmultiselectResize();
598 $(window).resize(function () {
599 advmultiselectResize();
600 });
601
602 $.fn.crmtooltip = function () {
603 $('a.crm-summary-link:not(.crm-processed)')
604 .addClass('crm-processed')
605 .on('mouseover', function (e) {
606 $(this).addClass('crm-tooltip-active');
607 var topDistance = e.pageY - $(window).scrollTop();
608 if (topDistance < 300 | topDistance < $(this).children('.crm-tooltip-wrapper').height()) {
609 $(this).addClass('crm-tooltip-down');
610 }
611 if (!$(this).children('.crm-tooltip-wrapper').length) {
612 $(this).append('<div class="crm-tooltip-wrapper"><div class="crm-tooltip"></div></div>');
613 $(this).children().children('.crm-tooltip')
614 .html('<div class="crm-loading-element"></div>')
615 .load(this.href);
616 }
617 })
618 .on('mouseout', function () {
619 $(this).removeClass('crm-tooltip-active crm-tooltip-down');
620 })
621 .on('click', false);
622 };
623
624 var h;
625 CRM.help = function (title, params) {
626 h && h.close && h.close();
627 var options = {
628 expires: 0
629 };
630 h = CRM.alert('...', title, 'crm-help crm-msg-loading', options);
631 params.class_name = 'CRM_Core_Page_Inline_Help';
632 params.type = 'page';
633 $.ajax(CRM.url('civicrm/ajax/inline'),
634 {
635 data: params,
636 dataType: 'html',
637 success: function (data) {
638 $('#crm-notification-container .crm-help .notify-content:last').html(data);
639 $('#crm-notification-container .crm-help').removeClass('crm-msg-loading').addClass('info');
640 },
641 error: function () {
642 $('#crm-notification-container .crm-help .notify-content:last').html('Unable to load help file.');
643 $('#crm-notification-container .crm-help').removeClass('crm-msg-loading').addClass('error');
644 }
645 }
646 );
647 };
648
649 /**
650 * @param string text Displayable message
651 * @param string title Displayable title
652 * @param string type 'alert'|'info'|'success'|'error' (default: 'alert')
653 * @param {object} options
654 * @return {*}
655 * @see http://wiki.civicrm.org/confluence/display/CRM/Notifications+in+CiviCRM
656 */
657 CRM.alert = function (text, title, type, options) {
658 type = type || 'alert';
659 title = title || '';
660 options = options || {};
661 if ($('#crm-notification-container').length) {
662 var params = {
663 text: text,
664 title: title,
665 type: type
666 };
667 // By default, don't expire errors and messages containing links
668 var extra = {
669 expires: (type == 'error' || text.indexOf('<a ') > -1) ? 0 : (text ? 10000 : 5000),
670 unique: true
671 };
672 options = $.extend(extra, options);
673 options.expires = options.expires === false ? 0 : parseInt(options.expires, 10);
674 if (options.unique && options.unique !== '0') {
675 $('#crm-notification-container .ui-notify-message').each(function () {
676 if (title === $('h1', this).html() && text === $('.notify-content', this).html()) {
677 $('.icon.ui-notify-close', this).click();
678 }
679 });
680 }
681 return $('#crm-notification-container').notify('create', params, options);
682 }
683 else {
684 if (title.length) {
685 text = title + "\n" + text;
686 }
687 alert(text);
688 return null;
689 }
690 };
691
692 /**
693 * Close whichever alert contains the given node
694 *
695 * @param node
696 */
697 CRM.closeAlertByChild = function (node) {
698 $(node).closest('.ui-notify-message').find('.icon.ui-notify-close').click();
699 };
700
701 /**
702 * Prompt the user for confirmation.
703 *
704 * @param buttons {object|function} key|value pairs where key == button label and value == callback function
705 * passing in a function instead of an object is a shortcut for a sinlgle button labeled "Continue"
706 * @param options {object|void} Override defaults, keys include 'title', 'message',
707 * see jQuery.dialog for full list of available params
708 */
709 CRM.confirm = function (buttons, options, cancelLabel) {
710 var dialog, callbacks = {};
711 cancelLabel = cancelLabel || ts('Cancel');
712 var settings = {
713 title: ts('Confirm Action'),
714 message: ts('Are you sure you want to continue?'),
715 resizable: false,
716 modal: true,
717 close: function () {
718 $(dialog).remove();
719 },
720 buttons: {}
721 };
722
723 settings.buttons[cancelLabel] = function () {
724 dialog.dialog('close');
725 };
726 options = options || {};
727 $.extend(settings, options);
728 if (typeof(buttons) === 'function') {
729 callbacks[ts('Continue')] = buttons;
730 }
731 else {
732 callbacks = buttons;
733 }
734 $.each(callbacks, function (label, callback) {
735 settings.buttons[label] = function () {
736 callback.call(dialog);
737 dialog.dialog('close');
738 };
739 });
740 dialog = $('<div class="crm-container crm-confirm-dialog"></div>')
741 .html(options.message)
742 .appendTo('body')
743 .dialog(settings);
744 return dialog;
745 };
746
747 /**
748 * Sets an error message
749 * If called for a form item, title and removal condition will be handled automatically
750 */
751 $.fn.crmError = function (text, title, options) {
752 title = title || '';
753 text = text || '';
754 options = options || {};
755
756 var extra = {
757 expires: 0
758 };
759 if ($(this).length) {
760 if (title == '') {
761 var label = $('label[for="' + $(this).attr('name') + '"], label[for="' + $(this).attr('id') + '"]').not('[generated=true]');
762 if (label.length) {
763 label.addClass('crm-error');
764 var $label = label.clone();
765 if (text == '' && $('.crm-marker', $label).length > 0) {
766 text = $('.crm-marker', $label).attr('title');
767 }
768 $('.crm-marker', $label).remove();
769 title = $label.text();
770 }
771 }
772 $(this).addClass('error');
773 }
774 var msg = CRM.alert(text, title, 'error', $.extend(extra, options));
775 if ($(this).length) {
776 var ele = $(this);
777 setTimeout(function () {
778 ele.one('change', function () {
779 msg && msg.close && msg.close();
780 ele.removeClass('error');
781 label.removeClass('crm-error');
782 });
783 }, 1000);
784 }
785 return msg;
786 };
787
788 // Display system alerts through js notifications
789 function messagesFromMarkup() {
790 $('div.messages:visible', this).not('.help').not('.no-popup').each(function () {
791 var text, title = '';
792 $(this).removeClass('status messages');
793 var type = $(this).attr('class').split(' ')[0] || 'alert';
794 type = type.replace('crm-', '');
795 $('.icon', this).remove();
796 if ($('.msg-text', this).length > 0) {
797 text = $('.msg-text', this).html();
798 title = $('.msg-title', this).html();
799 }
800 else {
801 text = $(this).html();
802 }
803 var options = $(this).data('options') || {};
804 $(this).remove();
805 // Duplicates were already removed server-side
806 options.unique = false;
807 CRM.alert(text, title, type, options);
808 });
809 // Handle qf form errors
810 $('form :input.error', this).one('blur', function () {
811 $('.ui-notify-message.error a.ui-notify-close').click();
812 $(this).removeClass('error');
813 $(this).next('span.crm-error').remove();
814 $('label[for="' + $(this).attr('name') + '"], label[for="' + $(this).attr('id') + '"]')
815 .removeClass('crm-error')
816 .find('.crm-error').removeClass('crm-error');
817 });
818 }
819
820 $(function () {
821 if ($('#crm-notification-container').length) {
822 // Initialize notifications
823 $('#crm-notification-container').notify();
824 messagesFromMarkup.call($('#crm-container'));
825 $('#crm-container').on('crmFormLoad', '*', messagesFromMarkup);
826 }
827 });
828
829 $.fn.crmAccordions = function (speed) {
830 var container = $('#crm-container');
831 if (speed === undefined) {
832 speed = 200;
833 }
834 if ($(this).length > 0) {
835 container = $(this);
836 }
837 if (container.length > 0 && !container.hasClass('crm-accordion-processed')) {
838 // Allow normal clicking of links
839 container.on('click', 'div.crm-accordion-header a', function (e) {
840 e.stopPropagation && e.stopPropagation();
841 });
842 container.on('click', '.crm-accordion-header, .crm-collapsible .collapsible-title', function () {
843 if ($(this).parent().hasClass('collapsed')) {
844 $(this).next().css('display', 'none').slideDown(speed);
845 }
846 else {
847 $(this).next().css('display', 'block').slideUp(speed);
848 }
849 $(this).parent().toggleClass('collapsed');
850 return false;
851 });
852 container.addClass('crm-accordion-processed');
853 }
854 };
855 $.fn.crmAccordionToggle = function (speed) {
856 $(this).each(function () {
857 if ($(this).hasClass('collapsed')) {
858 $('.crm-accordion-body', this).first().css('display', 'none').slideDown(speed);
859 }
860 else {
861 $('.crm-accordion-body', this).first().css('display', 'block').slideUp(speed);
862 }
863 $(this).toggleClass('collapsed');
864 });
865 };
866 })(jQuery);