forked from TeamKraken/Instatrip
-
Notifications
You must be signed in to change notification settings - Fork 4
/
Copy pathFind Results
1504 lines (1443 loc) · 108 KB
/
Find Results
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
Searching 2346 files for "container"
/Users/bobo/Desktop/Instatrip/bower_components/angular/angular.js:
5051 *
5052 * ```js
5053: * $animate.on('enter', container,
5054 * function callback(element, phase) {
5055: * // cool we detected an enter animation within the container
5056 * }
5057 * );
....
5059 *
5060 * @param {string} event the animation event that will be captured (e.g. enter, leave, move, addClass, removeClass, etc...)
5061: * @param {DOMElement} container the container element that will capture each of the animation events that are fired on itself
5062 * as well as among its children
5063 * @param {Function} callback the callback function that will be fired when the listener is triggered
....
5082 *
5083 * // remove all the animation event listeners listening for `enter` on the given element and its children
5084: * $animate.off('enter', container);
5085 *
5086 * // remove the event listener function provided by `listenerFn` that is set
5087 * // to listen for `enter` on the given `element` as well as its children
5088: * $animate.off('enter', container, callback);
5089 * ```
5090 *
5091 * @param {string} event the animation event (e.g. enter, leave, move, addClass, removeClass, etc...)
5092: * @param {DOMElement=} container the container element the event listener was placed on
5093 * @param {Function=} callback the callback function that was registered as the listener
5094 */
....
6315 * and when the `cloneLinkinFn` is passed,
6316 * as those elements need to created and cloned in a special way when they are defined outside their
6317: * usual containers (e.g. like `<svg>`).
6318 * * See also the `directive.templateNamespace` property.
6319 *
....
6356 * String representing the document type used by the markup in the template.
6357 * AngularJS needs this information as those elements need to be created and cloned
6358: * in a special way when they are defined outside their usual containers like `<svg>` and `<math>`.
6359 *
6360 * * `html` - All root nodes in the template are HTML. Root nodes may also be
....
22939 * <file name="protractor.js" type="protractor">
22940 * it('should check controller as', function() {
22941: * var container = element(by.id('ctrl-as-exmpl'));
22942: * expect(container.element(by.model('settings.name'))
22943 * .getAttribute('value')).toBe('John Smith');
22944 *
22945 * var firstRepeat =
22946: * container.element(by.repeater('contact in settings.contacts').row(0));
22947 * var secondRepeat =
22948: * container.element(by.repeater('contact in settings.contacts').row(1));
22949 *
22950 * expect(firstRepeat.element(by.model('contact.value')).getAttribute('value'))
.....
22959 * .toBe('');
22960 *
22961: * container.element(by.buttonText('add')).click();
22962 *
22963: * expect(container.element(by.repeater('contact in settings.contacts').row(2))
22964 * .element(by.model('contact.value'))
22965 * .getAttribute('value'))
.....
23022 * <file name="protractor.js" type="protractor">
23023 * it('should check controller', function() {
23024: * var container = element(by.id('ctrl-exmpl'));
23025 *
23026: * expect(container.element(by.model('name'))
23027 * .getAttribute('value')).toBe('John Smith');
23028 *
23029 * var firstRepeat =
23030: * container.element(by.repeater('contact in contacts').row(0));
23031 * var secondRepeat =
23032: * container.element(by.repeater('contact in contacts').row(1));
23033 *
23034 * expect(firstRepeat.element(by.model('contact.value')).getAttribute('value'))
.....
23042 * .toBe('');
23043 *
23044: * container.element(by.buttonText('add')).click();
23045 *
23046: * expect(container.element(by.repeater('contact in contacts').row(2))
23047 * .element(by.model('contact.value'))
23048 * .getAttribute('value'))
.....
23753 *
23754 * @animations
23755: * enter - happens just after the `ngIf` contents change and a new DOM element is created and injected into the `ngIf` container
23756 * leave - happens just before the `ngIf` contents are removed from the DOM
23757 *
.....
23895 url of the template: <code>{{template.url}}</code>
23896 <hr/>
23897: <div class="slide-animate-container">
23898 <div class="slide-animate" ng-include="template.url"></div>
23899 </div>
.....
23916 </file>
23917 <file name="animations.css">
23918: .slide-animate-container {
23919 position:relative;
23920 background:white;
.....
26915 I have {{friends.length}} friends. They are:
26916 <input type="search" ng-model="q" placeholder="filter friends..." aria-label="filter friends" />
26917: <ul class="example-animate-container">
26918 <li class="animate-repeat" ng-repeat="friend in friends | filter:q as results">
26919 [{{$index + 1}}] {{friend.name}} who is {{friend.age}} years old.
.....
26926 </file>
26927 <file name="animations.css">
26928: .example-animate-container {
26929 background:white;
26930 border:1px solid black;
.....
27619 * The directive itself works similar to ngInclude, however, instead of downloading template code (or loading it
27620 * from the template cache), `ngSwitch` simply chooses one of the nested elements and makes it visible based on which element
27621: * matches the value obtained from the evaluated expression. In other words, you define a container element
27622 * (where you place the directive), place an expression on the **`on="..."` attribute**
27623 * (or the **`ng-switch="..."` attribute**), define any inner elements inside of the directive and place
.....
27634
27635 * @animations
27636: * enter - happens after the ngSwitch contents change and the matched child element is placed inside the container
27637 * leave - happens just after the ngSwitch contents change and just before the former contents are removed from the DOM
27638 *
.....
27669 <code>selection={{selection}}</code>
27670 <hr/>
27671: <div class="animate-switch-container"
27672 ng-switch on="selection">
27673 <div class="animate-switch" ng-switch-when="settings">Settings Div</div>
.....
27685 </file>
27686 <file name="animations.css">
27687: .animate-switch-container {
27688 position:relative;
27689 background:white;
/Users/bobo/Desktop/Instatrip/bower_components/ng-scrollable/README.md:
41 ```
42
43: If the size of your scrollable container or content changes, call
44 ```javascript
45 $scope.$emit('content.changed');
..
54 from outside the ng-scrollable scope.
55
56: In case the DOM of your scrollable container changes, call
57 ```javascript
58 $scope.$broadcast('content.reload');
..
78
79 ### content.changed (wait, noNotify)
80: Re-evaluate content and container size and update scrollbars in the next digest cycle or after an optional timeout defined by `wait` (in ms). If `noNotify` is True no event is sent when dimensions have changed.
81
82 ### content.reload (noNotify))
..
89 ng-scrollable broadcasts changes in dimensions down the scope stack using `$scope.$broadcast` so inner content controllers can react appropriatly.
90
91: ### scrollable.dimensions(containerWidth, containerHeight, contentWidth, contentHeight, id)
92: Sent on each detected change to the container or content dimensions. Id may be defined using configuration parameters (see below).
93
94
..
101 ```
102 ### id
103: Unique Id value to identify events sent by the scrollable container. Value and type are opaque to ng-scrollable, you may use numbers, strings and even Javascript objects.
104
105 ### scrollX
...
116
117 ### scrollXSlackSpace
118: Number of pixels the content width may be larger than the container width without making the horizontal scrollbar appear. This allows for some extra room so that a scrollbar is not yet visible just because of a few pixels.
119 **Default: 0**
120
121 ### scrollYSlackSpace
122: Number of pixels the content height may be larger than the container height without making the vertical scrollbar appear. This allows for some extra room so that a scrollbar is not yet visible just because of a few pixels.
123 **Default: 0**
124
...
132
133 ### useKeyboard
134: When set to true, keyboard events are used for scrolling when the mouse cursor hovers above the content. Small steps (30px) are triggered by up, down, left, right keys. Large steps (1x container width or height) are triggered by PageUp, PageDown, Home and End keys. If horizontal scrolling is inactive (either because `scrollX=='none'` or `contentWidth < containerWidth`) Home and End keys jump to top or bottom in vertical direction.
135 **Default: true**
136
...
140
141 ### scrollXAlways
142: Always show the horizontal scrollbar even if the content is smaller than the container.
143 **Default: false**
144
145 ### scrollYAlways
146: Always show the vertical scrollbar even if the content is smaller than the container.
147 **Default: false**
148
...
167
168 * ng-scrollable is pure Javascript and only requires Angular.
169: * Content is wrapped with `ng-transclude` into an `overflow:hidden` container.
170 * Scrollbars are added as sibling element and positioned absolute over the content.
171 * Content and scrollbars are soft moving using CSS3 transform3d and transition.
...
219 ```
220
221: ### Scrollable Container Positioning
222
223: The scrollable container must have position relative or absolute for scrollbars to be visible. The CSS class `.scrollable` already takes care of this, but keep in mind to not interfere when styling the container.
224
225
226 ### Scrollbar and Content Styling
227
228: Scrollbars are placed absolute above the content and inside the scrollable container. Their CSS defines some transparency per default, but they don't *push* content aside. If you want bars beeing displayed beside your content you need to specify explicit margins on your content yourself. To assist you, ng-scrollable inserts the following classes on the content wrapper element when a scrollbar is displayed:
229
230 ```
...
235 ```
236
237: Note that these classes get inserted only when scrolling is not disabled and when the content width or height is larger than the containers width or height.
238
239
/Users/bobo/Desktop/Instatrip/bower_components/ng-scrollable/example/demo.html:
33 <section>
34 <h2 class="sectionhead">Demo</h2>
35: <div class="container-fluid" ng-controller="Demo">
36 <div class="row">
37 <div class="col-md-6">
..
77 <section>
78 <h2 class="sectionhead">How to use it</h2>
79: <div class="container-fluid"><div class="row"><div class="col-md-8" style="float:none; margin:0 auto">
80 <pre class='prettyprint text-left'><head>
81 <link href="ng-scrollable.min.css" rel="stylesheet">
/Users/bobo/Desktop/Instatrip/bower_components/ng-scrollable/src/ng-scrollable.js:
93 isXActive = false,
94 isYActive = false,
95: containerWidth = 0,
96: containerHeight = 0,
97 contentWidth = 0,
98 contentHeight = 0,
..
129 },
130 updateSliderX = function () {
131: // adjust container width by the amount of border pixels so that the
132 // slider does not extend outside the bar region
133: var cw = containerWidth - 3;
134 if (isXActive) {
135 xSliderWidth = Math.max(config.minSliderLength, parseInt(cw * cw / contentWidth, 10));
...
150 },
151 updateSliderY = function () {
152: // adjust container height by the amount of border pixels so that the
153 // slider does not extend outside the bar region
154: var ch = containerHeight - 3;
155 if (isYActive) {
156 ySliderHeight = Math.max(config.minSliderLength, parseInt(ch * ch / contentHeight, 10));
...
172 updateBarX = function () {
173 var showAlways = config.scrollXAlways,
174: scrollbarXStyles = {left: 0, width: toPix(containerWidth), display: isXActive || showAlways ? "inherit" : "none"};
175 switch (config.scrollX) {
176 case 'bottom':
...
190 updateBarY = function () {
191 var showAlways = config.scrollYAlways,
192: scrollbarYStyles = {top: 0, height: toPix(containerHeight), display: isYActive || showAlways ? "inherit" : "none"};
193 switch (config.scrollY) {
194 case 'right':
...
207 },
208 scrollTo = function (left, top) {
209: // clamp to 0 .. content{Height|Width} - container{Height|Width}
210: contentTop = clamp(top, 0, contentHeight - containerHeight);
211: contentLeft = clamp(left, 0, contentWidth - containerWidth);
212 dom.content[0].style[xform] = 'translate3d(' + toPix(-contentLeft) + ',' + toPix(-contentTop) + ',0)';
213 // update external scroll spies
...
231 refresh = function (event, noNotify) {
232 // read DOM
233: containerWidth = config.usePadding ? dom.el[0].clientWidth : dom.el[0].offsetWidth; // innerWidth() : elm[0].width();
234: containerHeight = config.usePadding ? dom.el[0].clientHeight : dom.el[0].offsetHeight; // elm[0].innerHeight() : elm[0].height();
235 contentWidth = dom.content[0].scrollWidth;
236 contentHeight = dom.content[0].scrollHeight;
237
238 // activate scrollbars
239: if (config.scrollX !== 'none' && containerWidth + config.scrollXSlackSpace < contentWidth) {
240 isXActive = true;
241 }
...
245 }
246
247: if (config.scrollY !== 'none' && containerHeight + config.scrollYSlackSpace < contentHeight) {
248 isYActive = true;
249 }
...
262 // controllers can react appropriatly
263 if (!noNotify) {
264: $scope.$broadcast('scrollable.dimensions', containerWidth, containerHeight, contentWidth, contentHeight, config.id);
265 }
266 },
...
347 // scale slider move to content width
348 var deltaSlider = xpos(e) - dragStartPageX,
349: deltaContent = isTouchDevice ? -deltaSlider : parseInt(deltaSlider * (contentWidth - containerWidth) / (containerWidth - xSliderWidth), 10);
350 scrollX(dragStartLeft + deltaContent);
351 return stop(e, true);
...
380 if (isYScrolling) {
381 var deltaSlider = ypos(e) - dragStartPageY,
382: deltaContent = isTouchDevice ? -deltaSlider : parseInt(deltaSlider * (contentHeight - containerHeight) / (containerHeight - ySliderHeight), 10);
383 scrollY(dragStartTop + deltaContent);
384 return stop(e, true);
...
406 var halfOfScrollbarLength = parseInt(xSliderWidth / 2, 10),
407 positionLeft = e.clientX - dom.barX[0].getBoundingClientRect().left - halfOfScrollbarLength,
408: maxPositionLeft = containerWidth - xSliderWidth,
409 positionRatio = clamp(positionLeft / maxPositionLeft, 0, 1);
410: scrollX((contentWidth - containerWidth) * positionRatio);
411 $scope.$digest();
412 },
...
414 var halfOfScrollbarLength = parseInt(ySliderHeight / 2, 10),
415 positionTop = e.clientY - dom.barY[0].getBoundingClientRect().top - halfOfScrollbarLength,
416: maxPositionTop = containerHeight - ySliderHeight,
417 positionRatio = clamp(positionTop / maxPositionTop, 0, 1);
418: scrollY((contentHeight - containerHeight) * positionRatio);
419 $scope.$digest();
420 },
...
442 break;
443 case 33: // page up
444: deltaY = containerHeight;
445 break;
446 case 32: // space bar
447 case 34: // page down
448: deltaY = -containerHeight;
449 break;
450 case 35: // end
...
452 deltaY = -contentHeight;
453 } else {
454: deltaX = containerHeight;
455 }
456 break;
...
459 deltaY = contentHeight;
460 } else {
461: deltaX = -containerHeight;
462 }
463 break;
/Users/bobo/Desktop/Instatrip/Instatrip/public/partials/display.html:
1: <div class='container'>
2: <div class="container-fluid nav-bar" style='width: 1200px'>
3 <div class="insta-feed">Instagram feed</div>
4 <button class="btn btn-default home-button" ui-sref="landing">New Route</button>
/Users/bobo/Desktop/Instatrip/Instatrip/public/stylesheets/ng-scrollable.js:
94 isXActive = false,
95 isYActive = false,
96: containerWidth = 0,
97: containerHeight = 0,
98 contentWidth = 0,
99 contentHeight = 0,
...
130 },
131 updateSliderX = function () {
132: // adjust container width by the amount of border pixels so that the
133 // slider does not extend outside the bar region
134: var cw = containerWidth - 3;
135 if (isXActive) {
136 xSliderWidth = Math.max(config.minSliderLength, parseInt(cw * cw / contentWidth, 10));
...
151 },
152 updateSliderY = function () {
153: // adjust container height by the amount of border pixels so that the
154 // slider does not extend outside the bar region
155: var ch = containerHeight - 3;
156 if (isYActive) {
157 ySliderHeight = Math.max(config.minSliderLength, parseInt(ch * ch / contentHeight, 10));
...
173 updateBarX = function () {
174 var showAlways = config.scrollXAlways,
175: scrollbarXStyles = {left: 0, width: toPix(containerWidth), display: isXActive || showAlways ? "inherit" : "none"};
176 switch (config.scrollX) {
177 case 'bottom':
...
191 updateBarY = function () {
192 var showAlways = config.scrollYAlways,
193: scrollbarYStyles = {top: 0, height: toPix(containerHeight), display: isYActive || showAlways ? "inherit" : "none"};
194 switch (config.scrollY) {
195 case 'right':
...
208 },
209 scrollTo = function (left, top) {
210: // clamp to 0 .. content{Height|Width} - container{Height|Width}
211: contentTop = clamp(top, 0, contentHeight - containerHeight);
212: contentLeft = clamp(left, 0, contentWidth - containerWidth);
213 // console.log('scrollTo contentTop', contentTop);
214 // console.log('scrollTo top', top);
215 // console.log('scrollTo contentHeight', contentHeight);
216: // console.log('scrollTo containerHeight', containerHeight);
217 // console.log('scrollTo contentLeft', contentLeft);
218
219 // Broadcast the current displaying photo
220: var curphoto = Math.floor(top/((contentHeight-containerHeight)/15))
221 if (lastphoto !== curphoto){
222 $scope.$broadcast('photo.moved_'+ curphoto);
...
249 refresh = function (event, noNotify) {
250 // read DOM
251: containerWidth = config.usePadding ? dom.el[0].clientWidth : dom.el[0].offsetWidth; // innerWidth() : elm[0].width();
252: containerHeight = config.usePadding ? dom.el[0].clientHeight : dom.el[0].offsetHeight; // elm[0].innerHeight() : elm[0].height();
253 contentWidth = dom.content[0].scrollWidth;
254 contentHeight = dom.content[0].scrollHeight;
255
256 // activate scrollbars
257: if (config.scrollX !== 'none' && containerWidth + config.scrollXSlackSpace < contentWidth) {
258 isXActive = true;
259 }
...
263 }
264
265: if (config.scrollY !== 'none' && containerHeight + config.scrollYSlackSpace < contentHeight) {
266 isYActive = true;
267 }
...
280 // controllers can react appropriatly
281 if (!noNotify) {
282: $scope.$broadcast('scrollable.dimensions', containerWidth, containerHeight, contentWidth, contentHeight, config.id);
283 }
284 },
...
365 // scale slider move to content width
366 var deltaSlider = xpos(e) - dragStartPageX,
367: deltaContent = isTouchDevice ? -deltaSlider : parseInt(deltaSlider * (contentWidth - containerWidth) / (containerWidth - xSliderWidth), 10);
368 scrollX(dragStartLeft + deltaContent);
369 return stop(e, true);
...
398 if (isYScrolling) {
399 var deltaSlider = ypos(e) - dragStartPageY,
400: deltaContent = isTouchDevice ? -deltaSlider : parseInt(deltaSlider * (contentHeight - containerHeight) / (containerHeight - ySliderHeight), 10);
401 // console.log('ypos(e):', ypos(e));
402 // console.log('dragStartPageY', dragStartPageY);
...
429 var halfOfScrollbarLength = parseInt(xSliderWidth / 2, 10),
430 positionLeft = e.clientX - dom.barX[0].getBoundingClientRect().left - halfOfScrollbarLength,
431: maxPositionLeft = containerWidth - xSliderWidth,
432 positionRatio = clamp(positionLeft / maxPositionLeft, 0, 1);
433: scrollX((contentWidth - containerWidth) * positionRatio);
434 $scope.$digest();
435 },
...
437 var halfOfScrollbarLength = parseInt(ySliderHeight / 2, 10),
438 positionTop = e.clientY - dom.barY[0].getBoundingClientRect().top - halfOfScrollbarLength,
439: maxPositionTop = containerHeight - ySliderHeight,
440 positionRatio = clamp(positionTop / maxPositionTop, 0, 1);
441: scrollY((contentHeight - containerHeight) * positionRatio);
442 $scope.$digest();
443 },
...
465 break;
466 case 33: // page up
467: deltaY = containerHeight;
468 break;
469 case 32: // space bar
470 case 34: // page down
471: deltaY = -containerHeight;
472 break;
473 case 35: // end
...
475 deltaY = -contentHeight;
476 } else {
477: deltaX = containerHeight;
478 }
479 break;
...
482 deltaY = contentHeight;
483 } else {
484: deltaX = -containerHeight;
485 }
486 break;
/Users/bobo/Desktop/Instatrip/Instatrip/public/stylesheets/style.css:
128 -ms-touch-action: none;
129 }
130: .ngsb-wrap .ngsb-container {
131 width: auto;
132 overflow: hidden;
...
149 /* old ie */
150 }
151: .ngsb-wrap .ngsb-scrollbar .ngsb-thumb-container {
152 position: absolute;
153 top: 0;
...
157 height: auto;
158 }
159: .ngsb-wrap .ngsb-scrollbar a.ngsb-thumb-container {
160 margin: 20px 0;
161 }
/Users/bobo/Desktop/Instatrip/node_modules/body-parser/node_modules/type-is/node_modules/mime-types/node_modules/mime-db/db.json:
143 "extensions": ["cdmia"]
144 },
145: "application/cdmi-container": {
146 "source": "iana",
147 "extensions": ["cdmic"]
...
1004 "source": "iana"
1005 },
1006: "application/simplesymbolcontainer": {
1007 "source": "iana"
1008 },
....
1589 "source": "iana"
1590 },
1591: "application/vnd.dvb.esgcontainer": {
1592 "source": "iana"
1593 },
....
1616 "source": "iana"
1617 },
1618: "application/vnd.dvb.notif-container+xml": {
1619 "source": "iana"
1620 },
....
1882 "extensions": ["xbd"]
1883 },
1884: "application/vnd.fujixerox.docuworks.container": {
1885 "source": "iana"
1886 },
....
1959 "source": "iana"
1960 },
1961: "application/vnd.gov.sk.xmldatacontainer+xml": {
1962 "source": "iana"
1963 },
....
2080 "extensions": ["irm"]
2081 },
2082: "application/vnd.ibm.secure-container": {
2083 "source": "iana",
2084 "extensions": ["sc"]
....
2947 "source": "iana"
2948 },
2949: "application/vnd.oma.bcast.simple-symbol-container": {
2950 "source": "iana"
2951 },
/Users/bobo/Desktop/Instatrip/node_modules/body-parser/node_modules/type-is/node_modules/mime-types/node_modules/mime-db/HISTORY.md:
71 * Add `application/vnd.citationstyles.style+xml`
72 * Add `application/vnd.fastcopy-disk-image`
73: * Add `application/vnd.gov.sk.xmldatacontainer+xml`
74 * Add extension `.jsonld` to `application/ld+json`
75
/Users/bobo/Desktop/Instatrip/node_modules/express/node_modules/accepts/node_modules/mime-types/node_modules/mime-db/db.json:
143 "extensions": ["cdmia"]
144 },
145: "application/cdmi-container": {
146 "source": "iana",
147 "extensions": ["cdmic"]
...
1004 "source": "iana"
1005 },
1006: "application/simplesymbolcontainer": {
1007 "source": "iana"
1008 },
....
1589 "source": "iana"
1590 },
1591: "application/vnd.dvb.esgcontainer": {
1592 "source": "iana"
1593 },
....
1616 "source": "iana"
1617 },
1618: "application/vnd.dvb.notif-container+xml": {
1619 "source": "iana"
1620 },
....
1882 "extensions": ["xbd"]
1883 },
1884: "application/vnd.fujixerox.docuworks.container": {
1885 "source": "iana"
1886 },
....
1959 "source": "iana"
1960 },
1961: "application/vnd.gov.sk.xmldatacontainer+xml": {
1962 "source": "iana"
1963 },
....
2080 "extensions": ["irm"]
2081 },
2082: "application/vnd.ibm.secure-container": {
2083 "source": "iana",
2084 "extensions": ["sc"]
....
2947 "source": "iana"
2948 },
2949: "application/vnd.oma.bcast.simple-symbol-container": {
2950 "source": "iana"
2951 },
/Users/bobo/Desktop/Instatrip/node_modules/express/node_modules/accepts/node_modules/mime-types/node_modules/mime-db/HISTORY.md:
71 * Add `application/vnd.citationstyles.style+xml`
72 * Add `application/vnd.fastcopy-disk-image`
73: * Add `application/vnd.gov.sk.xmldatacontainer+xml`
74 * Add extension `.jsonld` to `application/ld+json`
75
/Users/bobo/Desktop/Instatrip/node_modules/express/node_modules/send/node_modules/mime/types.json:
1: {"application/andrew-inset":["ez"],"application/applixware":["aw"],"application/atom+xml":["atom"],"application/atomcat+xml":["atomcat"],"application/atomsvc+xml":["atomsvc"],"application/ccxml+xml":["ccxml"],"application/cdmi-capability":["cdmia"],"application/cdmi-container":["cdmic"],"application/cdmi-domain":["cdmid"],"application/cdmi-object":["cdmio"],"application/cdmi-queue":["cdmiq"],"application/cu-seeme":["cu"],"application/dash+xml":["mdp"],"application/davmount+xml":["davmount"],"application/docbook+xml":["dbk"],"application/dssc+der":["dssc"],"application/dssc+xml":["xdssc"],"application/ecmascript":["ecma"],"application/emma+xml":["emma"],"application/epub+zip":["epub"],"application/exi":["exi"],"application/font-tdpfr":["pfr"],"application/font-woff":["woff"],"application/font-woff2":["woff2"],"application/gml+xml":["gml"],"application/gpx+xml":["gpx"],"application/gxf":["gxf"],"application/hyperstudio":["stk"],"application/inkml+xml":["ink","inkml"],"application/ipfix":["ipfix"],"application/java-archive":["jar"],"application/java-serialized-object":["ser"],"application/java-vm":["class"],"application/javascript":["js"],"application/json":["json","map"],"application/json5":["json5"],"application/jsonml+json":["jsonml"],"application/lost+xml":["lostxml"],"application/mac-binhex40":["hqx"],"application/mac-compactpro":["cpt"],"application/mads+xml":["mads"],"application/marc":["mrc"],"application/marcxml+xml":["mrcx"],"application/mathematica":["ma","nb","mb"],"application/mathml+xml":["mathml"],"application/mbox":["mbox"],"application/mediaservercontrol+xml":["mscml"],"application/metalink+xml":["metalink"],"application/metalink4+xml":["meta4"],"application/mets+xml":["mets"],"application/mods+xml":["mods"],"application/mp21":["m21","mp21"],"application/mp4":["mp4s","m4p"],"application/msword":["doc","dot"],"application/mxf":["mxf"],"application/octet-stream":["bin","dms","lrf","mar","so","dist","distz","pkg","bpk","dump","elc","deploy","buffer"],"application/oda":["oda"],"application/oebps-package+xml":["opf"],"application/ogg":["ogx"],"application/omdoc+xml":["omdoc"],"application/onenote":["onetoc","onetoc2","onetmp","onepkg"],"application/oxps":["oxps"],"application/patch-ops-error+xml":["xer"],"application/pdf":["pdf"],"application/pgp-encrypted":["pgp"],"application/pgp-signature":["asc","sig"],"application/pics-rules":["prf"],"application/pkcs10":["p10"],"application/pkcs7-mime":["p7m","p7c"],"application/pkcs7-signature":["p7s"],"application/pkcs8":["p8"],"application/pkix-attr-cert":["ac"],"application/pkix-cert":["cer"],"application/pkix-crl":["crl"],"application/pkix-pkipath":["pkipath"],"application/pkixcmp":["pki"],"application/pls+xml":["pls"],"application/postscript":["ai","eps","ps"],"application/prs.cww":["cww"],"application/pskc+xml":["pskcxml"],"application/rdf+xml":["rdf"],"application/reginfo+xml":["rif"],"application/relax-ng-compact-syntax":["rnc"],"application/resource-lists+xml":["rl"],"application/resource-lists-diff+xml":["rld"],"application/rls-services+xml":["rs"],"application/rpki-ghostbusters":["gbr"],"application/rpki-manifest":["mft"],"application/rpki-roa":["roa"],"application/rsd+xml":["rsd"],"application/rss+xml":["rss"],"application/rtf":["rtf"],"application/sbml+xml":["sbml"],"application/scvp-cv-request":["scq"],"application/scvp-cv-response":["scs"],"application/scvp-vp-request":["spq"],"application/scvp-vp-response":["spp"],"application/sdp":["sdp"],"application/set-payment-initiation":["setpay"],"application/set-registration-initiation":["setreg"],"application/shf+xml":["shf"],"application/smil+xml":["smi","smil"],"application/sparql-query":["rq"],"application/sparql-results+xml":["srx"],"application/srgs":["gram"],"application/srgs+xml":["grxml"],"application/sru+xml":["sru"],"application/ssdl+xml":["ssdl"],"application/ssml+xml":["ssml"],"application/tei+xml":["tei","teicorpus"],"application/thraud+xml":["tfi"],"application/timestamped-data":["tsd"],"application/vnd.3gpp.pic-bw-large":["plb"],"application/vnd.3gpp.pic-bw-small":["psb"],"application/vnd.3gpp.pic-bw-var":["pvb"],"application/vnd.3gpp2.tcap":["tcap"],"application/vnd.3m.post-it-notes":["pwn"],"application/vnd.accpac.simply.aso":["aso"],"application/vnd.accpac.simply.imp":["imp"],"application/vnd.acucobol":["acu"],"application/vnd.acucorp":["atc","acutc"],"application/vnd.adobe.air-application-installer-package+zip":["air"],"application/vnd.adobe.formscentral.fcdt":["fcdt"],"application/vnd.adobe.fxp":["fxp","fxpl"],"application/vnd.adobe.xdp+xml":["xdp"],"application/vnd.adobe.xfdf":["xfdf"],"application/vnd.ahead.space":["ahead"],"application/vnd.airzip.filesecure.azf":["azf"],"application/vnd.airzip.filesecure.azs":["azs"],"application/vnd.amazon.ebook":["azw"],"application/vnd.americandynamics.acc":["acc"],"application/vnd.amiga.ami":["ami"],"application/vnd.android.package-archive":["apk"],"application/vnd.anser-web-certificate-issue-initiation":["cii"],"application/vnd.anser-web-funds-transfer-initiation":["fti"],"application/vnd.antix.game-component":["atx"],"application/vnd.apple.installer+xml":["mpkg"],"application/vnd.apple.mpegurl":["m3u8"],"application/vnd.aristanetworks.swi":["swi"],"application/vnd.astraea-software.iota":["iota"],"application/vnd.audiograph":["aep"],"application/vnd.blueice.multipass":["mpm"],"application/vnd.bmi":["bmi"],"application/vnd.businessobjects":["rep"],"application/vnd.chemdraw+xml":["cdxml"],"application/vnd.chipnuts.karaoke-mmd":["mmd"],"application/vnd.cinderella":["cdy"],"application/vnd.claymore":["cla"],"application/vnd.cloanto.rp9":["rp9"],"application/vnd.clonk.c4group":["c4g","c4d","c4f","c4p","c4u"],"application/vnd.cluetrust.cartomobile-config":["c11amc"],"application/vnd.cluetrust.cartomobile-config-pkg":["c11amz"],"application/vnd.commonspace":["csp"],"application/vnd.contact.cmsg":["cdbcmsg"],"application/vnd.cosmocaller":["cmc"],"application/vnd.crick.clicker":["clkx"],"application/vnd.crick.clicker.keyboard":["clkk"],"application/vnd.crick.clicker.palette":["clkp"],"application/vnd.crick.clicker.template":["clkt"],"application/vnd.crick.clicker.wordbank":["clkw"],"application/vnd.criticaltools.wbs+xml":["wbs"],"application/vnd.ctc-posml":["pml"],"application/vnd.cups-ppd":["ppd"],"application/vnd.curl.car":["car"],"application/vnd.curl.pcurl":["pcurl"],"application/vnd.dart":["dart"],"application/vnd.data-vision.rdz":["rdz"],"application/vnd.dece.data":["uvf","uvvf","uvd","uvvd"],"application/vnd.dece.ttml+xml":["uvt","uvvt"],"application/vnd.dece.unspecified":["uvx","uvvx"],"application/vnd.dece.zip":["uvz","uvvz"],"application/vnd.denovo.fcselayout-link":["fe_launch"],"application/vnd.dna":["dna"],"application/vnd.dolby.mlp":["mlp"],"application/vnd.dpgraph":["dpg"],"application/vnd.dreamfactory":["dfac"],"application/vnd.ds-keypoint":["kpxx"],"application/vnd.dvb.ait":["ait"],"application/vnd.dvb.service":["svc"],"application/vnd.dynageo":["geo"],"application/vnd.ecowin.chart":["mag"],"application/vnd.enliven":["nml"],"application/vnd.epson.esf":["esf"],"application/vnd.epson.msf":["msf"],"application/vnd.epson.quickanime":["qam"],"application/vnd.epson.salt":["slt"],"application/vnd.epson.ssf":["ssf"],"application/vnd.eszigno3+xml":["es3","et3"],"application/vnd.ezpix-album":["ez2"],"application/vnd.ezpix-package":["ez3"],"application/vnd.fdf":["fdf"],"application/vnd.fdsn.mseed":["mseed"],"application/vnd.fdsn.seed":["seed","dataless"],"application/vnd.flographit":["gph"],"application/vnd.fluxtime.clip":["ftc"],"application/vnd.framemaker":["fm","frame","maker","book"],"application/vnd.frogans.fnc":["fnc"],"application/vnd.frogans.ltf":["ltf"],"application/vnd.fsc.weblaunch":["fsc"],"application/vnd.fujitsu.oasys":["oas"],"application/vnd.fujitsu.oasys2":["oa2"],"application/vnd.fujitsu.oasys3":["oa3"],"application/vnd.fujitsu.oasysgp":["fg5"],"application/vnd.fujitsu.oasysprs":["bh2"],"application/vnd.fujixerox.ddd":["ddd"],"application/vnd.fujixerox.docuworks":["xdw"],"application/vnd.fujixerox.docuworks.binder":["xbd"],"application/vnd.fuzzysheet":["fzs"],"application/vnd.genomatix.tuxedo":["txd"],"application/vnd.geogebra.file":["ggb"],"application/vnd.geogebra.tool":["ggt"],"application/vnd.geometry-explorer":["gex","gre"],"application/vnd.geonext":["gxt"],"application/vnd.geoplan":["g2w"],"application/vnd.geospace":["g3w"],"application/vnd.gmx":["gmx"],"application/vnd.google-earth.kml+xml":["kml"],"application/vnd.google-earth.kmz":["kmz"],"application/vnd.grafeq":["gqf","gqs"],"application/vnd.groove-account":["gac"],"application/vnd.groove-help":["ghf"],"application/vnd.groove-identity-message":["gim"],"application/vnd.groove-injector":["grv"],"application/vnd.groove-tool-message":["gtm"],"application/vnd.groove-tool-template":["tpl"],"application/vnd.groove-vcard":["vcg"],"application/vnd.hal+xml":["hal"],"application/vnd.handheld-entertainment+xml":["zmm"],"application/vnd.hbci":["hbci"],"application/vnd.hhe.lesson-player":["les"],"application/vnd.hp-hpgl":["hpgl"],"application/vnd.hp-hpid":["hpid"],"application/vnd.hp-hps":["hps"],"application/vnd.hp-jlyt":["jlt"],"application/vnd.hp-pcl":["pcl"],"application/vnd.hp-pclxl":["pclxl"],"application/vnd.ibm.minipay":["mpy"],"application/vnd.ibm.modcap":["afp","listafp","list3820"],"application/vnd.ibm.rights-management":["irm"],"application/vnd.ibm.secure-container":["sc"],"application/vnd.iccprofile":["icc","icm"],"application/vnd.igloader":["igl"],"application/vnd.immervision-ivp":["ivp"],"application/vnd.immervision-ivu":["ivu"],"application/vnd.insors.igm":["igm"],"application/vnd.intercon.formnet":["xpw","xpx"],"application/vnd.intergeo":["i2g"],"application/vnd.intu.qbo":["qbo"],"application/vnd.intu.qfx":["qfx"],"application/vnd.ipunplugged.rcprofile":["rcprofile"],"application/vnd.irepository.package+xml":["irp"],"application/vnd.is-xpr":["xpr"],"application/vnd.isac.fcs":["fcs"],"application/vnd.jam":["jam"],"application/vnd.jcp.javame.midlet-rms":["rms"],"application/vnd.jisp":["jisp"],"application/vnd.joost.joda-archive":["joda"],"application/vnd.kahootz":["ktz","ktr"],"application/vnd.kde.karbon":["karbon"],"application/vnd.kde.kchart":["chrt"],"application/vnd.kde.kformula":["kfo"],"application/vnd.kde.kivio":["flw"],"application/vnd.kde.kontour":["kon"],"application/vnd.kde.kpresenter":["kpr","kpt"],"application/vnd.kde.kspread":["ksp"],"application/vnd.kde.kword":["kwd","kwt"],"application/vnd.kenameaapp":["htke"],"application/vnd.kidspiration":["kia"],"application/vnd.kinar":["kne","knp"],"application/vnd.koan":["skp","skd","skt","skm"],"application/vnd.kodak-descriptor":["sse"],"application/vnd.las.las+xml":["lasxml"],"application/vnd.llamagraphics.life-balance.desktop":["lbd"],"application/vnd.llamagraphics.life-balance.exchange+xml":["lbe"],"application/vnd.lotus-1-2-3":["123"],"application/vnd.lotus-approach":["apr"],"application/vnd.lotus-freelance":["pre"],"application/vnd.lotus-notes":["nsf"],"application/vnd.lotus-organizer":["org"],"application/vnd.lotus-screencam":["scm"],"application/vnd.lotus-wordpro":["lwp"],"application/vnd.macports.portpkg":["portpkg"],"application/vnd.mcd":["mcd"],"application/vnd.medcalcdata":["mc1"],"application/vnd.mediastation.cdkey":["cdkey"],"application/vnd.mfer":["mwf"],"application/vnd.mfmp":["mfm"],"application/vnd.micrografx.flo":["flo"],"application/vnd.micrografx.igx":["igx"],"application/vnd.mif":["mif"],"application/vnd.mobius.daf":["daf"],"application/vnd.mobius.dis":["dis"],"application/vnd.mobius.mbk":["mbk"],"application/vnd.mobius.mqy":["mqy"],"application/vnd.mobius.msl":["msl"],"application/vnd.mobius.plc":["plc"],"application/vnd.mobius.txf":["txf"],"application/vnd.mophun.application":["mpn"],"application/vnd.mophun.certificate":["mpc"],"application/vnd.mozilla.xul+xml":["xul"],"application/vnd.ms-artgalry":["cil"],"application/vnd.ms-cab-compressed":["cab"],"application/vnd.ms-excel":["xls","xlm","xla","xlc","xlt","xlw"],"application/vnd.ms-excel.addin.macroenabled.12":["xlam"],"application/vnd.ms-excel.sheet.binary.macroenabled.12":["xlsb"],"application/vnd.ms-excel.sheet.macroenabled.12":["xlsm"],"application/vnd.ms-excel.template.macroenabled.12":["xltm"],"application/vnd.ms-fontobject":["eot"],"application/vnd.ms-htmlhelp":["chm"],"application/vnd.ms-ims":["ims"],"application/vnd.ms-lrm":["lrm"],"application/vnd.ms-officetheme":["thmx"],"application/vnd.ms-pki.seccat":["cat"],"application/vnd.ms-pki.stl":["stl"],"application/vnd.ms-powerpoint":["ppt","pps","pot"],"application/vnd.ms-powerpoint.addin.macroenabled.12":["ppam"],"application/vnd.ms-powerpoint.presentation.macroenabled.12":["pptm"],"application/vnd.ms-powerpoint.slide.macroenabled.12":["sldm"],"application/vnd.ms-powerpoint.slideshow.macroenabled.12":["ppsm"],"application/vnd.ms-powerpoint.template.macroenabled.12":["potm"],"application/vnd.ms-project":["mpp","mpt"],"application/vnd.ms-word.document.macroenabled.12":["docm"],"application/vnd.ms-word.template.macroenabled.12":["dotm"],"application/vnd.ms-works":["wps","wks","wcm","wdb"],"application/vnd.ms-wpl":["wpl"],"application/vnd.ms-xpsdocument":["xps"],"application/vnd.mseq":["mseq"],"application/vnd.musician":["mus"],"application/vnd.muvee.style":["msty"],"application/vnd.mynfc":["taglet"],"application/vnd.neurolanguage.nlu":["nlu"],"application/vnd.nitf":["ntf","nitf"],"application/vnd.noblenet-directory":["nnd"],"application/vnd.noblenet-sealer":["nns"],"application/vnd.noblenet-web":["nnw"],"application/vnd.nokia.n-gage.data":["ngdat"],"application/vnd.nokia.radio-preset":["rpst"],"application/vnd.nokia.radio-presets":["rpss"],"application/vnd.novadigm.edm":["edm"],"application/vnd.novadigm.edx":["edx"],"application/vnd.novadigm.ext":["ext"],"application/vnd.oasis.opendocument.chart":["odc"],"application/vnd.oasis.opendocument.chart-template":["otc"],"application/vnd.oasis.opendocument.database":["odb"],"application/vnd.oasis.opendocument.formula":["odf"],"application/vnd.oasis.opendocument.formula-template":["odft"],"application/vnd.oasis.opendocument.graphics":["odg"],"application/vnd.oasis.opendocument.graphics-template":["otg"],"application/vnd.oasis.opendocument.image":["odi"],"application/vnd.oasis.opendocument.image-template":["oti"],"application/vnd.oasis.opendocument.presentation":["odp"],"application/vnd.oasis.opendocument.presentation-template":["otp"],"application/vnd.oasis.opendocument.spreadsheet":["ods"],"application/vnd.oasis.opendocument.spreadsheet-template":["ots"],"application/vnd.oasis.opendocument.text":["odt"],"application/vnd.oasis.opendocument.text-master":["odm"],"application/vnd.oasis.opendocument.text-template":["ott"],"application/vnd.oasis.opendocument.text-web":["oth"],"application/vnd.olpc-sugar":["xo"],"application/vnd.oma.dd2+xml":["dd2"],"application/vnd.openofficeorg.extension":["oxt"],"application/vnd.openxmlformats-officedocument.presentationml.presentation":["pptx"],"application/vnd.openxmlformats-officedocument.presentationml.slide":["sldx"],"application/vnd.openxmlformats-officedocument.presentationml.slideshow":["ppsx"],"application/vnd.openxmlformats-officedocument.presentationml.template":["potx"],"application/vnd.openxmlformats-officedocument.spreadsheetml.sheet":["xlsx"],"application/vnd.openxmlformats-officedocument.spreadsheetml.template":["xltx"],"application/vnd.openxmlformats-officedocument.wordprocessingml.document":["docx"],"application/vnd.openxmlformats-officedocument.wordprocessingml.template":["dotx"],"application/vnd.osgeo.mapguide.package":["mgp"],"application/vnd.osgi.dp":["dp"],"application/vnd.osgi.subsystem":["esa"],"application/vnd.palm":["pdb","pqa","oprc"],"application/vnd.pawaafile":["paw"],"application/vnd.pg.format":["str"],"application/vnd.pg.osasli":["ei6"],"application/vnd.picsel":["efif"],"application/vnd.pmi.widget":["wg"],"application/vnd.pocketlearn":["plf"],"application/vnd.powerbuilder6":["pbd"],"application/vnd.previewsystems.box":["box"],"application/vnd.proteus.magazine":["mgz"],"application/vnd.publishare-delta-tree":["qps"],"application/vnd.pvi.ptid1":["ptid"],"application/vnd.quark.quarkxpress":["qxd","qxt","qwd","qwt","qxl","qxb"],"application/vnd.realvnc.bed":["bed"],"application/vnd.recordare.musicxml":["mxl"],"application/vnd.recordare.musicxml+xml":["musicxml"],"application/vnd.rig.cryptonote":["cryptonote"],"application/vnd.rim.cod":["cod"],"application/vnd.rn-realmedia":["rm"],"application/vnd.rn-realmedia-vbr":["rmvb"],"application/vnd.route66.link66+xml":["link66"],"application/vnd.sailingtracker.track":["st"],"application/vnd.seemail":["see"],"application/vnd.sema":["sema"],"application/vnd.semd":["semd"],"application/vnd.semf":["semf"],"application/vnd.shana.informed.formdata":["ifm"],"application/vnd.shana.informed.formtemplate":["itp"],"application/vnd.shana.informed.interchange":["iif"],"application/vnd.shana.informed.package":["ipk"],"application/vnd.simtech-mindmapper":["twd","twds"],"application/vnd.smaf":["mmf"],"application/vnd.smart.teacher":["teacher"],"application/vnd.solent.sdkm+xml":["sdkm","sdkd"],"application/vnd.spotfire.dxp":["dxp"],"application/vnd.spotfire.sfs":["sfs"],"application/vnd.stardivision.calc":["sdc"],"application/vnd.stardivision.draw":["sda"],"application/vnd.stardivision.impress":["sdd"],"application/vnd.stardivision.math":["smf"],"application/vnd.stardivision.writer":["sdw","vor"],"application/vnd.stardivision.writer-global":["sgl"],"application/vnd.stepmania.package":["smzip"],"application/vnd.stepmania.stepchart":["sm"],"application/vnd.sun.xml.calc":["sxc"],"application/vnd.sun.xml.calc.template":["stc"],"application/vnd.sun.xml.draw":["sxd"],"application/vnd.sun.xml.draw.template":["std"],"application/vnd.sun.xml.impress":["sxi"],"application/vnd.sun.xml.impress.template":["sti"],"application/vnd.sun.xml.math":["sxm"],"application/vnd.sun.xml.writer":["sxw"],"application/vnd.sun.xml.writer.global":["sxg"],"application/vnd.sun.xml.writer.template":["stw"],"application/vnd.sus-calendar":["sus","susp"],"application/vnd.svd":["svd"],"application/vnd.symbian.install":["sis","sisx"],"application/vnd.syncml+xml":["xsm"],"application/vnd.syncml.dm+wbxml":["bdm"],"application/vnd.syncml.dm+xml":["xdm"],"application/vnd.tao.intent-module-archive":["tao"],"application/vnd.tcpdump.pcap":["pcap","cap","dmp"],"application/vnd.tmobile-livetv":["tmo"],"application/vnd.trid.tpt":["tpt"],"application/vnd.triscape.mxs":["mxs"],"application/vnd.trueapp":["tra"],"application/vnd.ufdl":["ufd","ufdl"],"application/vnd.uiq.theme":["utz"],"application/vnd.umajin":["umj"],"application/vnd.unity":["unityweb"],"application/vnd.uoml+xml":["uoml"],"application/vnd.vcx":["vcx"],"application/vnd.visio":["vsd","vst","vss","vsw"],"application/vnd.visionary":["vis"],"application/vnd.vsf":["vsf"],"application/vnd.wap.wbxml":["wbxml"],"application/vnd.wap.wmlc":["wmlc"],"application/vnd.wap.wmlscriptc":["wmlsc"],"application/vnd.webturbo":["wtb"],"application/vnd.wolfram.player":["nbp"],"application/vnd.wordperfect":["wpd"],"application/vnd.wqd":["wqd"],"application/vnd.wt.stf":["stf"],"application/vnd.xara":["xar"],"application/vnd.xfdl":["xfdl"],"application/vnd.yamaha.hv-dic":["hvd"],"application/vnd.yamaha.hv-script":["hvs"],"application/vnd.yamaha.hv-voice":["hvp"],"application/vnd.yamaha.openscoreformat":["osf"],"application/vnd.yamaha.openscoreformat.osfpvg+xml":["osfpvg"],"application/vnd.yamaha.smaf-audio":["saf"],"application/vnd.yamaha.smaf-phrase":["spf"],"application/vnd.yellowriver-custom-menu":["cmp"],"application/vnd.zul":["zir","zirz"],"application/vnd.zzazz.deck+xml":["zaz"],"application/voicexml+xml":["vxml"],"application/widget":["wgt"],"application/winhlp":["hlp"],"application/wsdl+xml":["wsdl"],"application/wspolicy+xml":["wspolicy"],"application/x-7z-compressed":["7z"],"application/x-abiword":["abw"],"application/x-ace-compressed":["ace"],"application/x-apple-diskimage":["dmg"],"application/x-authorware-bin":["aab","x32","u32","vox"],"application/x-authorware-map":["aam"],"application/x-authorware-seg":["aas"],"application/x-bcpio":["bcpio"],"application/x-bittorrent":["torrent"],"application/x-blorb":["blb","blorb"],"application/x-bzip":["bz"],"application/x-bzip2":["bz2","boz"],"application/x-cbr":["cbr","cba","cbt","cbz","cb7"],"application/x-cdlink":["vcd"],"application/x-cfs-compressed":["cfs"],"application/x-chat":["chat"],"application/x-chess-pgn":["pgn"],"application/x-chrome-extension":["crx"],"application/x-conference":["nsc"],"application/x-cpio":["cpio"],"application/x-csh":["csh"],"application/x-debian-package":["deb","udeb"],"application/x-dgc-compressed":["dgc"],"application/x-director":["dir","dcr","dxr","cst","cct","cxt","w3d","fgd","swa"],"application/x-doom":["wad"],"application/x-dtbncx+xml":["ncx"],"application/x-dtbook+xml":["dtb"],"application/x-dtbresource+xml":["res"],"application/x-dvi":["dvi"],"application/x-envoy":["evy"],"application/x-eva":["eva"],"application/x-font-bdf":["bdf"],"application/x-font-ghostscript":["gsf"],"application/x-font-linux-psf":["psf"],"application/x-font-otf":["otf"],"application/x-font-pcf":["pcf"],"application/x-font-snf":["snf"],"application/x-font-ttf":["ttf","ttc"],"application/x-font-type1":["pfa","pfb","pfm","afm"],"application/x-freearc":["arc"],"application/x-futuresplash":["spl"],"application/x-gca-compressed":["gca"],"application/x-glulx":["ulx"],"application/x-gnumeric":["gnumeric"],"application/x-gramps-xml":["gramps"],"application/x-gtar":["gtar"],"application/x-hdf":["hdf"],"application/x-install-instructions":["install"],"application/x-iso9660-image":["iso"],"application/x-java-jnlp-file":["jnlp"],"application/x-latex":["latex"],"application/x-lua-bytecode":["luac"],"application/x-lzh-compressed":["lzh","lha"],"application/x-mie":["mie"],"application/x-mobipocket-ebook":["prc","mobi"],"application/x-ms-application":["application"],"application/x-ms-shortcut":["lnk"],"application/x-ms-wmd":["wmd"],"application/x-ms-wmz":["wmz"],"application/x-ms-xbap":["xbap"],"application/x-msaccess":["mdb"],"application/x-msbinder":["obd"],"application/x-mscardfile":["crd"],"application/x-msclip":["clp"],"application/x-msdownload":["exe","dll","com","bat","msi"],"application/x-msmediaview":["mvb","m13","m14"],"application/x-msmetafile":["wmf","wmz","emf","emz"],"application/x-msmoney":["mny"],"application/x-mspublisher":["pub"],"application/x-msschedule":["scd"],"application/x-msterminal":["trm"],"application/x-mswrite":["wri"],"application/x-netcdf":["nc","cdf"],"application/x-nzb":["nzb"],"application/x-pkcs12":["p12","pfx"],"application/x-pkcs7-certificates":["p7b","spc"],"application/x-pkcs7-certreqresp":["p7r"],"application/x-rar-compressed":["rar"],"application/x-research-info-systems":["ris"],"application/x-sh":["sh"],"application/x-shar":["shar"],"application/x-shockwave-flash":["swf"],"application/x-silverlight-app":["xap"],"application/x-sql":["sql"],"application/x-stuffit":["sit"],"application/x-stuffitx":["sitx"],"application/x-subrip":["srt"],"application/x-sv4cpio":["sv4cpio"],"application/x-sv4crc":["sv4crc"],"application/x-t3vm-image":["t3"],"application/x-tads":["gam"],"application/x-tar":["tar"],"application/x-tcl":["tcl"],"application/x-tex":["tex"],"application/x-tex-tfm":["tfm"],"application/x-texinfo":["texinfo","texi"],"application/x-tgif":["obj"],"application/x-ustar":["ustar"],"application/x-wais-source":["src"],"application/x-web-app-manifest+json":["webapp"],"application/x-x509-ca-cert":["der","crt"],"application/x-xfig":["fig"],"application/x-xliff+xml":["xlf"],"application/x-xpinstall":["xpi"],"application/x-xz":["xz"],"application/x-zmachine":["z1","z2","z3","z4","z5","z6","z7","z8"],"application/xaml+xml":["xaml"],"application/xcap-diff+xml":["xdf"],"application/xenc+xml":["xenc"],"application/xhtml+xml":["xhtml","xht"],"application/xml":["xml","xsl","xsd"],"application/xml-dtd":["dtd"],"application/xop+xml":["xop"],"application/xproc+xml":["xpl"],"application/xslt+xml":["xslt"],"application/xspf+xml":["xspf"],"application/xv+xml":["mxml","xhvml","xvml","xvm"],"application/yang":["yang"],"application/yin+xml":["yin"],"application/zip":["zip"],"audio/adpcm":["adp"],"audio/basic":["au","snd"],"audio/midi":["mid","midi","kar","rmi"],"audio/mp4":["mp4a","m4a"],"audio/mpeg":["mpga","mp2","mp2a","mp3","m2a","m3a"],"audio/ogg":["oga","ogg","spx"],"audio/s3m":["s3m"],"audio/silk":["sil"],"audio/vnd.dece.audio":["uva","uvva"],"audio/vnd.digital-winds":["eol"],"audio/vnd.dra":["dra"],"audio/vnd.dts":["dts"],"audio/vnd.dts.hd":["dtshd"],"audio/vnd.lucent.voice":["lvp"],"audio/vnd.ms-playready.media.pya":["pya"],"audio/vnd.nuera.ecelp4800":["ecelp4800"],"audio/vnd.nuera.ecelp7470":["ecelp7470"],"audio/vnd.nuera.ecelp9600":["ecelp9600"],"audio/vnd.rip":["rip"],"audio/webm":["weba"],"audio/x-aac":["aac"],"audio/x-aiff":["aif","aiff","aifc"],"audio/x-caf":["caf"],"audio/x-flac":["flac"],"audio/x-matroska":["mka"],"audio/x-mpegurl":["m3u"],"audio/x-ms-wax":["wax"],"audio/x-ms-wma":["wma"],"audio/x-pn-realaudio":["ram","ra"],"audio/x-pn-realaudio-plugin":["rmp"],"audio/x-wav":["wav"],"audio/xm":["xm"],"chemical/x-cdx":["cdx"],"chemical/x-cif":["cif"],"chemical/x-cmdf":["cmdf"],"chemical/x-cml":["cml"],"chemical/x-csml":["csml"],"chemical/x-xyz":["xyz"],"font/opentype":["otf"],"image/bmp":["bmp"],"image/cgm":["cgm"],"image/g3fax":["g3"],"image/gif":["gif"],"image/ief":["ief"],"image/jpeg":["jpeg","jpg","jpe"],"image/ktx":["ktx"],"image/png":["png"],"image/prs.btif":["btif"],"image/sgi":["sgi"],"image/svg+xml":["svg","svgz"],"image/tiff":["tiff","tif"],"image/vnd.adobe.photoshop":["psd"],"image/vnd.dece.graphic":["uvi","uvvi","uvg","uvvg"],"image/vnd.djvu":["djvu","djv"],"image/vnd.dvb.subtitle":["sub"],"image/vnd.dwg":["dwg"],"image/vnd.dxf":["dxf"],"image/vnd.fastbidsheet":["fbs"],"image/vnd.fpx":["fpx"],"image/vnd.fst":["fst"],"image/vnd.fujixerox.edmics-mmr":["mmr"],"image/vnd.fujixerox.edmics-rlc":["rlc"],"image/vnd.ms-modi":["mdi"],"image/vnd.ms-photo":["wdp"],"image/vnd.net-fpx":["npx"],"image/vnd.wap.wbmp":["wbmp"],"image/vnd.xiff":["xif"],"image/webp":["webp"],"image/x-3ds":["3ds"],"image/x-cmu-raster":["ras"],"image/x-cmx":["cmx"],"image/x-freehand":["fh","fhc","fh4","fh5","fh7"],"image/x-icon":["ico"],"image/x-mrsid-image":["sid"],"image/x-pcx":["pcx"],"image/x-pict":["pic","pct"],"image/x-portable-anymap":["pnm"],"image/x-portable-bitmap":["pbm"],"image/x-portable-graymap":["pgm"],"image/x-portable-pixmap":["ppm"],"image/x-rgb":["rgb"],"image/x-tga":["tga"],"image/x-xbitmap":["xbm"],"image/x-xpixmap":["xpm"],"image/x-xwindowdump":["xwd"],"message/rfc822":["eml","mime"],"model/iges":["igs","iges"],"model/mesh":["msh","mesh","silo"],"model/vnd.collada+xml":["dae"],"model/vnd.dwf":["dwf"],"model/vnd.gdl":["gdl"],"model/vnd.gtw":["gtw"],"model/vnd.mts":["mts"],"model/vnd.vtu":["vtu"],"model/vrml":["wrl","vrml"],"model/x3d+binary":["x3db","x3dbz"],"model/x3d+vrml":["x3dv","x3dvz"],"model/x3d+xml":["x3d","x3dz"],"text/cache-manifest":["appcache","manifest"],"text/calendar":["ics","ifb"],"text/coffeescript":["coffee"],"text/css":["css"],"text/csv":["csv"],"text/hjson":["hjson"],"text/html":["html","htm"],"text/jade":["jade"],"text/jsx":["jsx"],"text/less":["less"],"text/n3":["n3"],"text/plain":["txt","text","conf","def","list","log","in","ini"],"text/prs.lines.tag":["dsc"],"text/richtext":["rtx"],"text/sgml":["sgml","sgm"],"text/stylus":["stylus","styl"],"text/tab-separated-values":["tsv"],"text/troff":["t","tr","roff","man","me","ms"],"text/turtle":["ttl"],"text/uri-list":["uri","uris","urls"],"text/vcard":["vcard"],"text/vnd.curl":["curl"],"text/vnd.curl.dcurl":["dcurl"],"text/vnd.curl.mcurl":["mcurl"],"text/vnd.curl.scurl":["scurl"],"text/vnd.dvb.subtitle":["sub"],"text/vnd.fly":["fly"],"text/vnd.fmi.flexstor":["flx"],"text/vnd.graphviz":["gv"],"text/vnd.in3d.3dml":["3dml"],"text/vnd.in3d.spot":["spot"],"text/vnd.sun.j2me.app-descriptor":["jad"],"text/vnd.wap.wml":["wml"],"text/vnd.wap.wmlscript":["wmls"],"text/vtt":["vtt"],"text/x-asm":["s","asm"],"text/x-c":["c","cc","cxx","cpp","h","hh","dic"],"text/x-component":["htc"],"text/x-fortran":["f","for","f77","f90"],"text/x-handlebars-template":["hbs"],"text/x-java-source":["java"],"text/x-lua":["lua"],"text/x-markdown":["markdown","md","mkd"],"text/x-nfo":["nfo"],"text/x-opml":["opml"],"text/x-pascal":["p","pas"],"text/x-sass":["sass"],"text/x-scss":["scss"],"text/x-setext":["etx"],"text/x-sfv":["sfv"],"text/x-uuencode":["uu"],"text/x-vcalendar":["vcs"],"text/x-vcard":["vcf"],"text/yaml":["yaml","yml"],"video/3gpp":["3gp"],"video/3gpp2":["3g2"],"video/h261":["h261"],"video/h263":["h263"],"video/h264":["h264"],"video/jpeg":["jpgv"],"video/jpm":["jpm","jpgm"],"video/mj2":["mj2","mjp2"],"video/mp2t":["ts"],"video/mp4":["mp4","mp4v","mpg4"],"video/mpeg":["mpeg","mpg","mpe","m1v","m2v"],"video/ogg":["ogv"],"video/quicktime":["qt","mov"],"video/vnd.dece.hd":["uvh","uvvh"],"video/vnd.dece.mobile":["uvm","uvvm"],"video/vnd.dece.pd":["uvp","uvvp"],"video/vnd.dece.sd":["uvs","uvvs"],"video/vnd.dece.video":["uvv","uvvv"],"video/vnd.dvb.file":["dvb"],"video/vnd.fvt":["fvt"],"video/vnd.mpegurl":["mxu","m4u"],"video/vnd.ms-playready.media.pyv":["pyv"],"video/vnd.uvvu.mp4":["uvu","uvvu"],"video/vnd.vivo":["viv"],"video/webm":["webm"],"video/x-f4v":["f4v"],"video/x-fli":["fli"],"video/x-flv":["flv"],"video/x-m4v":["m4v"],"video/x-matroska":["mkv","mk3d","mks"],"video/x-mng":["mng"],"video/x-ms-asf":["asf","asx"],"video/x-ms-vob":["vob"],"video/x-ms-wm":["wm"],"video/x-ms-wmv":["wmv"],"video/x-ms-wmx":["wmx"],"video/x-ms-wvx":["wvx"],"video/x-msvideo":["avi"],"video/x-sgi-movie":["movie"],"video/x-smv":["smv"],"x-conference/x-cooltalk":["ice"]}
2
/Users/bobo/Desktop/Instatrip/node_modules/express/node_modules/type-is/node_modules/mime-types/node_modules/mime-db/db.json:
143 "extensions": ["cdmia"]
144 },
145: "application/cdmi-container": {
146 "source": "iana",
147 "extensions": ["cdmic"]
...
1004 "source": "iana"
1005 },
1006: "application/simplesymbolcontainer": {
1007 "source": "iana"
1008 },
....
1589 "source": "iana"
1590 },
1591: "application/vnd.dvb.esgcontainer": {
1592 "source": "iana"
1593 },
....
1616 "source": "iana"
1617 },
1618: "application/vnd.dvb.notif-container+xml": {
1619 "source": "iana"
1620 },
....
1882 "extensions": ["xbd"]
1883 },
1884: "application/vnd.fujixerox.docuworks.container": {
1885 "source": "iana"
1886 },
....
1959 "source": "iana"
1960 },
1961: "application/vnd.gov.sk.xmldatacontainer+xml": {
1962 "source": "iana"
1963 },
....
2080 "extensions": ["irm"]
2081 },
2082: "application/vnd.ibm.secure-container": {
2083 "source": "iana",
2084 "extensions": ["sc"]
....
2947 "source": "iana"
2948 },
2949: "application/vnd.oma.bcast.simple-symbol-container": {
2950 "source": "iana"
2951 },
/Users/bobo/Desktop/Instatrip/node_modules/express/node_modules/type-is/node_modules/mime-types/node_modules/mime-db/HISTORY.md:
71 * Add `application/vnd.citationstyles.style+xml`
72 * Add `application/vnd.fastcopy-disk-image`
73: * Add `application/vnd.gov.sk.xmldatacontainer+xml`
74 * Add extension `.jsonld` to `application/ld+json`
75
/Users/bobo/Desktop/Instatrip/node_modules/jade/README.md:
38 body
39 h1 Jade - node template engine
40: #container.col
41 if youAreUsingJade
42 p You are amazing
..
62 <body>
63 <h1>Jade - node template engine</h1>
64: <div id="container" class="col">
65 <p>You are amazing</p>
66 <p>Jade is a terse and simple templating language with a strong focus on performance and powerful features.</p>
/Users/bobo/Desktop/Instatrip/node_modules/jade/Readme_zh-cn.md:
197
198 ```jade
199: div#container
200 ```
201
202: 它会被转换为 `<div id="container"></div>`
203
204 怎么加 class 呢?
/Users/bobo/Desktop/Instatrip/node_modules/jade/node_modules/transformers/node_modules/uglify-js/lib/ast.js:
619 $documentation: "Base class for property access expressions, i.e. `a.foo` or `a[\"foo\"]`",
620 $propdoc: {
621: expression: "[AST_Node] the “container” expression",
622 property: "[AST_Node|string] the property to access. For AST_Dot this is always a plain string, while for AST_Sub it's an arbitrary AST_Node"
623 }
/Users/bobo/Desktop/Instatrip/node_modules/jade/node_modules/uglify-js/lib/ast.js:
645 $documentation: "Base class for property access expressions, i.e. `a.foo` or `a[\"foo\"]`",
646 $propdoc: {
647: expression: "[AST_Node] the “container” expression",
648 property: "[AST_Node|string] the property to access. For AST_Dot this is always a plain string, while for AST_Sub it's an arbitrary AST_Node"
649 }
/Users/bobo/Desktop/Instatrip/node_modules/jade/node_modules/uglify-js/tools/domprops.json:
1773 "Selection",
1774 "ServiceWorker",
1775: "ServiceWorkerContainer",
1776 "ServiceWorkerRegistration",
1777 "SessionDescription",
....
2509 "command",
2510 "commitPreferences",
2511: "commonAncestorContainer",
2512 "compact",
2513 "compareBoundaryPoints",
....
2896 "enctype",
2897 "end",
2898: "endContainer",
2899 "endElement",
2900 "endElementAt",
....
5020 "standby",
5021 "start",
5022: "startContainer",
5023 "startIce",
5024 "startOffset",
/Users/bobo/Desktop/Instatrip/node_modules/nodemon/node_modules/update-notifier/node_modules/configstore/node_modules/js-yaml/node_modules/argparse/README.md:
120 - ```defaultValue``` - The value produced if the argument is absent from the command line.
121 - ```type``` - The type to which the command-line argument should be converted.
122: - ```choices``` - A container of the allowable values for the argument.
123 - ```required``` - Whether or not the command-line option may be omitted (optionals only).
124 - ```help``` - A brief description of what the argument does.
/Users/bobo/Desktop/Instatrip/node_modules/nodemon/node_modules/update-notifier/node_modules/configstore/node_modules/js-yaml/node_modules/argparse/lib/action_container.js:
1 /** internal
2: * class ActionContainer
3 *
4: * Action container. Parent for [[ArgumentParser]] and [[ArgumentGroup]]
5 **/
6
.
31
32 /**
33: * new ActionContainer(options)
34 *
35: * Action container. Parent for [[ArgumentParser]] and [[ArgumentGroup]]
36 *
37 * ##### Options:
..
42 * - `conflictHandler` -- The conflict handler to use for duplicate arguments
43 **/
44: var ActionContainer = module.exports = function ActionContainer(options) {
45 options = options || {};
46
..
89 };
90
91: // Groups must be required, then ActionContainer already defined
92 var ArgumentGroup = require('./argument/group');
93 var MutuallyExclusiveGroup = require('./argument/exclusive');
..
98
99 /**
100: * ActionContainer#register(registryName, value, object) -> Void
101 * - registryName (String) : object type action|type
102 * - value (string) : keyword
...
105 * Register handlers
106 **/
107: ActionContainer.prototype.register = function (registryName, value, object) {
108 this._registries[registryName] = this._registries[registryName] || {};
109 this._registries[registryName][value] = object;
110 };
111
112: ActionContainer.prototype._registryGet = function (registryName, value, defaultValue) {
113 if (3 > arguments.length) {
114 defaultValue = null;
...
122
123 /**
124: * ActionContainer#setDefaults(options) -> Void
125 * - options (object):hash of options see [[Action.new]]
126 *
127 * Set defaults
128 **/
129: ActionContainer.prototype.setDefaults = function (options) {
130 options = options || {};
131 for (var property in options) {
...
143
144 /**
145: * ActionContainer#getDefault(dest) -> Mixed
146 * - dest (string): action destination
147 *
148 * Return action default value
149 **/
150: ActionContainer.prototype.getDefault = function (dest) {
151 var result = (_.has(this._defaults, dest)) ? this._defaults[dest] : null;
152
...
164
165 /**
166: * ActionContainer#addArgument(args, options) -> Object
167 * - args (Array): array of argument keys
168 * - options (Object): action objects see [[Action.new]]
...
172 * - addArgument(['bar'], action: 'store', nargs:1, ...})
173 **/
174: ActionContainer.prototype.addArgument = function (args, options) {
175 args = args;
176 options = options || {};
...
223
224 /**
225: * ActionContainer#addArgumentGroup(options) -> ArgumentGroup
226 * - options (Object): hash of options see [[ArgumentGroup.new]]
227 *
228 * Create new arguments groups
229 **/
230: ActionContainer.prototype.addArgumentGroup = function (options) {
231 var group = new ArgumentGroup(this, options);
232 this._actionGroups.push(group);
...
235
236 /**
237: * ActionContainer#addMutuallyExclusiveGroup(options) -> ArgumentGroup
238 * - options (Object): {required: false}
239 *
240 * Create new mutual exclusive groups
241 **/
242: ActionContainer.prototype.addMutuallyExclusiveGroup = function (options) {
243 var group = new MutuallyExclusiveGroup(this, options);
244 this._mutuallyExclusiveGroups.push(group);
...
246 };
247
248: ActionContainer.prototype._addAction = function (action) {
249 var self = this;
250
...
254 // add to actions list
255 this._actions.push(action);
256: action.container = this;
257
258 // index the action by any option strings it has
...
274 };
275
276: ActionContainer.prototype._removeAction = function (action) {
277 var actionIndex = this._actions.indexOf(action);
278 if (actionIndex >= 0) {
...
281 };
282
283: ActionContainer.prototype._addContainerActions = function (container) {
284 // collect groups by titles
285 var titleGroupMap = {};
...
297 return action.getName();
298 }
299: container._actionGroups.forEach(function (group) {
300 // if a group with the title exists, use that, otherwise
301: // create a new group matching the container's group
302 if (!titleGroupMap[group.title]) {
303 titleGroupMap[group.title] = this.addArgumentGroup({
...
313 }, this);
314
315: // add container's mutually exclusive groups
316 // NOTE: if add_mutually_exclusive_group ever gains title= and
317 // description= then this code will need to be expanded as above
318 var mutexGroup;
319: container._mutuallyExclusiveGroups.forEach(function (group) {
320 mutexGroup = this.addMutuallyExclusiveGroup({
321 required: group.required
...
327 }, this); // forEach takes a 'this' argument
328
329: // add all actions to this container or their group
330: container._actions.forEach(function (action) {
331 var key = actionHash(action);
332 if (!!groupMap[key]) {
...
340 };
341
342: ActionContainer.prototype._getPositional = function (dest, options) {
343 if (_.isArray(dest)) {
344 dest = _.first(dest);
...
364 };
365
366: ActionContainer.prototype._getOptional = function (args, options) {
367 var prefixChars = this.prefixChars;
368 var optionStrings = [];
...
409 };
410
411: ActionContainer.prototype._popActionClass = function (options, defaultValue) {
412 defaultValue = defaultValue || null;
413
...
419 };
420
421: ActionContainer.prototype._getHandler = function () {
422 var handlerString = this.conflictHandler;
423 var handlerFuncName = "_handleConflict" + _.capitalize(handlerString);
...
431 };
432
433: ActionContainer.prototype._checkConflict = function (action) {
434 var optionStringActions = this._optionStringActions;
435 var conflictOptionals = [];
...
450 };
451
452: ActionContainer.prototype._handleConflictError = function (action, conflOptionals) {
453 var conflicts = _.map(conflOptionals, function (pair) {return pair[0]; });
454 conflicts = conflicts.join(', ');
...
459 };
460
461: ActionContainer.prototype._handleConflictResolve = function (action, conflOptionals) {
462 // remove all conflicting options
463 var self = this;
...
472 delete self._optionStringActions[optionString];
473 // if the option now has no option string, remove it from the
474: // container holding it
475 if (conflictingAction.optionStrings.length === 0) {
476: conflictingAction.container._removeAction(conflictingAction);
477 }
478 });
/Users/bobo/Desktop/Instatrip/node_modules/nodemon/node_modules/update-notifier/node_modules/configstore/node_modules/js-yaml/node_modules/argparse/lib/argument_parser.js:
4 * Object for parsing command line strings into js objects.
5 *
6: * Inherited from [[ActionContainer]]
7 **/
8 'use strict';
.
18 var $$ = require('./const');
19
20: var ActionContainer = require('./action_container');
21
22 // Errors
..
61 options.prefixChars = (options.prefixChars || '-');
62 options.conflictHandler = (options.conflictHandler || 'error');
63: ActionContainer.call(this, options);
64
65 options.addHelp = (options.addHelp === undefined || !!options.addHelp);
..
130 // add parent arguments and defaults
131 options.parents.forEach(function (parent) {
132: self._addContainerActions(parent);
133 if (parent._defaults !== undefined) {
134 for (var defaultKey in parent._defaults) {
...
141
142 };
143: util.inherits(ArgumentParser, ActionContainer);
144
145 /**
/Users/bobo/Desktop/Instatrip/node_modules/nodemon/node_modules/update-notifier/node_modules/configstore/node_modules/js-yaml/node_modules/argparse/lib/argument/exclusive.js:
9 * appropriate groups can be created using the addArgumentGroup() method
10 *
11: * This class inherited from [[ArgumentContainer]]
12 **/
13 'use strict';
..
18
19 /**
20: * new MutuallyExclusiveGroup(container, options)
21: * - container (object): main container
22 * - options (object): options.required -> true/false
23 *
..
25 * the options argument is more consistent with the JS adaptation of the Python)
26 **/
27: var MutuallyExclusiveGroup = module.exports = function MutuallyExclusiveGroup(container, options) {
28 var required;
29 options = options || {};
30 required = options.required || false;
31: ArgumentGroup.call(this, container);
32 this.required = required;
33