4.7.16 release notes - result of initial automated run
[civicrm-core.git] / ang / crmUi.js
... / ...
CommitLineData
1/// crmUi: Sundry UI helpers
2(function (angular, $, _) {
3
4 var uidCount = 0,
5 pageTitle = 'CiviCRM',
6 documentTitle = 'CiviCRM';
7
8 angular.module('crmUi', [])
9
10 // example <div crm-ui-accordion crm-title="ts('My Title')" crm-collapsed="true">...content...</div>
11 // WISHLIST: crmCollapsed should support two-way/continuous binding
12 .directive('crmUiAccordion', function() {
13 return {
14 scope: {
15 crmUiAccordion: '='
16 },
17 template: '<div ng-class="cssClasses"><div class="crm-accordion-header">{{crmUiAccordion.title}} <a crm-ui-help="help" ng-if="help"></a></div><div class="crm-accordion-body" ng-transclude></div></div>',
18 transclude: true,
19 link: function (scope, element, attrs) {
20 scope.cssClasses = {
21 'crm-accordion-wrapper': true,
22 collapsed: scope.crmUiAccordion.collapsed
23 };
24 scope.help = null;
25 scope.$watch('crmUiAccordion', function(crmUiAccordion) {
26 if (crmUiAccordion && crmUiAccordion.help) {
27 scope.help = crmUiAccordion.help.clone({}, {
28 title: crmUiAccordion.title
29 });
30 }
31 });
32 }
33 };
34 })
35
36 // Examples:
37 // crmUiAlert({text: 'My text', title: 'My title', type: 'error'});
38 // crmUiAlert({template: '<a ng-click="ok()">Hello</a>', scope: $scope.$new()});
39 // var h = crmUiAlert({templateUrl: '~/crmFoo/alert.html', scope: $scope.$new()});
40 // ... h.close(); ...
41 .service('crmUiAlert', function($compile, $rootScope, $templateRequest, $q) {
42 var count = 0;
43 return function crmUiAlert(params) {
44 var id = 'crmUiAlert_' + (++count);
45 var tpl = null;
46 if (params.templateUrl) {
47 tpl = $templateRequest(params.templateUrl);
48 }
49 else if (params.template) {
50 tpl = params.template;
51 }
52 if (tpl) {
53 params.text = '<div id="' + id + '"></div>'; // temporary stub
54 }
55 var result = CRM.alert(params.text, params.title, params.type, params.options);
56 if (tpl) {
57 $q.when(tpl, function(html) {
58 var scope = params.scope || $rootScope.$new();
59 var linker = $compile(html);
60 $('#' + id).append($(linker(scope)));
61 });
62 }
63 return result;
64 };
65 })
66
67 // Simple wrapper around $.crmDatepicker.
68 // example with no time input: <input crm-ui-datepicker="{time: false}" ng-model="myobj.datefield"/>
69 // example with custom date format: <input crm-ui-datepicker="{date: 'm/d/y'}" ng-model="myobj.datefield"/>
70 .directive('crmUiDatepicker', function () {
71 return {
72 restrict: 'AE',
73 require: 'ngModel',
74 scope: {
75 crmUiDatepicker: '='
76 },
77 link: function (scope, element, attrs, ngModel) {
78 ngModel.$render = function () {
79 element.val(ngModel.$viewValue).change();
80 };
81
82 element
83 .crmDatepicker(scope.crmUiDatepicker)
84 .on('change', function() {
85 var requiredLength = 19;
86 if (scope.crmUiDatepicker && scope.crmUiDatepicker.time === false) {
87 requiredLength = 10;
88 }
89 if (scope.crmUiDatepicker && scope.crmUiDatepicker.date === false) {
90 requiredLength = 8;
91 }
92 ngModel.$setValidity('incompleteDateTime', !($(this).val().length && $(this).val().length !== requiredLength));
93 });
94 }
95 };
96 })
97
98 // Display debug information (if available)
99 // For richer DX, checkout Batarang/ng-inspector (Chrome/Safari), or AngScope/ng-inspect (Firefox).
100 // example: <div crm-ui-debug="myobject" />
101 .directive('crmUiDebug', function ($location) {
102 return {
103 restrict: 'AE',
104 scope: {
105 crmUiDebug: '@'
106 },
107 template: function() {
108 var args = $location.search();
109 return (args && args.angularDebug) ? '<div crm-ui-accordion=\'{title: ts("Debug (%1)", {1: crmUiDebug}), collapsed: true}\'><pre>{{data|json}}</pre></div>' : '';
110 },
111 link: function(scope, element, attrs) {
112 var args = $location.search();
113 if (args && args.angularDebug) {
114 scope.ts = CRM.ts(null);
115 scope.$parent.$watch(attrs.crmUiDebug, function(data) {
116 scope.data = data;
117 });
118 }
119 }
120 };
121 })
122
123 // Display a field/row in a field list
124 // example: <div crm-ui-field="{title: ts('My Field')}"> {{mydata}} </div>
125 // example: <div crm-ui-field="{name: 'subform.myfield', title: ts('My Field')}"> <input crm-ui-id="subform.myfield" name="myfield" /> </div>
126 // example: <div crm-ui-field="{name: 'subform.myfield', title: ts('My Field')}"> <input crm-ui-id="subform.myfield" name="myfield" required /> </div>
127 // example: <div crm-ui-field="{name: 'subform.myfield', title: ts('My Field'), help: hs('help_field_name')}"> {{mydata}} </div>
128 .directive('crmUiField', function() {
129 // Note: When writing new templates, the "label" position is particular. See/patch "var label" below.
130 var templateUrls = {
131 default: '~/crmUi/field.html',
132 checkbox: '~/crmUi/field-cb.html'
133 };
134
135 return {
136 require: '^crmUiIdScope',
137 restrict: 'EA',
138 scope: {
139 // {title, name, help, helpFile}
140 crmUiField: '='
141 },
142 templateUrl: function(tElement, tAttrs){
143 var layout = tAttrs.crmLayout ? tAttrs.crmLayout : 'default';
144 return templateUrls[layout];
145 },
146 transclude: true,
147 link: function (scope, element, attrs, crmUiIdCtrl) {
148 $(element).addClass('crm-section');
149 scope.help = null;
150 scope.$watch('crmUiField', function(crmUiField) {
151 if (crmUiField && crmUiField.help) {
152 scope.help = crmUiField.help.clone({}, {
153 title: crmUiField.title
154 });
155 }
156 });
157 }
158 };
159 })
160
161 // example: <div ng-form="subform" crm-ui-id-scope><label crm-ui-for="subform.foo">Foo:</label><input crm-ui-id="subform.foo" name="foo"/></div>
162 .directive('crmUiId', function () {
163 return {
164 require: '^crmUiIdScope',
165 restrict: 'EA',
166 link: {
167 pre: function (scope, element, attrs, crmUiIdCtrl) {
168 var id = crmUiIdCtrl.get(attrs.crmUiId);
169 element.attr('id', id);
170 }
171 }
172 };
173 })
174
175 // for example, see crmUiHelp
176 .service('crmUiHelp', function(){
177 // example: var h = new FieldHelp({id: 'foo'}); h.open();
178 function FieldHelp(options) {
179 this.options = options;
180 }
181 angular.extend(FieldHelp.prototype, {
182 get: function(n) {
183 return this.options[n];
184 },
185 open: function open() {
186 CRM.help(this.options.title, {id: this.options.id, file: this.options.file});
187 },
188 clone: function clone(options, defaults) {
189 return new FieldHelp(angular.extend({}, defaults, this.options, options));
190 }
191 });
192
193 // example: var hs = crmUiHelp({file: 'CRM/Foo/Bar'});
194 return function(defaults){
195 // example: hs('myfield')
196 // example: hs({id: 'myfield', title: 'Foo Bar', file: 'Whiz/Bang'})
197 return function(options) {
198 if (_.isString(options)) {
199 options = {id: options};
200 }
201 return new FieldHelp(angular.extend({}, defaults, options));
202 };
203 };
204 })
205
206 // Display a help icon
207 // Example: Use a default *.hlp file
208 // scope.hs = crmUiHelp({file: 'Path/To/Help/File'});
209 // HTML: <a crm-ui-help="hs({title:ts('My Field'), id:'my_field'})">
210 // Example: Use an explicit *.hlp file
211 // HTML: <a crm-ui-help="hs({title:ts('My Field'), id:'my_field', file:'CRM/Foo/Bar'})">
212 .directive('crmUiHelp', function() {
213 return {
214 restrict: 'EA',
215 link: function(scope, element, attrs) {
216 setTimeout(function() {
217 var crmUiHelp = scope.$eval(attrs.crmUiHelp);
218 var title = crmUiHelp && crmUiHelp.get('title') ? ts('%1 Help', {1: crmUiHelp.get('title')}) : ts('Help');
219 element.attr('title', title);
220 }, 50);
221
222 element
223 .addClass('helpicon')
224 .attr('href', '#')
225 .on('click', function(e) {
226 e.preventDefault();
227 scope.$eval(attrs.crmUiHelp).open();
228 });
229 }
230 };
231 })
232
233 // example: <div ng-form="subform" crm-ui-id-scope><label crm-ui-for="subform.foo">Foo:</label><input crm-ui-id="subform.foo" name="foo"/></div>
234 .directive('crmUiFor', function ($parse, $timeout) {
235 return {
236 require: '^crmUiIdScope',
237 restrict: 'EA',
238 template: '<span ng-class="cssClasses"><span ng-transclude/><span crm-ui-visible="crmIsRequired" class="crm-marker" title="This field is required.">*</span></span>',
239 transclude: true,
240 link: function (scope, element, attrs, crmUiIdCtrl) {
241 scope.crmIsRequired = false;
242 scope.cssClasses = {};
243
244 if (!attrs.crmUiFor) return;
245
246 var id = crmUiIdCtrl.get(attrs.crmUiFor);
247 element.attr('for', id);
248 var ngModel = null;
249
250 var updateCss = function () {
251 scope.cssClasses['crm-error'] = !ngModel.$valid && !ngModel.$pristine;
252 };
253
254 // Note: if target element is dynamically generated (eg via ngInclude), then it may not be available
255 // immediately for initialization. Use retries/retryDelay to initialize such elements.
256 var init = function (retries, retryDelay) {
257 var input = $('#' + id);
258 if (input.length === 0) {
259 if (retries) {
260 $timeout(function(){
261 init(retries-1, retryDelay);
262 }, retryDelay);
263 }
264 return;
265 }
266
267 var tgtScope = scope;//.$parent;
268 if (attrs.crmDepth) {
269 for (var i = attrs.crmDepth; i > 0; i--) {
270 tgtScope = tgtScope.$parent;
271 }
272 }
273
274 if (input.attr('ng-required')) {
275 scope.crmIsRequired = scope.$parent.$eval(input.attr('ng-required'));
276 scope.$parent.$watch(input.attr('ng-required'), function (isRequired) {
277 scope.crmIsRequired = isRequired;
278 });
279 }
280 else {
281 scope.crmIsRequired = input.prop('required');
282 }
283
284 ngModel = $parse(attrs.crmUiFor)(tgtScope);
285 if (ngModel) {
286 ngModel.$viewChangeListeners.push(updateCss);
287 }
288 };
289
290 $timeout(function(){
291 init(3, 100);
292 });
293 }
294 };
295 })
296
297 // Define a scope in which a name like "subform.foo" maps to a unique ID.
298 // example: <div ng-form="subform" crm-ui-id-scope><label crm-ui-for="subform.foo">Foo:</label><input crm-ui-id="subform.foo" name="foo"/></div>
299 .directive('crmUiIdScope', function () {
300 return {
301 restrict: 'EA',
302 scope: {},
303 controllerAs: 'crmUiIdCtrl',
304 controller: function($scope) {
305 var ids = {};
306 this.get = function(name) {
307 if (!ids[name]) {
308 ids[name] = "crmUiId_" + (++uidCount);
309 }
310 return ids[name];
311 };
312 },
313 link: function (scope, element, attrs) {}
314 };
315 })
316
317 // Display an HTML blurb inside an IFRAME.
318 // example: <iframe crm-ui-iframe="getHtmlContent()"></iframe>
319 // example: <iframe crm-ui-iframe crm-ui-iframe-src="getUrl()"></iframe>
320 .directive('crmUiIframe', function ($parse) {
321 return {
322 scope: {
323 crmUiIframeSrc: '@', // expression which evaluates to a URL
324 crmUiIframe: '@' // expression which evaluates to HTML content
325 },
326 link: function (scope, elm, attrs) {
327 var iframe = $(elm)[0];
328 iframe.setAttribute('width', '100%');
329 iframe.setAttribute('frameborder', '0');
330
331 var refresh = function () {
332 if (attrs.crmUiIframeSrc) {
333 iframe.setAttribute('src', scope.$parent.$eval(attrs.crmUiIframeSrc));
334 }
335 else {
336 var iframeHtml = scope.$parent.$eval(attrs.crmUiIframe);
337
338 var doc = iframe.document;
339 if (iframe.contentDocument) {
340 doc = iframe.contentDocument;
341 }
342 else if (iframe.contentWindow) {
343 doc = iframe.contentWindow.document;
344 }
345
346 doc.open();
347 doc.writeln(iframeHtml);
348 doc.close();
349 }
350 };
351
352 // If the iframe is in a dialog, respond to resize events
353 $(elm).parent().on('dialogresize dialogopen', function(e, ui) {
354 $(this).css({padding: '0', margin: '0', overflow: 'hidden'});
355 iframe.setAttribute('height', '' + $(this).innerHeight() + 'px');
356 });
357
358 scope.$parent.$watch(attrs.crmUiIframe, refresh);
359 }
360 };
361 })
362
363 // Example:
364 // <a ng-click="$broadcast('my-insert-target', 'some new text')>Insert</a>
365 // <textarea crm-ui-insert-rx='my-insert-target'></textarea>
366 .directive('crmUiInsertRx', function() {
367 return {
368 link: function(scope, element, attrs) {
369 scope.$on(attrs.crmUiInsertRx, function(e, tokenName) {
370 CRM.wysiwyg.insert(element, tokenName);
371 $(element).select2('close').select2('val', '');
372 CRM.wysiwyg.focus(element);
373 });
374 }
375 };
376 })
377
378 // Define a rich text editor.
379 // example: <textarea crm-ui-id="myForm.body_html" crm-ui-richtext name="body_html" ng-model="mailing.body_html"></textarea>
380 .directive('crmUiRichtext', function ($timeout) {
381 return {
382 require: '?ngModel',
383 link: function (scope, elm, attr, ngModel) {
384
385 var editor = CRM.wysiwyg.create(elm);
386 if (!ngModel) {
387 return;
388 }
389
390 if (attr.ngBlur) {
391 $(elm).on('blur', function() {
392 $timeout(function() {
393 scope.$eval(attr.ngBlur);
394 });
395 });
396 }
397
398 ngModel.$render = function(value) {
399 editor.done(function() {
400 CRM.wysiwyg.setVal(elm, ngModel.$viewValue || '');
401 });
402 };
403 }
404 };
405 })
406
407 // Display a lock icon (based on a boolean).
408 // example: <a crm-ui-lock binding="mymodel.boolfield"></a>
409 // example: <a crm-ui-lock
410 // binding="mymodel.boolfield"
411 // title-locked="ts('Boolfield is locked')"
412 // title-unlocked="ts('Boolfield is unlocked')"></a>
413 .directive('crmUiLock', function ($parse, $rootScope) {
414 var defaultVal = function (defaultValue) {
415 var f = function (scope) {
416 return defaultValue;
417 };
418 f.assign = function (scope, value) {
419 // ignore changes
420 };
421 return f;
422 };
423
424 // like $parse, but accepts a defaultValue in case expr is undefined
425 var parse = function (expr, defaultValue) {
426 return expr ? $parse(expr) : defaultVal(defaultValue);
427 };
428
429 return {
430 template: '',
431 link: function (scope, element, attrs) {
432 var binding = parse(attrs.binding, true);
433 var titleLocked = parse(attrs.titleLocked, ts('Locked'));
434 var titleUnlocked = parse(attrs.titleUnlocked, ts('Unlocked'));
435
436 $(element).addClass('crm-i lock-button');
437 var refresh = function () {
438 var locked = binding(scope);
439 if (locked) {
440 $(element)
441 .removeClass('fa-unlock')
442 .addClass('fa-lock')
443 .prop('title', titleLocked(scope))
444 ;
445 }
446 else {
447 $(element)
448 .removeClass('fa-lock')
449 .addClass('fa-unlock')
450 .prop('title', titleUnlocked(scope))
451 ;
452 }
453 };
454
455 $(element).click(function () {
456 binding.assign(scope, !binding(scope));
457 //scope.$digest();
458 $rootScope.$digest();
459 });
460
461 scope.$watch(attrs.binding, refresh);
462 scope.$watch(attrs.titleLocked, refresh);
463 scope.$watch(attrs.titleUnlocked, refresh);
464
465 refresh();
466 }
467 };
468 })
469
470 // CrmUiOrderCtrl is a controller class which manages sort orderings.
471 // Ex:
472 // JS: $scope.myOrder = new CrmUiOrderCtrl(['+field1', '-field2]);
473 // $scope.myOrder.toggle('field1');
474 // $scope.myOrder.setDir('field2', '');
475 // HTML: <tr ng-repeat="... | order:myOrder.get()">...</tr>
476 .service('CrmUiOrderCtrl', function(){
477 //
478 function CrmUiOrderCtrl(defaults){
479 this.values = defaults;
480 }
481 angular.extend(CrmUiOrderCtrl.prototype, {
482 get: function get() {
483 return this.values;
484 },
485 getDir: function getDir(name) {
486 if (this.values.indexOf(name) >= 0 || this.values.indexOf('+' + name) >= 0) {
487 return '+';
488 }
489 if (this.values.indexOf('-' + name) >= 0) {
490 return '-';
491 }
492 return '';
493 },
494 // @return bool TRUE if something is removed
495 remove: function remove(name) {
496 var idx = this.values.indexOf(name);
497 if (idx >= 0) {
498 this.values.splice(idx, 1);
499 return true;
500 }
501 else {
502 return false;
503 }
504 },
505 setDir: function setDir(name, dir) {
506 return this.toggle(name, dir);
507 },
508 // Toggle sort order on a field.
509 // To set a specific order, pass optional parameter 'next' ('+', '-', or '').
510 toggle: function toggle(name, next) {
511 if (!next && next !== '') {
512 next = '+';
513 if (this.remove(name) || this.remove('+' + name)) {
514 next = '-';
515 }
516 if (this.remove('-' + name)) {
517 next = '';
518 }
519 }
520
521 if (next == '+') {
522 this.values.unshift('+' + name);
523 }
524 else if (next == '-') {
525 this.values.unshift('-' + name);
526 }
527 }
528 });
529 return CrmUiOrderCtrl;
530 })
531
532 // Define a controller which manages sort order. You may interact with the controller
533 // directly ("myOrder.toggle('fieldname')") order using the helper, crm-ui-order-by.
534 // example:
535 // <span crm-ui-order="{var: 'myOrder', defaults: {'-myField'}}"></span>
536 // <th><a crm-ui-order-by="[myOrder,'myField']">My Field</a></th>
537 // <tr ng-repeat="... | order:myOrder.get()">...</tr>
538 // <button ng-click="myOrder.toggle('myField')">
539 .directive('crmUiOrder', function(CrmUiOrderCtrl) {
540 return {
541 link: function(scope, element, attrs){
542 var options = angular.extend({var: 'crmUiOrderBy'}, scope.$eval(attrs.crmUiOrder));
543 scope[options.var] = new CrmUiOrderCtrl(options.defaults);
544 }
545 };
546 })
547
548 // For usage, see crmUiOrder (above)
549 .directive('crmUiOrderBy', function() {
550 return {
551 link: function(scope, element, attrs) {
552 function updateClass(crmUiOrderCtrl, name) {
553 var dir = crmUiOrderCtrl.getDir(name);
554 element
555 .toggleClass('sorting_asc', dir === '+')
556 .toggleClass('sorting_desc', dir === '-')
557 .toggleClass('sorting', dir === '');
558 }
559
560 element.on('click', function(e){
561 var tgt = scope.$eval(attrs.crmUiOrderBy);
562 tgt[0].toggle(tgt[1]);
563 updateClass(tgt[0], tgt[1]);
564 e.preventDefault();
565 scope.$digest();
566 });
567
568 var tgt = scope.$eval(attrs.crmUiOrderBy);
569 updateClass(tgt[0], tgt[1]);
570 }
571 };
572 })
573
574 // Display a fancy SELECT (based on select2).
575 // usage: <select crm-ui-select="{placeholder:'Something',allowClear:true,...}" ng-model="myobj.field"><option...></select>
576 .directive('crmUiSelect', function ($parse, $timeout) {
577 return {
578 require: '?ngModel',
579 scope: {
580 crmUiSelect: '='
581 },
582 link: function (scope, element, attrs, ngModel) {
583 // In cases where UI initiates update, there may be an extra
584 // call to refreshUI, but it doesn't create a cycle.
585
586 if (ngModel) {
587 ngModel.$render = function () {
588 $timeout(function () {
589 // ex: msg_template_id adds new item then selects it; use $timeout to ensure that
590 // new item is added before selection is made
591 element.select2('val', ngModel.$modelValue);
592 });
593 };
594 }
595 function refreshModel() {
596 var oldValue = ngModel.$viewValue, newValue = element.select2('val');
597 if (oldValue != newValue) {
598 scope.$parent.$apply(function () {
599 ngModel.$setViewValue(newValue);
600 });
601 }
602 }
603
604 function init() {
605 // TODO watch select2-options
606 element.crmSelect2(scope.crmUiSelect || {});
607 if (ngModel) {
608 element.on('change', refreshModel);
609 $timeout(ngModel.$render);
610 }
611 }
612
613 init();
614 }
615 };
616 })
617
618 // Render a crmEntityRef widget
619 // usage: <input crm-entityref="{entity: 'Contact', select: {allowClear:true}}" ng-model="myobj.field" />
620 .directive('crmEntityref', function ($parse, $timeout) {
621 return {
622 require: '?ngModel',
623 scope: {
624 crmEntityref: '='
625 },
626 link: function (scope, element, attrs, ngModel) {
627 // In cases where UI initiates update, there may be an extra
628 // call to refreshUI, but it doesn't create a cycle.
629
630 ngModel.$render = function () {
631 $timeout(function () {
632 // ex: msg_template_id adds new item then selects it; use $timeout to ensure that
633 // new item is added before selection is made
634 element.select2('val', ngModel.$modelValue);
635 });
636 };
637 function refreshModel() {
638 var oldValue = ngModel.$viewValue, newValue = element.select2('val');
639 if (oldValue != newValue) {
640 scope.$parent.$apply(function () {
641 ngModel.$setViewValue(newValue);
642 });
643 }
644 }
645
646 function init() {
647 // TODO can we infer "entity" from model?
648 element.crmEntityRef(scope.crmEntityref || {});
649 element.on('change', refreshModel);
650 $timeout(ngModel.$render);
651 }
652
653 init();
654 }
655 };
656 })
657
658 // example <div crm-ui-tab id="tab-1" crm-title="ts('My Title')" count="3">...content...</div>
659 // WISHLIST: use a full Angular component instead of an incomplete jQuery wrapper
660 .directive('crmUiTab', function($parse) {
661 return {
662 require: '^crmUiTabSet',
663 restrict: 'EA',
664 scope: {
665 crmTitle: '@',
666 crmIcon: '@',
667 count: '@',
668 id: '@'
669 },
670 template: '<div ng-transclude></div>',
671 transclude: true,
672 link: function (scope, element, attrs, crmUiTabSetCtrl) {
673 crmUiTabSetCtrl.add(scope);
674 }
675 };
676 })
677
678 // example: <div crm-ui-tab-set><div crm-ui-tab crm-title="Tab 1">...</div><div crm-ui-tab crm-title="Tab 2">...</div></div>
679 .directive('crmUiTabSet', function() {
680 return {
681 restrict: 'EA',
682 scope: {
683 crmUiTabSet: '@'
684 },
685 templateUrl: '~/crmUi/tabset.html',
686 transclude: true,
687 controllerAs: 'crmUiTabSetCtrl',
688 controller: function($scope, $parse) {
689 var tabs = $scope.tabs = []; // array<$scope>
690 this.add = function(tab) {
691 if (!tab.id) throw "Tab is missing 'id'";
692 tabs.push(tab);
693 };
694 },
695 link: function (scope, element, attrs) {}
696 };
697 })
698
699 // Generic, field-independent form validator.
700 // example: <span ng-model="placeholder" crm-ui-validate="foo && bar || whiz" />
701 // example: <span ng-model="placeholder" crm-ui-validate="foo && bar || whiz" crm-ui-validate-name="myError" />
702 .directive('crmUiValidate', function() {
703 return {
704 restrict: 'EA',
705 require: 'ngModel',
706 link: function(scope, element, attrs, ngModel) {
707 var validationKey = attrs.crmUiValidateName ? attrs.crmUiValidateName : 'crmUiValidate';
708 scope.$watch(attrs.crmUiValidate, function(newValue){
709 ngModel.$setValidity(validationKey, !!newValue);
710 });
711 }
712 };
713 })
714
715 // like ng-show, but hides/displays elements using "visibility" which maintains positioning
716 // example <div crm-ui-visible="false">...content...</div>
717 .directive('crmUiVisible', function($parse) {
718 return {
719 restrict: 'EA',
720 scope: {
721 crmUiVisible: '@'
722 },
723 link: function (scope, element, attrs) {
724 var model = $parse(attrs.crmUiVisible);
725 function updatecChildren() {
726 element.css('visibility', model(scope.$parent) ? 'inherit' : 'hidden');
727 }
728 updatecChildren();
729 scope.$parent.$watch(attrs.crmUiVisible, updatecChildren);
730 }
731 };
732 })
733
734 // example: <div crm-ui-wizard="myWizardCtrl"><div crm-ui-wizard-step crm-title="ts('Step 1')">...</div><div crm-ui-wizard-step crm-title="ts('Step 2')">...</div></div>
735 // example with custom nav classes: <div crm-ui-wizard crm-ui-wizard-nav-class="ng-animate-out ...">...</div>
736 // Note: "myWizardCtrl" has various actions/properties like next() and $first().
737 // WISHLIST: Allow each step to determine if it is "complete" / "valid" / "selectable"
738 // WISHLIST: Allow each step to enable/disable (show/hide) itself
739 .directive('crmUiWizard', function() {
740 return {
741 restrict: 'EA',
742 scope: {
743 crmUiWizard: '@',
744 crmUiWizardNavClass: '@' // string, A list of classes that will be added to the nav items
745 },
746 templateUrl: '~/crmUi/wizard.html',
747 transclude: true,
748 controllerAs: 'crmUiWizardCtrl',
749 controller: function($scope, $parse) {
750 var steps = $scope.steps = []; // array<$scope>
751 var crmUiWizardCtrl = this;
752 var maxVisited = 0;
753 var selectedIndex = null;
754
755 var findIndex = function() {
756 var found = null;
757 angular.forEach(steps, function(step, stepKey) {
758 if (step.selected) found = stepKey;
759 });
760 return found;
761 };
762
763 /// @return int the index of the current step
764 this.$index = function() { return selectedIndex; };
765 /// @return bool whether the currentstep is first
766 this.$first = function() { return this.$index() === 0; };
767 /// @return bool whether the current step is last
768 this.$last = function() { return this.$index() === steps.length -1; };
769 this.$maxVisit = function() { return maxVisited; };
770 this.$validStep = function() {
771 return steps[selectedIndex] && steps[selectedIndex].isStepValid();
772 };
773 this.iconFor = function(index) {
774 if (index < this.$index()) return '√';
775 if (index === this.$index()) return '»';
776 return ' ';
777 };
778 this.isSelectable = function(step) {
779 if (step.selected) return false;
780 var result = false;
781 angular.forEach(steps, function(otherStep, otherKey) {
782 if (step === otherStep && otherKey <= maxVisited) result = true;
783 });
784 return result;
785 };
786
787 /*** @param Object step the $scope of the step */
788 this.select = function(step) {
789 angular.forEach(steps, function(otherStep, otherKey) {
790 otherStep.selected = (otherStep === step);
791 if (otherStep === step && maxVisited < otherKey) maxVisited = otherKey;
792 });
793 selectedIndex = findIndex();
794 };
795 /*** @param Object step the $scope of the step */
796 this.add = function(step) {
797 if (steps.length === 0) {
798 step.selected = true;
799 selectedIndex = 0;
800 }
801 steps.push(step);
802 steps.sort(function(a,b){
803 return a.crmUiWizardStep - b.crmUiWizardStep;
804 });
805 selectedIndex = findIndex();
806 };
807 this.remove = function(step) {
808 var key = null;
809 angular.forEach(steps, function(otherStep, otherKey) {
810 if (otherStep === step) key = otherKey;
811 });
812 if (key !== null) {
813 steps.splice(key, 1);
814 }
815 };
816 this.goto = function(index) {
817 if (index < 0) index = 0;
818 if (index >= steps.length) index = steps.length-1;
819 this.select(steps[index]);
820 };
821 this.previous = function() { this.goto(this.$index()-1); };
822 this.next = function() { this.goto(this.$index()+1); };
823 if ($scope.crmUiWizard) {
824 $parse($scope.crmUiWizard).assign($scope.$parent, this);
825 }
826 },
827 link: function (scope, element, attrs) {
828 scope.ts = CRM.ts(null);
829 }
830 };
831 })
832
833 // Use this to add extra markup to wizard
834 .directive('crmUiWizardButtons', function() {
835 return {
836 require: '^crmUiWizard',
837 restrict: 'EA',
838 scope: {},
839 template: '<span ng-transclude></span>',
840 transclude: true,
841 link: function (scope, element, attrs, crmUiWizardCtrl) {
842 var realButtonsEl = $(element).closest('.crm-wizard').find('.crm-wizard-buttons');
843 $(element).appendTo(realButtonsEl);
844 }
845 };
846 })
847
848 // Example for Font Awesome: <button crm-icon="fa-check">Save</button>
849 // Example for jQuery UI (deprecated): <button crm-icon="check">Save</button>
850 .directive('crmIcon', function() {
851 return {
852 restrict: 'EA',
853 link: function (scope, element, attrs) {
854 if (element.is('[crm-ui-tab]')) {
855 // handled in crmUiTab ctrl
856 return;
857 }
858 if (attrs.crmIcon.substring(0,3) == 'fa-') {
859 $(element).prepend('<i class="crm-i ' + attrs.crmIcon + '"></i> ');
860 }
861 else {
862 $(element).prepend('<span class="icon ui-icon-' + attrs.crmIcon + '"></span> ');
863 }
864 if ($(element).is('button')) {
865 $(element).addClass('crm-button');
866 }
867 }
868 };
869 })
870
871 // example: <div crm-ui-wizard-step crm-title="ts('My Title')" ng-form="mySubForm">...content...</div>
872 // If there are any conditional steps, then be sure to set a weight explicitly on *all* steps to maintain ordering.
873 // example: <div crm-ui-wizard-step="100" crm-title="..." ng-if="...">...content...</div>
874 // example with custom classes: <div crm-ui-wizard-step="100" crm-ui-wizard-step-class="ng-animate-out ...">...content...</div>
875 .directive('crmUiWizardStep', function() {
876 var nextWeight = 1;
877 return {
878 require: ['^crmUiWizard', 'form'],
879 restrict: 'EA',
880 scope: {
881 crmTitle: '@', // expression, evaluates to a printable string
882 crmUiWizardStep: '@', // int, a weight which determines the ordering of the steps
883 crmUiWizardStepClass: '@' // string, A list of classes that will be added to the template
884 },
885 template: '<div class="crm-wizard-step {{crmUiWizardStepClass}}" ng-show="selected" ng-transclude/></div>',
886 transclude: true,
887 link: function (scope, element, attrs, ctrls) {
888 var crmUiWizardCtrl = ctrls[0], form = ctrls[1];
889 if (scope.crmUiWizardStep) {
890 scope.crmUiWizardStep = parseInt(scope.crmUiWizardStep);
891 } else {
892 scope.crmUiWizardStep = nextWeight++;
893 }
894 scope.isStepValid = function() {
895 return form.$valid;
896 };
897 crmUiWizardCtrl.add(scope);
898 scope.$on('$destroy', function(){
899 crmUiWizardCtrl.remove(scope);
900 });
901 }
902 };
903 })
904
905 // Example: <button crm-confirm="{message: ts('Are you sure you want to continue?')}" on-yes="frobnicate(123)">Frobincate</button>
906 // Example: <button crm-confirm="{type: 'disable', obj: myObject}" on-yes="myObject.is_active=0; myObject.save()">Disable</button>
907 // Example: <button crm-confirm="{templateUrl: '~/path/to/view.html', export: {foo: bar}}" on-yes="frobnicate(123)">Frobincate</button>
908 .directive('crmConfirm', function ($compile, $rootScope, $templateRequest, $q) {
909 // Helpers to calculate default options for CRM.confirm()
910 var defaultFuncs = {
911 'disable': function (options) {
912 return {
913 message: ts('Are you sure you want to disable this?'),
914 options: {no: ts('Cancel'), yes: ts('Disable')},
915 width: 300,
916 title: ts('Disable %1?', {
917 1: options.obj.title || options.obj.label || options.obj.name || ts('the record')
918 })
919 };
920 },
921 'revert': function (options) {
922 return {
923 message: ts('Are you sure you want to revert this?'),
924 options: {no: ts('Cancel'), yes: ts('Revert')},
925 width: 300,
926 title: ts('Revert %1?', {
927 1: options.obj.title || options.obj.label || options.obj.name || ts('the record')
928 })
929 };
930 },
931 'delete': function (options) {
932 return {
933 message: ts('Are you sure you want to delete this?'),
934 options: {no: ts('Cancel'), yes: ts('Delete')},
935 width: 300,
936 title: ts('Delete %1?', {
937 1: options.obj.title || options.obj.label || options.obj.name || ts('the record')
938 })
939 };
940 }
941 };
942 var confirmCount = 0;
943 return {
944 link: function (scope, element, attrs) {
945 $(element).click(function () {
946 var options = scope.$eval(attrs.crmConfirm);
947 if (attrs.title && !options.title) {
948 options.title = attrs.title;
949 }
950 var defaults = (options.type) ? defaultFuncs[options.type](options) : {};
951
952 var tpl = null, stubId = null;
953 if (!options.message) {
954 if (options.templateUrl) {
955 tpl = $templateRequest(options.templateUrl);
956 }
957 else if (options.template) {
958 tpl = options.template;
959 }
960 if (tpl) {
961 stubId = 'crmUiConfirm_' + (++confirmCount);
962 options.message = '<div id="' + stubId + '"></div>';
963 }
964 }
965
966 CRM.confirm(_.extend(defaults, options))
967 .on('crmConfirm:yes', function() { scope.$apply(attrs.onYes); })
968 .on('crmConfirm:no', function() { scope.$apply(attrs.onNo); });
969
970 if (tpl && stubId) {
971 $q.when(tpl, function(html) {
972 var scope = options.scope || $rootScope.$new();
973 if (options.export) {
974 angular.extend(scope, options.export);
975 }
976 var linker = $compile(html);
977 $('#' + stubId).append($(linker(scope)));
978 });
979 }
980 });
981 }
982 };
983 })
984
985 // Sets document title & page title; attempts to override CMS title markup for the latter
986 // WARNING: Use only once per route!
987 // Example (same title for both): <h1 crm-page-title>{{ts('Hello')}}</h1>
988 // Example (separate document title): <h1 crm-document-title="ts('Hello')" crm-page-title><i class="crm-i fa-flag"></i>{{ts('Hello')}}</h1>
989 .directive('crmPageTitle', function($timeout) {
990 return {
991 scope: {
992 crmDocumentTitle: '='
993 },
994 link: function(scope, $el, attrs) {
995 function update() {
996 $timeout(function() {
997 var newPageTitle = _.trim($el.html()),
998 newDocumentTitle = scope.crmDocumentTitle || $el.text();
999 document.title = $('title').text().replace(documentTitle, newDocumentTitle);
1000 // If the CMS has already added title markup to the page, use it
1001 $('h1').not('.crm-container h1').each(function() {
1002 if (_.trim($(this).html()) === pageTitle) {
1003 $(this).html(newPageTitle);
1004 $el.hide();
1005 }
1006 });
1007 pageTitle = newPageTitle;
1008 documentTitle = newDocumentTitle;
1009 });
1010 }
1011
1012 scope.$watch(function() {return scope.crmDocumentTitle + $el.html();}, update);
1013 }
1014 };
1015 })
1016
1017 .run(function($rootScope, $location) {
1018 /// Example: <button ng-click="goto('home')">Go home!</button>
1019 $rootScope.goto = function(path) {
1020 $location.path(path);
1021 };
1022 // useful for debugging: $rootScope.log = console.log || function() {};
1023 })
1024 ;
1025
1026})(angular, CRM.$, CRM._);