-
Notifications
You must be signed in to change notification settings - Fork 12
/
Copy pathTree.js
5695 lines (5163 loc) · 162 KB
/
Tree.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
// Copyright (c) 2006 Tafel, Fabien Tafelmacher
//
// See http://membres.lycos.fr/tafelmak/arbre.php for more info
//
// Permission is hereby granted, free of charge, to any person obtaining
// a copy of this software and associated documentation files (the
// "Software"), to deal in the Software without restriction, including
// without limitation the rights to use, copy, modify, merge, publish,
// distribute, sublicense, and/or sell copies of the Software, and to
// permit persons to whom the Software is furnished to do so, subject to
// the following conditions:
//
// The above copyright notice and this permission notice shall be
// included in all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND,
// EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF
// MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND
// NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE
// LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION
// OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION
// WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
//
// This is distributed under Free-BSD licence.
/*
@todo
------------------
check-restore default
gestion xml (load + save)
multidrop
scrolldrop
*/
/**
*------------------------------------------------------------------------------
* TafelTree Class
*------------------------------------------------------------------------------
*/
var TAFELTREE_WRONG_BRANCH_STRUCTURE = "La structure de la branche n'est pas correcte. Il faut au moins un id et un texte";
var TAFELTREE_NO_BODY_TAG = "Il n'y a pas de balise BODY!";
var TAFELTREE_DEBUG = false;
var TafelTree = Class.create();
/**
* Fragment de script pour supprimer les <ul></ul> lors du loadFromUL()
*/
//TafelTree.scriptFragment = /(?:<ul.*?>)((\n|\r|.)*)*/img;
TafelTree.scriptFragment = /[\s]*<[/]?[ul|li].*>.*/ig;
TafelTree.debugReturn = '<br />';
TafelTree.debugTab = ' ';
/**
* Attributs des LI
*/
TafelTree.prefixAttribute = 'T';
TafelTree.textAttributes = [
TafelTree.prefixAttribute + 'img',
TafelTree.prefixAttribute + 'imgopen',
TafelTree.prefixAttribute + 'imgclose',
TafelTree.prefixAttribute + 'imgselect',
TafelTree.prefixAttribute + 'imgselectopen',
TafelTree.prefixAttribute + 'imgselectclose',
TafelTree.prefixAttribute + 'style',
TafelTree.prefixAttribute + 'droplink',
TafelTree.prefixAttribute + 'openlink',
TafelTree.prefixAttribute + 'editlink',
TafelTree.prefixAttribute + 'tooltip',
TafelTree.prefixAttribute + 'title'
];
TafelTree.numericAttributes = [
TafelTree.prefixAttribute + 'canhavechildren',
TafelTree.prefixAttribute + 'acceptdrop',
TafelTree.prefixAttribute + 'draggable',
TafelTree.prefixAttribute + 'editable',
TafelTree.prefixAttribute + 'open',
TafelTree.prefixAttribute + 'check',
TafelTree.prefixAttribute + 'checkbox',
TafelTree.prefixAttribute + 'last'
];
TafelTree.functionAttributes = [
TafelTree.prefixAttribute + 'onbeforecheck',
TafelTree.prefixAttribute + 'oncheck',
TafelTree.prefixAttribute + 'onclick',
TafelTree.prefixAttribute + 'ondblclick',
TafelTree.prefixAttribute + 'onbeforeopen',
TafelTree.prefixAttribute + 'onopen',
TafelTree.prefixAttribute + 'onedit',
TafelTree.prefixAttribute + 'oneditajax',
TafelTree.prefixAttribute + 'onmouseover',
TafelTree.prefixAttribute + 'onmouseout',
TafelTree.prefixAttribute + 'onmousedown',
TafelTree.prefixAttribute + 'onmouseup',
TafelTree.prefixAttribute + 'ondrop',
TafelTree.prefixAttribute + 'onerrorajax',
TafelTree.prefixAttribute + 'ondropajax',
TafelTree.prefixAttribute + 'onopenpopulate'
];
/**
*------------------------------------------------------------------------------
* TafelTree static methods
*------------------------------------------------------------------------------
*/
/**
* Constructeur d'un nouvel arbre via UL
*
* @access public
* @param string id L'id de l'élément HTML conteneur
* @param string imgBase Le path vers les images, ou les options
* @param integer width La largeur de l'arbre
* @param integer height La hauteur de l'arbre
* @param object options Les options de génération
* @return TafelTree L'arbre créé sur la base des UL - LI
*/
TafelTree.loadFromUL = function (id, imgBase, width, height, options, debug) {
// 2006-11-25 : "options" est maintenant à la place de "imgBase"
if (typeof(imgBase) == 'object') {
options = imgBase;
debug = width;
imgBase = (options.imgBase) ? options.imgBase : 'imgs/';
width = (options.width) ? options.width : '100%';
height = (options.height) ? options.height : 'auto';
}
// Suite
var obj = $(id);
var load = document.createElement('img');
load.setAttribute('title', 'load');
load.setAttribute('alt', 'load');
load.src = ((imgBase) ? imgBase : 'imgs/') + 'load.gif';
obj.parentNode.insertBefore(load, obj);
Element.hide(obj);
var tab = '';
var tabModel = (debug) ? TafelTree.debugTab : '';
var rt = (debug) ? TafelTree.debugReturn : '';
var virgule = '';
var str = (debug) ? 'var struct = [' : '([';
for (var i = 0; i < obj.childNodes.length; i++) {
if (obj.childNodes[i].nodeName.toLowerCase() == 'li') {
str += this._loadFromUL(obj.childNodes[i], virgule, rt, tab, tabModel);
virgule = ',';
}
}
str += rt + ((debug) ? '];' : '])');
var div = document.createElement('div');
div.id = obj.id;
obj.id += '____todelete';
obj.parentNode.insertBefore(div, obj);
if (!debug) {
var m = TafelTree.prefixAttribute;
var struct = eval(str);
var _tree = new TafelTree(id, struct, options);
} else {
div.innerHTML = str.replace(/</img, '<');
var _tree = str;
}
obj.parentNode.removeChild(load);
obj.parentNode.removeChild(obj);
return _tree;
};
/**
* Méthode récursive qui va récupérer les infos de tous les LI
*
* @access private
* @param HTMLLiElement obj La LI courante
* @param string virgule Détermine s'il y a une virgule avant l'accolade ouvrante
* @param string rt Retour de ligne (pour le debug)
* @param string tab La tabulation courante (pour le debug)
* @param string tabModel La grandeur d'une tabulation (pour le debug)
* @return string La string JSON dérivée de la structure UL - LI
*/
TafelTree._loadFromUL = function (obj, virgule, rt, tab, tabModel) {
tab += tabModel;
var contenu = TafelTree.trim(obj.innerHTML.replace(TafelTree.scriptFragment, ''));
str = virgule + rt + tab + '{' + rt;
// Définition de toutes les propriétés
str += tab + "'id' : '" + obj.id + "'";
if (contenu) {
str += "," + rt + tab + "'txt' : '" + contenu + "'";
}
TafelTree.textAttributes.each(function (attr) {
if (obj.getAttribute(attr)) str += "," + rt + tab + "'" + attr.replace(TafelTree.prefixAttribute, '') + "' : '" + obj.getAttribute(attr) + "'";
});
TafelTree.numericAttributes.each(function (attr) {
if (obj.getAttribute(attr)) str += "," + rt + tab + "'" + attr.replace(TafelTree.prefixAttribute, '') + "' : " + obj.getAttribute(attr);
});
TafelTree.functionAttributes.each(function (attr) {
if (obj.getAttribute(attr)) str += "," + rt + tab + "'" + attr.replace(TafelTree.prefixAttribute, '') + "' : " + obj.getAttribute(attr);
});
// Définition des enfants
for (var i = 0; i < obj.childNodes.length; i++) {
if (obj.childNodes[i].nodeName.toLowerCase() == 'ul') {
virgule = '';
str += ',' + rt + tab + "'items' : [";
for (var j = 0; j < obj.childNodes[i].childNodes.length; j++) {
if (obj.childNodes[i].childNodes[j].nodeName.toLowerCase() == 'li') {
str += this._loadFromUL(obj.childNodes[i].childNodes[j], virgule, rt, tab, tabModel);
virgule = ',';
}
}
str += rt + tab + ']';
}
}
str += rt + tab + '}';
return str;
};
TafelTree.trim = function (string) {
return string.replace(/(^\s*)|(\s*$)|\n|\r|\t/g,'');
};
/**
*------------------------------------------------------------------------------
* TafelTree Class Constructor
*------------------------------------------------------------------------------
*/
TafelTree.prototype = {
/**
* Constructeur d'un nouvel arbre. Supporte facilement 700 éléments
*
* 2006-11-25 : changement des paramètres dans le constructeur. On peut mettre les options
* à la place de "imgBase". Les autres paramètres peuvent maintenant être passé via
* "options"
*
* @access public
* @param string id L'id de l'élément HTML conteneur
* @param object struct La structure de l'arbre
* @param string imgBase Le path vers les images (ou les options)
* @param integer width La largeur de l'arbre
* @param integer height La hauteur de l'arbre
* @param object options Les fonctions de load et autres binz de génération
*/
initialize : function (id, struct, imgBase, width, height, options) {
// 2006-11-25 : "options" est maintenant à la place de "imgBase"
if (typeof(imgBase) == 'object') {
options = imgBase;
imgBase = (options.imgBase) ? options.imgBase : 'imgs/';
width = (options.width) ? options.width : '100%';
height = (options.height) ? options.height : 'auto';
}
// Variables images
this.imgBase = (imgBase) ? imgBase : 'imgs/';
this.setLineStyle('line');
this.options = (options) ? options : {};
this.copyName = ' (%n)';
this.copyNameBreak = '_';
// Variables CSS
this.classTree = 'tafelTree';
this.classTreeRoot = this.classTree + '_root';
this.classTreeBranch = this.classTree + '_row';
this.classCopy = (this.options.copyCSS) ? this.options.copyCSS : null;
this.classCut = (this.options.cutCSS) ? this.options.cutCSS : null;
this.classDrag = 'drag';
this.classSelected = 'selected';
this.classEditable = 'editable';
this.classContent = 'content';
this.classCanevas = 'canevas';
this.classDragOver = 'dragOver';
this.classTooltip = 'tooltip';
this.classOpenable = 'openable';
// Default structure
this.defaultStruct = [];
/*for (var i = 0; i < struct.length; i++) {
this.defaultStruct.push(Object.clone(struct[i]));
}*/
// Autres variables
this.idTree = 0;
this.behaviourDrop = 0;
this.durationTooltipShow = 1000;
this.durationTooltipHide = 100;
this.baseStruct = struct;
this.width = (width) ? width : '100%';
this.height = (height) ? height : 'auto';
this.div = $(id);
if(this.div.style){
this.div.style.width = this.width;
this.div.style.height = this.height;
}
this.id = this.div.id;
this.isTree = true;
this.dropALT = true;
this.openAll = false;
this.rtlMode = false;
this.dropCTRL = true;
this.multiline = false;
this.checkboxes = false;
this.propagation = true;
this.dragRevert = true;
this.dragGhosting = true;
this.bigTreeLoading = -1;
this.dropAsSibling = true;
this.onlyOneOpened = false;
this.openedAfterAdd = true;
this.editableBranches = true;
this.reopenFromServer = true;
this.selectedBranchShowed = true,
this.checkboxesThreeState = false;
this.roots = [];
this.icons = [null, null, null];
this.iconsSelected = [null, null, null];
this.otherTrees = [];
this.cuttedBranches = [];
this.copiedBranches = [];
this.checkedBranches = [];
this.selectedBranches = [];
this.idTreeBranch = this.classTree + '_' + this.id + '_id_';
Element.addClassName(this.div, this.classTree);
// Cookie
this.useCookie = true;
this.cookieSeparator = '|';
this.cookieCheckSeparator = '[check]';
this.cookieOpened = null;
this.cookieChecked = null;
var fromCookie = this.getCookie(this.classTree + this.id);
if (fromCookie) {
var branches = fromCookie.split(this.cookieCheckSeparator);
// Branches ouvertes
this.cookieOpened = [];
this.cookieOpened = branches[0].split(this.cookieSeparator);
this.cookieOpened.shift();
// Branches checkées (avec anti-bug pour les anciennes versions et anciens cookies)
this.cookieChecked = [];
if (branches.length > 1) {
this.cookieChecked = branches[1].split(this.cookieSeparator);
}
}
// Instance de debug
this.debugObj = document.createElement('div');
this.debugObj.setAttribute('id', this.classTree + '_debug');
Element.hide(this.debugObj);
this.div.appendChild(this.debugObj);
// Instance Ajax
this.ajaxObj = document.createElement('div');
this.ajaxObj.setAttribute('id', this.classTree + '_ajax');
Element.hide(this.ajaxObj);
this.div.appendChild(this.ajaxObj);
this.setOptions(this.options);
Event.observe(this.div, 'mousedown', this.evt_setAsCurrent.bindAsEventListener(this), false);
Event.observe(this.div, 'focus', this.evt_setAsCurrent.bindAsEventListener(this), false);
if (this.options.generate) {
this.generate();
}
if (this.options.generateBigTree) {
this.generate(true);
}
TafelTreeManager.add(this);
},
/**
*------------------------------------------------------------------------------
* TafelTree global events management
*------------------------------------------------------------------------------
*/
/**
* Set l'arbre comme étant l'arbre courant
*
* Toutes les actions claviers auront effet seulement sur cet arbre et non sur les autres*
*
* @access public
* @param Event ev L'événement déclencheur
* @return void
*/
evt_setAsCurrent : function (ev) {
var obj = Event.element(ev);
TafelTreeManager.setCurrentTree(this);
},
/**
* Retourne une liste de branches ordrée (en fonction de leur position dans l'arbre)
*
* @access public
* @param array list Un tableau de TafelTreeBranch
* @return array Un tableau ordré de TafelTreeBranch
*/
orderListBranches : function (list) {
var ordered = [];
var level = [];
var nivmin = 100;
var nivmax = 0;
// On ordre par niveau
for (var i = 0; i < list.length; i++) {
niv = list[i].getLevel();
if (typeof(level[niv]) == 'undefined') {
level[niv] = [];
}
level[niv].push(list[i]);
if (niv > nivmax) nivmax = niv;
if (niv < nivmin) nivmin = niv;
}
// On enlève le cheni de m... à cause de la gestion tableau javascript
for (var i = nivmin; i <= nivmax; i++) {
if (level[i]) {
ordered.push(level[i]);
}
}
// Pour chaque niveau, on ordre par position dans l'arbre
// On ne récupère que les 1er niveaux. S'il y a des enfants, on les ignore
return ordered;
},
/**
* Retourne les branches copiées de l'arbre, ou d'un arbre lié
*
* Si le tableau n'a pas de branches, la méthode va voir dans les arbres liés
* pour récupérer les branches qui seraient copiées dans l'autre arbre
*
* @access public
* @return array Les branches copiées
*/
getCopiedBranches : function () {
var branches = this.copiedBranches;
if (branches.length == 0) {
for (var i = 0; i < this.otherTrees.length; i++) {
branches = this.otherTrees[i].copiedBranches;
if (branches.length > 0) break;
}
}
return branches;
},
/**
* Retourne les branches coupées de l'arbre, ou d'un arbre lié
*
* Si le tableau n'a pas de branches, la méthode va voir dans les arbres liés
* pour récupérer les branches qui seraient coupées dans l'autre arbre
*
* @access public
* @return array Les branches coupées
*/
getCuttedBranches : function () {
var branches = this.cuttedBranches;
if (branches.length == 0) {
for (var i = 0; i < this.otherTrees.length; i++) {
branches = this.otherTrees[i].cuttedBranches;
if (branches.length > 0) break;
}
}
return branches;
},
/**
* Fonction qui coupe la sélection et la met dans un cache
*
* @access public
* @return return True si ça coupe, false sinon
*/
cut : function () {
this.unsetCut();
this.unsetCopy();
var level = this.orderListBranches(this.selectedBranches);
//this.debug(level);
for (var i = 0; i < level.length; i++) {
for (var j = 0; j < level[i].length; j++) {
sel = level[i][j];
this._cut(sel);
this.cuttedBranches.push(sel);
}
}
return true;
},
/**
* Fonction qui copie la sélection dans un cache
*
* @access public
* @return return True si ça copie, false sinon
*/
copy : function () {
this.unsetCut();
this.unsetCopy();
var level = this.orderListBranches(this.selectedBranches);
for (var i = 0; i < this.selectedBranches.length; i++) {
sel = this.selectedBranches[i];
this._copy(sel);
this.copiedBranches[i] = sel;
}
return true;
},
/**
* Fonction qui colle le cache à l'endroit sélectionné. Il ne doit y avoir qu'une sélection
*
* @access public
* @return return True si ça colle, false sinon
*/
paste : function () {
if (this.selectedBranches.length != 1) return false;
var branch = this.selectedBranches[0];
var copied = this.getCopiedBranches();
var cutted = this.getCuttedBranches();
var nbCopy = copied.length;
var nbCut = cutted.length;
if (nbCopy > 0) {
var list = copied;
for (var i = 0; i < list.length; i++) {
if (this._okForPaste(branch, list, i)) {
b = branch.insertIntoLast(list[i].clone());
}
}
}
if (nbCut > 0) {
var list = cutted;
for (var i = 0; i < list.length; i++) {
if (this._okForPaste(branch, list, i)) {
list[i].move(branch);
}
}
}
//this.unsetCopy();
this.unsetCut();
return true;
},
/**
* Détermine si on peut coller la partie courante du cache ou non
*
* @access private
* @param TafelTreeBranch branch La branche dans laquelle on colle
* @param array list Le tableau de cache ordré par niveau
* @param integer i La position courante dans le cache
* @return boolean True si on peut coller, false sinon
*/
_okForPaste : function (branch, list, i) {
var ok = true;
if (!branch.isChild(list[i])) {
for (var j = 0; j < i; j++) {
if (list[i].isChild(list[j])) {
ok = false;
break;
}
}
} else {
ok = false;
}
return ok;
},
unsetCut : function () {
// On enlève les branches coupées des autres arbres (suppression du "presse-papier")
for (var i = 0; i < this.otherTrees.length; i++) {
_tree = this.otherTrees[i];
branches = _tree.cuttedBranches;
for (var t = 0; t < branches.length; t++) {
_tree._unsetCut(branches[t]);
}
_tree.cuttedBranches = [];
}
for (var i = 0; i < this.cuttedBranches.length; i++) {
cut = this.cuttedBranches[i];
this._unsetCut(cut);
}
this.cuttedBranches = [];
},
unsetCopy : function () {
// On enlève les branches copiées des autres arbres (suppression du "presse-papier")
for (var i = 0; i < this.otherTrees.length; i++) {
_tree = this.otherTrees[i];
branches = _tree.copiedBranches;
for (var t = 0; t < branches.length; t++) {
_tree._unsetCopy(branches[t]);
}
_tree.copiedBranches = [];
}
for (var i = 0; i < this.copiedBranches.length; i++) {
copy = this.copiedBranches[i];
this._unsetCopy(copy);
}
this.copiedBranches = [];
},
/**
* Annule les [n] dernières actions (todo...)
*
* @access public
* @return boolean True si quelque chose a été annulé
*/
undo : function () {
},
/**
*------------------------------------------------------------------------------
* TafelTree private keyboard methods
*------------------------------------------------------------------------------
*/
/**
* Méthode récursive qui fait l'effet "couper" sur toutes les sous-branches
*
* @access private
* @param TafelTreeBranch branch La branche courante
* @return void
*/
_cut : function (branch) {
if (!this.classCut) {
new Effect.Opacity(branch.txt, {
duration: 0.1,
transition: Effect.Transitions.linear,
from: 1.0, to: 0.4
});
new Effect.Opacity(branch.img, {
duration: 0.1,
transition: Effect.Transitions.linear,
from: 1.0, to: 0.4
});
} else {
Element.addClassName(branch.txt, this.classCut);
Element.addClassName(branch.img, this.classCut);
}
if (branch.hasChildren()) {
for (var i = 0; i < branch.children.length; i++) {
this._cut(branch.children[i]);
}
}
},
/**
* Méthode récursive qui enlève l'effet "couper" sur toutes les sous-branches
*
* @access private
* @param TafelTreeBranch branch La branche courante
* @return void
*/
_unsetCut : function (branch) {
if (!this.classCut) {
new Effect.Opacity(branch.txt, {
duration: 0.1,
transition: Effect.Transitions.linear,
from: 0.4, to: 1.0
});
new Effect.Opacity(branch.img, {
duration: 0.1,
transition: Effect.Transitions.linear,
from: 0.4, to: 1.0
});
} else {
Element.removeClassName(branch.txt, this.classCut);
Element.removeClassName(branch.img, this.classCut);
}
if (branch.hasChildren()) {
for (var i = 0; i < branch.children.length; i++) {
this._unsetCut(branch.children[i]);
}
}
},
/**
* Méthode récursive qui fait l'effet "copier" sur toutes les sous-branches
*
* @access private
* @param TafelTreeBranch branch La branche courante
* @return void
*/
_copy : function (branch) {
if (this.classCopy) {
Element.addClassName(branch.txt, this.classCopy);
Element.addClassName(branch.img, this.classCopy);
}
if (branch.hasChildren()) {
for (var i = 0; i < branch.children.length; i++) {
this._copy(branch.children[i]);
}
}
},
/**
* Méthode récursive qui enlève l'effet "copier" sur toutes les sous-branches
*
* @access private
* @param TafelTreeBranch branch La branche courante
* @return void
*/
_unsetCopy : function (branch) {
if (this.classCopy) {
Element.removeClassName(branch.txt, this.classCopy);
Element.removeClassName(branch.img, this.classCopy);
}
if (branch.hasChildren()) {
for (var i = 0; i < branch.children.length; i++) {
this._unsetCopy(branch.children[i]);
}
}
},
/**
*------------------------------------------------------------------------------
* TafelTree getters and setters methods
*------------------------------------------------------------------------------
*/
enableMultiline : function (multiline) {
this.multiline = (multiline) ? true : false;
},
enableRTL : function (rtl) {
this.rtlMode = (rtl) ? true : false;
if (this.rtlMode) {
this.div.style.float = 'right';
this.div.style.textAlign = 'right';
this.div.style.direction = 'rtl';
} else {
this.div.style.float = 'left';
this.div.style.textAlign = 'left';
this.div.style.direction = 'ltr';
}
this.setLineStyle(this.lineStyle);
},
isRTL : function () {
return this.rtlMode;
},
disableDropALT : function (alt) {
this.dropALT = (alt) ? true : false;
},
disableDropCTRL : function (copy) {
this.dropCTRL = (copy) ? true : false;
},
enableCheckboxes : function (enable) {
this.checkboxes = (enable) ? true : false;
},
enableCheckboxesThreeState : function (enable) {
this.enableCheckboxes(enable);
this.checkboxesThreeState = (enable) ? true : false;
},
/**
* Permet d'utiliser les cookies ou non. Le séparateur est optionnel, '|' par défaut
*
* @access public
* @param boolean enable True (par défaut) pour gérer les cookies
* @param string separator Le séparateur dans le cookie )
*/
enableCookies : function (enable, separator) {
this.useCookie = (enable) ? true : false;
if (typeof(separator) != 'undefined') {
this.cookieSeparator = separator;
}
},
openOneAtOnce : function (yes) {
this.onlyOneOpened = (yes) ? true : false;
},
openAfterAdd : function (yes) {
this.openedAfterAdd = (yes) ? true : false;
},
reopenFromServerAfterLoad : function (yes) {
this.reopenFromServer = (yes) ? true : false;
},
/**
* Fonction qui set par défaut l'état des branches (ouvert ou fermé)
*
* @access public
* @param boolean open True pour tout ouvrir, false pour tout fermer
* @return void
*/
openAtLoad : function (open) {
this.openAll = (open) ? true : false;
},
showSelectedBranch : function (show) {
this.selectedBranchShowed = (show) ? true : false;
},
/**
* Permet de choisir quel comportement par defaut le drop aura
*
* L'autre comportement s'obtient en gardant la touche ALT appuyée et/ou CTRL
*
* @access public
* @param string def 'sibling', 'siblingcopy', 'child' ou 'childcopy'
* @return void
*/
setBehaviourDrop : function (def) {
switch (def) {
case 'sibling' : this.behaviourDrop = 1; break;
case 'childcopy' : this.behaviourDrop = 2; break;
case 'siblingcopy' : this.behaviourDrop = 3; break;
case 'child' :
default :
this.behaviourDrop = 0;
}
},
/**
* Set les icônes par défaut pour toutes les branches
*
* Si imgopen n'est pas défini, il prend la valeur d'img. Pareil pour imgclose.
*
* @access public
* @param string img L'image quand la branche n'a pas d'enfants
* @param string imgopen L'image quand la branche des enfants et est ouverte
* @param string imgclose L'image quand la branche a des enfants et est fermée
* @return void
*/
setIcons : function (img, imgopen, imgclose) {
this.icons[0] = img;
this.icons[1] = (imgopen) ? imgopen : img;
this.icons[2] = (imgclose) ? imgclose : img;
},
/**
* Set les icônes de sélection par défaut pour toutes les branches
*
* @access public
* @param string img L'image quand la branche n'a pas d'enfants
* @param string imgopen L'image quand la branche des enfants et est ouverte
* @param string imgclose L'image quand la branche a des enfants et est fermée
* @return void
*/
setIconsSelected : function (img, imgopen, imgclose) {
this.iconsSelected[0] = img;
this.iconsSelected[1] = (imgopen) ? imgopen : null;
this.iconsSelected[2] = (imgclose) ? imgclose : null;
},
/**
* Fonction qui permet de choisir le style des lignes entre les branches
*
* @access public
* @param string style LE style des lignes, 'none' ou 'line'
* @return void
*/
setLineStyle : function (style) {
this.lineStyle = style;
switch (style) {
case 'none' :
this.imgLine0 = 'empty.gif'; this.imgLine1 = 'empty.gif'; this.imgLine2 = 'empty.gif';
this.imgLine3 = 'empty.gif'; this.imgLine4 = 'empty.gif'; this.imgLine5 = 'empty.gif';
this.imgWait = 'wait.gif'; this.imgEmpty = 'empty.gif';
this.imgMinus1 = 'minus0.gif'; this.imgMinus2 = 'minus0.gif'; this.imgMinus3 = 'minus0.gif';
this.imgMinus4 = 'minus0.gif'; this.imgMinus5 = 'minus0.gif';
this.imgPlus1 = 'plus0.gif'; this.imgPlus2 = 'plus0.gif'; this.imgPlus3 = 'plus0.gif';
this.imgPlus4 = 'plus0.gif'; this.imgPlus5 = 'plus0.gif';
this.imgCheck1 = 'check1.gif'; this.imgCheck2 = 'check2.gif'; this.imgCheck3 = 'check3.gif';
// Les 2 premiers sont des noms d'images, les 2 autres de classes CSS
this.imgMulti1 = 'empty.gif'; this.imgMulti2 = 'empty.gif';
this.imgMulti3 = ''; this.imgMulti4 = '';
break;
case 'full' :
if (this.isRTL()) {
this.imgLine0 = 'rtl_linefull0.gif'; this.imgLine1 = 'rtl_linefull1.gif'; this.imgLine2 = 'rtl_linefull2.gif';
this.imgLine3 = 'rtl_linefull3.gif'; this.imgLine4 = 'rtl_linefull4.gif'; this.imgLine5 = 'rtl_linefull5.gif';
this.imgWait = 'wait.gif'; this.imgEmpty = 'empty.gif';
this.imgMinus1 = 'rtl_minusfull1.gif'; this.imgMinus2 = 'rtl_minusfull2.gif'; this.imgMinus3 = 'rtl_minusfull3.gif';
this.imgMinus4 = 'rtl_minusfull4.gif'; this.imgMinus5 = 'rtl_minusfull5.gif';
this.imgPlus1 = 'rtl_plusfull1.gif'; this.imgPlus2 = 'rtl_plusfull2.gif'; this.imgPlus3 = 'rtl_plusfull3.gif';
this.imgPlus4 = 'rtl_plusfull4.gif'; this.imgPlus5 = 'rtl_plusfull5.gif';
this.imgCheck1 = 'check1.gif'; this.imgCheck2 = 'check2.gif'; this.imgCheck3 = 'check3.gif';
// Les 2 premiers sont des noms d'images, les 2 autres de classes CSS
this.imgMulti1 = 'rtl_linebgfull.gif'; this.imgMulti2 = 'rtl_linebgfull2.gif';
this.imgMulti3 = 'multiline'; this.imgMulti4 = 'multiline2';
} else {
this.imgLine0 = 'linefull0.gif'; this.imgLine1 = 'linefull1.gif'; this.imgLine2 = 'linefull2.gif';
this.imgLine3 = 'linefull3.gif'; this.imgLine4 = 'linefull4.gif'; this.imgLine5 = 'linefull5.gif';
this.imgWait = 'wait.gif'; this.imgEmpty = 'empty.gif';
this.imgMinus1 = 'minusfull1.gif'; this.imgMinus2 = 'minusfull2.gif'; this.imgMinus3 = 'minusfull3.gif';
this.imgMinus4 = 'minusfull4.gif'; this.imgMinus5 = 'minusfull5.gif';
this.imgPlus1 = 'plusfull1.gif'; this.imgPlus2 = 'plusfull2.gif'; this.imgPlus3 = 'plusfull3.gif';
this.imgPlus4 = 'plusfull4.gif'; this.imgPlus5 = 'plusfull5.gif';
this.imgCheck1 = 'check1.gif'; this.imgCheck2 = 'check2.gif'; this.imgCheck3 = 'check3.gif';
// Les 2 premiers sont des noms d'images, les 2 autres de classes CSS
this.imgMulti1 = 'linebgfull.gif'; this.imgMulti2 = 'linebgfull2.gif';
this.imgMulti3 = 'multiline'; this.imgMulti4 = 'multiline2';
}
break;
case 'line' :
default :
if (this.isRTL()) {
this.imgLine0 = 'rtl_line0.gif'; this.imgLine1 = 'rtl_line1.gif'; this.imgLine2 = 'rtl_line2.gif';
this.imgLine3 = 'rtl_line3.gif'; this.imgLine4 = 'rtl_line4.gif'; this.imgLine5 = 'rtl_line5.gif';
this.imgWait = 'wait.gif'; this.imgEmpty = 'empty.gif';
this.imgMinus1 = 'rtl_minus1.gif'; this.imgMinus2 = 'rtl_minus2.gif'; this.imgMinus3 = 'rtl_minus3.gif';
this.imgMinus4 = 'rtl_minus4.gif'; this.imgMinus5 = 'rtl_minus5.gif';
this.imgPlus1 = 'rtl_plus1.gif'; this.imgPlus2 = 'rtl_plus2.gif'; this.imgPlus3 = 'rtl_plus3.gif';
this.imgPlus4 = 'rtl_plus4.gif'; this.imgPlus5 = 'rtl_plus5.gif';
this.imgCheck1 = 'check1.gif'; this.imgCheck2 = 'check2.gif'; this.imgCheck3 = 'check3.gif';
// Les 2 premiers sont des noms d'images, les 2 autres de classes CSS
this.imgMulti1 = 'rtl_linebg.gif'; this.imgMulti2 = 'rtl_linebg2.gif';
this.imgMulti3 = 'multiline'; this.imgMulti4 = 'multiline2';
} else {
this.imgLine0 = 'line0.gif'; this.imgLine1 = 'line1.gif'; this.imgLine2 = 'line2.gif';
this.imgLine3 = 'line3.gif'; this.imgLine4 = 'line4.gif'; this.imgLine5 = 'line5.gif';
this.imgWait = 'wait.gif'; this.imgEmpty = 'empty.gif';
this.imgMinus1 = 'minus1.gif'; this.imgMinus2 = 'minus2.gif'; this.imgMinus3 = 'minus3.gif';
this.imgMinus4 = 'minus4.gif'; this.imgMinus5 = 'minus5.gif';
this.imgPlus1 = 'plus1.gif'; this.imgPlus2 = 'plus2.gif'; this.imgPlus3 = 'plus3.gif';
this.imgPlus4 = 'plus4.gif'; this.imgPlus5 = 'plus5.gif';
this.imgCheck1 = 'check1.gif'; this.imgCheck2 = 'check2.gif'; this.imgCheck3 = 'check3.gif';
// Les 2 premiers sont des noms d'images, les 2 autres de classes CSS
this.imgMulti1 = 'linebg.gif'; this.imgMulti2 = 'linebg2.gif';
this.imgMulti3 = 'multiline'; this.imgMulti4 = 'multiline2';
}
}
},
setTooltipDuration : function (show, hide) {
this.durationTooltipShow = show;
this.durationTooltipHide = hide;
},
/**
* Méthode qui permet d'interdir les mouvements dans la branche dragguée
*
* @access public
* @param boolean propagateRestiction True pour interdir le mouvement des enfants de la branche droppée
* @return void
*/
propagateRestriction : function (propagate) {
this.propagation = (typeof(propagate) == 'undefined') ? true : propagate;
},
getSelectedBranches : function () {
return this.selectedBranches;
},
setContextMenu : function (menu) {
var div = document.createElement('div');
div.innerHTML = menu;
this.div.appendChild(div);
},
/**
*------------------------------------------------------------------------------
* TafelTree public methods
*------------------------------------------------------------------------------
*/
/**
* Fonction pour générer l'arbre
*
* @access public
* @param boolean bigTree True pour spécifier que c'est un gros arbre
* @return void
*/
generate : function (bigTree) {
if (!bigTree) {
for (var i = 0; i < this.baseStruct.length; i++) {
isNotFirst = (i > 0) ? true : false;
isNotLast = (i < this.baseStruct.length - 1) ? true : false;
this.roots[i] = new TafelTreeRoot(this, this.baseStruct[i], 0, isNotFirst, isNotLast, i);
this.div.appendChild(this.roots[i].obj);
}
this.loadComplete();
} else {
this.bigTreeLoading = 0;
setTimeout(this._checkLoad.bind(this), 100);
setTimeout(this._generateBigTree.bind(this), 10);
}
},
/**
* Lance les fonctions générales de l'arbre
*
* @access public
* @param object options Les fonctions et autres ouvertures automatiques*
* @return void
*/
setOptions : function (options) {
// Fonctions événementielles
if (options.onLoad) this.setOnLoad(options.onLoad);
if (options.onDebug) this.setOnDebug(options.onDebug);