-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathac-amd-dojo-completions.el
1256 lines (1255 loc) · 127 KB
/
ac-amd-dojo-completions.el
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
;; Generated with ac-amd-process-dojov1.xsl
;; Don't change by hand, but regenerate from js-doc-parse documentation.
(require 'ac-amd)
(defun ac-amd-dojo-completions-setup ()
(setq ac-amd-properties (append (list
(cons "dojo/_base/kernel" (list "config" "global" "dijit" "dojox" "scopeMap" "baseUrl" "isAsync" "locale" "version" "doc" "isQuirks" "isIE" "query" "mouseButtons" "isBrowser" "isFF" "isKhtml" "isWebKit" "isMozilla" "isMoz" "isOpera" "isSafari" "isChrome" "isMac" "isIos" "isAndroid" "isWii" "isAir" "keys" "subscribe" "publish" "connectPublisher" "isCopyKey" "fx" "toJsonIndentStr" "date" "parser" "html" "contentHandlers" "isSpidermonkey" "back" "behavior" "cldr" "i18n" "colors" "regexp" "string" "number" "currency" "data" "dnd" "touch" "window" "gears" "io" "rpc" "store" "tests" "eval(scriptText)" "exit(exitcode)" "experimental(moduleName, _extra_)" "deprecated(behaviour, _extra_, _removal_)" "moduleUrl(module, _url_)" "AdapterRegistry(_returnWrappers_)" "Deferred(_canceller_)" "when(valueOrPromise, _callback_, _errback_, _progback_)" "every(arr, callback, _thisObject_)" "some(arr, callback, _thisObject_)" "indexOf(arr, value, _fromIndex_, _findLast_)" "lastIndexOf(arr, value, _fromIndex_)" "forEach(arr, callback, _thisObject_)" "map(arr, callback, _thisObject_, Ctr)" "filter(arr, callback, _thisObject_)" "clearCache()" "DeferredList(list, _fireOnOneCallback_, _fireOnOneErrback_, _consumeErrors_, _canceller_)" "body(_doc_)" "setContext(globalObject, globalDocument)" "withGlobal(globalObject, callback, _thisObject_, _cbArguments_)" "withDoc(documentObject, callback, _thisObject_, _cbArguments_)" "NodeList(array)" "fixEvent(evt, sender)" "stopEvent(evt)" "connect(_obj_, event, context, method, _dontFix_)" "disconnect(handle)" "unsubscribe(handle)" "safeMixin(target, source)" "declare(_className_, superclass, props)" "Color(color)" "blendColors(start, end, weight, _obj_)" "colorFromRgb(color, _obj_)" "colorFromHex(color, _obj_)" "colorFromArray(a, _obj_)" "colorFromString(str, _obj_)" "Animation(args)" "fadeIn(args)" "fadeOut(args)" "animateProperty(args)" "anim(node, properties, _duration_, _easing_, _onEnd_, _delay_)" "addOnLoad(_priority_, context, _callback_)" "ready(_priority_, context, _callback_)" "byId(id, _doc_)" "isDescendant(node, ancestor)" "setSelectable(node, selectable)" "getAttr(node, name)" "setAttr(node, name, _value_)" "hasAttr(node, name)" "removeAttr(node, name)" "getNodeProp(node, name)" "attr(node, name, _value_)" "hasClass(node, classStr)" "addClass(node, classStr)" "removeClass(node, _classStr_)" "toggleClass(node, classStr, _condition_)" "replaceClass(node, addClassStr, _removeClassStr_)" "toDom(frag, _doc_)" "place(node, refNode, _position_)" "create(tag, attrs, _refNode_, _pos_)" "empty(node)" "destroy(node)" "getPadExtents(node, _computedStyle_)" "getBorderExtents(node, _computedStyle_)" "getPadBorderExtents(node, _computedStyle_)" "getMarginExtents(node, _computedStyle_)" "getMarginSize(node, _computedStyle_)" "getMarginBox(node, _computedStyle_)" "setMarginBox(node, box, _computedStyle_)" "getContentBox(node, _computedStyle_)" "setContentSize(node, box, _computedStyle_)" "isBodyLtr(_doc_)" "docScroll(_doc_)" "getIeDocumentElementOffset(_doc_)" "fixIeBiDiScrollLeft(scrollLeft, _doc_)" "position(node, _includeScroll_)" "marginBox(node, _box_)" "contentBox(node, _box_)" "coords(node, _includeScroll_)" "getProp(node, name)" "setProp(node, name, _value_)" "prop(node, name, _value_)" "getStyle(node, _name_)" "setStyle(node, name, _value_)" "getComputedStyle(node)" "toPixelValue(node, value)" "style(node, _name_, _value_)" "fromJson(js)" "toJson(it, _prettyPrint_)" "Stateful()" "windowUnloaded()" "addOnWindowUnload(_obj_, _functionName_)" "addOnUnload(_obj_, _functionName_)" "objectToQuery(map)" "queryToObject(str)" "fieldToObject(inputNode)" "formToObject(formNode)" "formToQuery(formNode)" "formToJson(formNode, _prettyPrint_)" "xhr(method, args)" "xhrGet(args)" "xhrPost(args)" "rawXhrPost(args)" "xhrPut(args)" "rawXhrPut(args)" "xhrDelete(args)" "pushContext(_g_, _d_)" "popContext()" "provide(mid)" "require(moduleName, _omitModuleCheck_)" "loadInit(f)" "registerModulePath(moduleName, prefix)" "platformRequire(modMap)" "requireAfterIf(condition, moduleName, _omitModuleCheck_)" "requireIf(condition, moduleName, _omitModuleCheck_)" "requireLocalization(moduleName, bundleName, _locale_)" "cache(module, url, _value_)" "getL10nName(moduleName, bundleName, locale)" "cookie(name, _value_, _props_)" "hash(_hash_, _replace_)"))
(cons "dojo/_base/config" (list "isDebug" "locale" "extraLocale" "baseUrl" "modulePaths" "addOnLoad" "parseOnLoad" "require" "defaultDuration" "dojoBlankHtmlUrl" "ioPublish" "useCustomLogger" "transparentColor" "deps" "callback" "deferredInstrumentation" "useDeferredInstrumentation" "afterOnLoad" "debugContainerId" "debugHeight" "urchin"))
(cons "dojo/_base/lang" (list "mixin(dest, sources)" "setObject(name, value, _context_)" "getObject(name, _create_, _context_)" "exists(name, _obj_)" "isString(it)" "isArray(it)" "isFunction(it)" "isObject(it)" "isArrayLike(it)" "isAlien(it)" "extend(ctor, props)" "hitch(scope, method)" "delegate(obj, props)" "partial(method)" "clone(src)" "trim(str)" "replace(tmpl, map, _pattern_)"))
(cons "dojo/_base/array" (list "every(arr, callback, _thisObject_)" "some(arr, callback, _thisObject_)" "indexOf(arr, value, _fromIndex_, _findLast_)" "lastIndexOf(arr, value, _fromIndex_)" "forEach(arr, callback, _thisObject_)" "map(arr, callback, _thisObject_, Ctr)" "filter(arr, callback, _thisObject_)" "clearCache()"))
(cons "dojo/aspect" (list "before(target, methodName, advice)" "around(target, methodName, advice)" "after(target, methodName, advice, _receiveArguments_)"))
(cons "dojo/dom" (list "byId(id, _doc_)" "isDescendant(node, ancestor)" "setSelectable(node, selectable)"))
(cons "dojo/_base/window" (list "global" "doc" "body(_doc_)" "setContext(globalObject, globalDocument)" "withGlobal(globalObject, callback, _thisObject_, _cbArguments_)" "withDoc(documentObject, callback, _thisObject_, _cbArguments_)"))
(cons "dojo/selector/_loader" (list "load(id, parentRequire, loaded, config)"))
(cons "dojo/dom-attr" (list "has(node, name)" "get(node, name)" "set(node, name, _value_)" "remove(node, name)" "getNodeProp(node, name)"))
(cons "dojo/dom-style" (list "getComputedStyle(node)" "toPixelValue(node, value)" "get(node, name)" "set(node, name, _value_)"))
(cons "dojo/dom-prop" (list "names" "get(node, name)" "set(node, name, _value_)"))
(cons "dojo/dom-construct" (list "toDom(frag, _doc_)" "place(node, refNode, _position_)" "create(tag, attrs, _refNode_, _pos_)" "empty(node)" "destroy(node)"))
(cons "dojo/_base/connect" (list "connect(_obj_, event, context, method, _dontFix_)" "disconnect(handle)" "subscribe(topic, _context_, method)" "publish(topic, _args_)" "connectPublisher(topic, _obj_, event)" "isCopyKey(e)" "unsubscribe(handle)"))
(cons "dojo/topic" (list "publish(topic, event)" "subscribe(topic, listener)"))
(cons "dojo/_base/event" (list "fix(evt, sender)" "stop(evt)"))
(cons "dojo/dom-geometry" (list "boxModel" "getPadExtents(node, _computedStyle_)" "getBorderExtents(node, _computedStyle_)" "getPadBorderExtents(node, _computedStyle_)" "getMarginExtents(node, _computedStyle_)" "getMarginBox(node, _computedStyle_)" "getContentBox(node, _computedStyle_)" "setContentSize(node, box, _computedStyle_)" "setMarginBox(node, box, _computedStyle_)" "isBodyLtr(_doc_)" "docScroll(_doc_)" "getIeDocumentElementOffset(_doc_)" "fixIeBiDiScrollLeft(scrollLeft, _doc_)" "position(node, _includeScroll_)" "getMarginSize(node, _computedStyle_)" "normalizeEvent(event)"))
(cons "dojo/mouse" (list "enter" "leave" "wheel(node, listener)" "isLeft()" "isMiddle()" "isRight()"))
(cons "dojo/_base/sniff" (list))
(cons "dojo/keys" (list "BACKSPACE" "TAB" "CLEAR" "ENTER" "SHIFT" "CTRL" "ALT" "META" "PAUSE" "CAPS_LOCK" "ESCAPE" "SPACE" "PAGE_UP" "PAGE_DOWN" "END" "HOME" "LEFT_ARROW" "UP_ARROW" "RIGHT_ARROW" "DOWN_ARROW" "INSERT" "DELETE" "HELP" "LEFT_WINDOW" "RIGHT_WINDOW" "SELECT" "NUMPAD_0" "NUMPAD_1" "NUMPAD_2" "NUMPAD_3" "NUMPAD_4" "NUMPAD_5" "NUMPAD_6" "NUMPAD_7" "NUMPAD_8" "NUMPAD_9" "NUMPAD_MULTIPLY" "NUMPAD_PLUS" "NUMPAD_ENTER" "NUMPAD_MINUS" "NUMPAD_PERIOD" "NUMPAD_DIVIDE" "F1" "F2" "F3" "F4" "F5" "F6" "F7" "F8" "F9" "F10" "F11" "F12" "F13" "F14" "F15" "NUM_LOCK" "SCROLL_LOCK" "UP_DPAD" "DOWN_DPAD" "LEFT_DPAD" "RIGHT_DPAD" "copyKey"))
(cons "dojo/dom-class" (list "contains(node, classStr)" "add(node, classStr)" "remove(node, _classStr_)" "replace(node, addClassStr, _removeClassStr_)" "toggle(node, classStr, _condition_)"))
(cons "dojo/_base/fx" (list "Animation(args)" "fadeIn(args)" "fadeOut(args)" "animateProperty(args)" "anim(node, properties, _duration_, _easing_, _onEnd_, _delay_)"))
(cons "dojo/fx" (list "easing" "chain(animations)" "combine(animations)" "wipeIn(args)" "wipeOut(args)" "slideTo(args)" "Toggler()"))
(cons "dojo/html" (list "set(node, cont, _params_)"))
(cons "dojo/parser" (list "instantiate(nodes, _mixin_, _options_)" "construct(ctor, node, _mixin_, _options_, _scripts_, _inherited_)" "scan(_root_, options)" "parse(_rootNode_, _options_)"))
(cons "dojo/_base/html" (list))
(cons "dojo/_base/json" (list))
(cons "dojo/json" (list "parse(str, strict)" "stringify(value, replacer, spacer)"))
(cons "dojo/date/stamp" (list "fromISOString(formattedString, _defaultTime_)" "toISOString(dateObject, _options_)"))
(cons "dojo/_base/NodeList" (list))
(cons "dojo/_base/browser" (list))
(cons "dojo/_base/unload" (list "addOnWindowUnload(_obj_, _functionName_)" "addOnUnload(_obj_, _functionName_)"))
(cons "dojo/io-query" (list "objectToQuery(map)" "queryToObject(str)"))
(cons "dojo/dom-form" (list "fieldToObject(inputNode)" "toObject(formNode)" "toQuery(formNode)" "toJson(formNode, _prettyPrint_)"))
(cons "dojo/request/util" (list "deepCopy(target, source)" "deepCreate(source, properties)" "deferred(response, cancel, isValid, isReady, handleResponse, last)" "addCommonMethods(provider, methods)" "parseArgs(url, options, skipData)" "checkStatus(stat)" "notify(_type_, _listener_)"))
(cons "dojo/_base/query" (list))
(cons "dojo/back" (list "getHash()" "setHash(h)" "goBack()" "goForward()" "init()" "setInitialState(args)" "addToHistory(args)"))
(cons "dojo/text" (list "dynamic" "normalize(id, toAbsMid)" "load(id, require, load)"))
(cons "dojo/cldr/monetary" (list "getData(code)"))
(cons "dojo/cldr/supplemental" (list "getFirstDayOfWeek(_locale_)" "getWeekend(_locale_)"))
(cons "dojo/i18n" (list "unitTests" "dynamic" "cache" "normalizeLocale(locale)" "getLocalization(moduleName, bundleName, locale)" "normalize(id, toAbsMid)" "load(id, require, load)"))
(cons "dojo/colors" (list "ThreeD"))
(cons "dojo/regexp" (list "escapeString(str, _except_)" "buildGroupRE(arr, re, _nonCapture_)" "group(expression, _nonCapture_)"))
(cons "dojo/currency" (list "format(value, _options_)" "regexp(_options_)" "parse(expression, _options_)"))
(cons "dojo/number" (list "format(value, _options_)" "round(value, _places_, _increment_)" "regexp(_options_)" "parse(expression, _options_)"))
(cons "dojo/string" (list "rep(str, num)" "pad(text, size, _ch_, _end_)" "substitute(template, map, _transform_, _thisObject_)" "trim(str)"))
(cons "dojo/data/util/filter" (list "patternToRegExp(pattern, _ignoreCase_)"))
(cons "dojo/data/util/simpleFetch" (list "errorHandler(errorData, requestObject)" "fetchHandler(items, requestObject)" "fetch(_request_)"))
(cons "dojo/data/util/sorter" (list "basicComparator(a, b)" "createSortFunction(sortSpec, store)"))
(cons "dojo/date/locale" (list "format(dateObject, _options_)" "regexp(_options_)" "parse(value, _options_)" "addCustomFormats(packageName, bundleName)" "getNames(item, type, _context_, _locale_)" "isWeekend(_dateObject_, _locale_)"))
(cons "dojo/dnd/common" (list "getCopyKeyState(e)" "getUniqueId()" "isFormElement(e)" "manager()"))
(cons "dojo/touch" (list "press(node, listener)" "move(node, listener)" "release(node, listener)" "cancel(node, listener)" "over(node, listener)" "out(node, listener)" "enter(node, listener)" "leave(node, listener)"))
(cons "dojo/dnd/autoscroll" (list "V_TRIGGER_AUTOSCROLL" "H_TRIGGER_AUTOSCROLL" "V_AUTOSCROLL_VALUE" "H_AUTOSCROLL_VALUE" "getViewport(_doc_)" "autoScrollStart(d)" "autoScroll(e)" "autoScrollNodes(e)"))
(cons "dojo/window" (list "getBox(_doc_)" "get(doc)" "scrollIntoView(node, _pos_)"))
(cons "dojo/dnd/move" (list "constrainedMoveable()" "boxConstrainedMoveable()" "parentConstrainedMoveable()"))
(cons "dojo/fx/easing" (list "linear(_n_)" "quadIn(_n_)" "quadOut(_n_)" "quadInOut(_n_)" "cubicIn(_n_)" "cubicOut(_n_)" "cubicInOut(_n_)" "quartIn(_n_)" "quartOut(_n_)" "quartInOut(_n_)" "quintIn(_n_)" "quintOut(_n_)" "quintInOut(_n_)" "sineIn(_n_)" "sineOut(_n_)" "sineInOut(_n_)" "expoIn(_n_)" "expoOut(_n_)" "expoInOut(_n_)" "circIn(_n_)" "circOut(_n_)" "circInOut(_n_)" "backIn(_n_)" "backOut(_n_)" "backInOut(_n_)" "elasticIn(_n_)" "elasticOut(_n_)" "elasticInOut(_n_)" "bounceIn(_n_)" "bounceOut(_n_)" "bounceInOut(_n_)"))
(cons "dojo/gears" (list "available"))
(cons "dojo/io/iframe" (list "create(fname, onloadstr, uri)" "setSrc(iframe, src, replace)" "doc(iframeNode)"))
(cons "dojo/io/script" (list "get(args)" "attach(id, url, frameDocument)" "remove(id, frameDocument)"))
(cons "dojo/jaxer" (list "config" "global" "dijit" "dojox" "scopeMap" "baseUrl" "isAsync" "locale" "version" "doc" "isQuirks" "isIE" "query" "mouseButtons" "isBrowser" "isFF" "isKhtml" "isWebKit" "isMozilla" "isMoz" "isOpera" "isSafari" "isChrome" "isMac" "isIos" "isAndroid" "isWii" "isAir" "keys" "subscribe" "publish" "connectPublisher" "isCopyKey" "fx" "toJsonIndentStr" "date" "parser" "html" "contentHandlers" "isSpidermonkey" "back" "behavior" "cldr" "i18n" "colors" "regexp" "string" "number" "currency" "data" "dnd" "touch" "window" "gears" "io" "rpc" "store" "tests" "eval(scriptText)" "exit(exitcode)" "experimental(moduleName, _extra_)" "deprecated(behaviour, _extra_, _removal_)" "moduleUrl(module, _url_)" "AdapterRegistry(_returnWrappers_)" "Deferred(_canceller_)" "when(valueOrPromise, _callback_, _errback_, _progback_)" "every(arr, callback, _thisObject_)" "some(arr, callback, _thisObject_)" "indexOf(arr, value, _fromIndex_, _findLast_)" "lastIndexOf(arr, value, _fromIndex_)" "forEach(arr, callback, _thisObject_)" "map(arr, callback, _thisObject_, Ctr)" "filter(arr, callback, _thisObject_)" "clearCache()" "DeferredList(list, _fireOnOneCallback_, _fireOnOneErrback_, _consumeErrors_, _canceller_)" "body(_doc_)" "setContext(globalObject, globalDocument)" "withGlobal(globalObject, callback, _thisObject_, _cbArguments_)" "withDoc(documentObject, callback, _thisObject_, _cbArguments_)" "NodeList(array)" "fixEvent(evt, sender)" "stopEvent(evt)" "connect(_obj_, event, context, method, _dontFix_)" "disconnect(handle)" "unsubscribe(handle)" "safeMixin(target, source)" "declare(_className_, superclass, props)" "Color(color)" "blendColors(start, end, weight, _obj_)" "colorFromRgb(color, _obj_)" "colorFromHex(color, _obj_)" "colorFromArray(a, _obj_)" "colorFromString(str, _obj_)" "Animation(args)" "fadeIn(args)" "fadeOut(args)" "animateProperty(args)" "anim(node, properties, _duration_, _easing_, _onEnd_, _delay_)" "addOnLoad(_priority_, context, _callback_)" "ready(_priority_, context, _callback_)" "byId(id, _doc_)" "isDescendant(node, ancestor)" "setSelectable(node, selectable)" "getAttr(node, name)" "setAttr(node, name, _value_)" "hasAttr(node, name)" "removeAttr(node, name)" "getNodeProp(node, name)" "attr(node, name, _value_)" "hasClass(node, classStr)" "addClass(node, classStr)" "removeClass(node, _classStr_)" "toggleClass(node, classStr, _condition_)" "replaceClass(node, addClassStr, _removeClassStr_)" "toDom(frag, _doc_)" "place(node, refNode, _position_)" "create(tag, attrs, _refNode_, _pos_)" "empty(node)" "destroy(node)" "getPadExtents(node, _computedStyle_)" "getBorderExtents(node, _computedStyle_)" "getPadBorderExtents(node, _computedStyle_)" "getMarginExtents(node, _computedStyle_)" "getMarginSize(node, _computedStyle_)" "getMarginBox(node, _computedStyle_)" "setMarginBox(node, box, _computedStyle_)" "getContentBox(node, _computedStyle_)" "setContentSize(node, box, _computedStyle_)" "isBodyLtr(_doc_)" "docScroll(_doc_)" "getIeDocumentElementOffset(_doc_)" "fixIeBiDiScrollLeft(scrollLeft, _doc_)" "position(node, _includeScroll_)" "marginBox(node, _box_)" "contentBox(node, _box_)" "coords(node, _includeScroll_)" "getProp(node, name)" "setProp(node, name, _value_)" "prop(node, name, _value_)" "getStyle(node, _name_)" "setStyle(node, name, _value_)" "getComputedStyle(node)" "toPixelValue(node, value)" "style(node, _name_, _value_)" "fromJson(js)" "toJson(it, _prettyPrint_)" "Stateful()" "windowUnloaded()" "addOnWindowUnload(_obj_, _functionName_)" "addOnUnload(_obj_, _functionName_)" "objectToQuery(map)" "queryToObject(str)" "fieldToObject(inputNode)" "formToObject(formNode)" "formToQuery(formNode)" "formToJson(formNode, _prettyPrint_)" "xhr(method, args)" "xhrGet(args)" "xhrPost(args)" "rawXhrPost(args)" "xhrPut(args)" "rawXhrPut(args)" "xhrDelete(args)" "pushContext(_g_, _d_)" "popContext()" "provide(mid)" "require(moduleName, _omitModuleCheck_)" "loadInit(f)" "registerModulePath(moduleName, prefix)" "platformRequire(modMap)" "requireAfterIf(condition, moduleName, _omitModuleCheck_)" "requireIf(condition, moduleName, _omitModuleCheck_)" "requireLocalization(moduleName, bundleName, _locale_)" "cache(module, url, _value_)" "getL10nName(moduleName, bundleName, locale)" "cookie(name, _value_, _props_)" "hash(_hash_, _replace_)"))
(cons "dojo/loadInit" (list "dynamic" "load" "normalize(id)"))
(cons "dojo/main" (list "config" "global" "dijit" "dojox" "scopeMap" "baseUrl" "isAsync" "locale" "version" "doc" "isQuirks" "isIE" "query" "mouseButtons" "isBrowser" "isFF" "isKhtml" "isWebKit" "isMozilla" "isMoz" "isOpera" "isSafari" "isChrome" "isMac" "isIos" "isAndroid" "isWii" "isAir" "keys" "subscribe" "publish" "connectPublisher" "isCopyKey" "fx" "toJsonIndentStr" "date" "parser" "html" "contentHandlers" "isSpidermonkey" "back" "behavior" "cldr" "i18n" "colors" "regexp" "string" "number" "currency" "data" "dnd" "touch" "window" "gears" "io" "rpc" "store" "tests" "eval(scriptText)" "exit(exitcode)" "experimental(moduleName, _extra_)" "deprecated(behaviour, _extra_, _removal_)" "moduleUrl(module, _url_)" "AdapterRegistry(_returnWrappers_)" "Deferred(_canceller_)" "when(valueOrPromise, _callback_, _errback_, _progback_)" "every(arr, callback, _thisObject_)" "some(arr, callback, _thisObject_)" "indexOf(arr, value, _fromIndex_, _findLast_)" "lastIndexOf(arr, value, _fromIndex_)" "forEach(arr, callback, _thisObject_)" "map(arr, callback, _thisObject_, Ctr)" "filter(arr, callback, _thisObject_)" "clearCache()" "DeferredList(list, _fireOnOneCallback_, _fireOnOneErrback_, _consumeErrors_, _canceller_)" "body(_doc_)" "setContext(globalObject, globalDocument)" "withGlobal(globalObject, callback, _thisObject_, _cbArguments_)" "withDoc(documentObject, callback, _thisObject_, _cbArguments_)" "NodeList(array)" "fixEvent(evt, sender)" "stopEvent(evt)" "connect(_obj_, event, context, method, _dontFix_)" "disconnect(handle)" "unsubscribe(handle)" "safeMixin(target, source)" "declare(_className_, superclass, props)" "Color(color)" "blendColors(start, end, weight, _obj_)" "colorFromRgb(color, _obj_)" "colorFromHex(color, _obj_)" "colorFromArray(a, _obj_)" "colorFromString(str, _obj_)" "Animation(args)" "fadeIn(args)" "fadeOut(args)" "animateProperty(args)" "anim(node, properties, _duration_, _easing_, _onEnd_, _delay_)" "addOnLoad(_priority_, context, _callback_)" "ready(_priority_, context, _callback_)" "byId(id, _doc_)" "isDescendant(node, ancestor)" "setSelectable(node, selectable)" "getAttr(node, name)" "setAttr(node, name, _value_)" "hasAttr(node, name)" "removeAttr(node, name)" "getNodeProp(node, name)" "attr(node, name, _value_)" "hasClass(node, classStr)" "addClass(node, classStr)" "removeClass(node, _classStr_)" "toggleClass(node, classStr, _condition_)" "replaceClass(node, addClassStr, _removeClassStr_)" "toDom(frag, _doc_)" "place(node, refNode, _position_)" "create(tag, attrs, _refNode_, _pos_)" "empty(node)" "destroy(node)" "getPadExtents(node, _computedStyle_)" "getBorderExtents(node, _computedStyle_)" "getPadBorderExtents(node, _computedStyle_)" "getMarginExtents(node, _computedStyle_)" "getMarginSize(node, _computedStyle_)" "getMarginBox(node, _computedStyle_)" "setMarginBox(node, box, _computedStyle_)" "getContentBox(node, _computedStyle_)" "setContentSize(node, box, _computedStyle_)" "isBodyLtr(_doc_)" "docScroll(_doc_)" "getIeDocumentElementOffset(_doc_)" "fixIeBiDiScrollLeft(scrollLeft, _doc_)" "position(node, _includeScroll_)" "marginBox(node, _box_)" "contentBox(node, _box_)" "coords(node, _includeScroll_)" "getProp(node, name)" "setProp(node, name, _value_)" "prop(node, name, _value_)" "getStyle(node, _name_)" "setStyle(node, name, _value_)" "getComputedStyle(node)" "toPixelValue(node, value)" "style(node, _name_, _value_)" "fromJson(js)" "toJson(it, _prettyPrint_)" "Stateful()" "windowUnloaded()" "addOnWindowUnload(_obj_, _functionName_)" "addOnUnload(_obj_, _functionName_)" "objectToQuery(map)" "queryToObject(str)" "fieldToObject(inputNode)" "formToObject(formNode)" "formToQuery(formNode)" "formToJson(formNode, _prettyPrint_)" "xhr(method, args)" "xhrGet(args)" "xhrPost(args)" "rawXhrPost(args)" "xhrPut(args)" "rawXhrPut(args)" "xhrDelete(args)" "pushContext(_g_, _d_)" "popContext()" "provide(mid)" "require(moduleName, _omitModuleCheck_)" "loadInit(f)" "registerModulePath(moduleName, prefix)" "platformRequire(modMap)" "requireAfterIf(condition, moduleName, _omitModuleCheck_)" "requireIf(condition, moduleName, _omitModuleCheck_)" "requireLocalization(moduleName, bundleName, _locale_)" "cache(module, url, _value_)" "getL10nName(moduleName, bundleName, locale)" "cookie(name, _value_, _props_)" "hash(_hash_, _replace_)"))
(cons "dojo/node" (list "load(id, require, load)"))
(cons "dojo/promise/tracer" (list "on(type, listener)"))
(cons "dojo/request/default" (list "getPlatformDefaultId()" "load(id, parentRequire, loaded, config)"))
(cons "dojo/require" (list "dynamic" "load" "normalize(id)"))
(cons "dojo/robot" (list "mouseWheelSize" "window" "doc" "killRobot()" "startRobot()" "sequence(f, _delay_, _duration_)" "typeKeys(chars, _delay_, _duration_)" "keyPress(charOrCode, _delay_, modifiers, asynchronous)" "keyDown(charOrCode, _delay_)" "keyUp(charOrCode, _delay_)" "mouseClick(buttons, _delay_)" "mousePress(buttons, _delay_)" "mouseMoveTo(point, _delay_, _duration_, absolute)" "mouseMove(x, y, _delay_, _duration_, absolute)" "mouseRelease(buttons, _delay_)" "mouseWheel(wheelAmt, _delay_, _duration_)" "setClipboard(data, _format_)" "scrollIntoView(node, delay)" "mouseMoveAt(node, delay, duration, offsetX, offsetY)" "initRobot(url)" "waitForPageToLoad(submitActions)"))
(cons "doh/_browserRunner" (list "debug" "error" "registerUrl" "isBrowser" "robot" "Deferred(canceller)" "registerTestType(name, initProc)" "register(a1, a2, a3, a4, a5)" "registerDocTests(module)" "registerTest(group, test, type)" "registerGroup(group, tests, setUp, tearDown, type)" "registerTestNs(group, ns)" "registerTests(group, testArr, type)" "assertTrue(condition, _hint_)" "t(condition, _hint_)" "assertFalse(condition, _hint_)" "f(condition, _hint_)" "assertError(expectedError, scope, functionName, args, _hint_)" "e(expectedError, scope, functionName, args, _hint_)" "assertEqual(expected, actual, _hint_, doNotThrow)" "is(expected, actual, _hint_, doNotThrow)" "assertNotEqual(notExpected, actual, _hint_)" "isNot(notExpected, actual, _hint_)" "runGroup(groupName, idx)" "togglePaused()" "pause()" "run()" "runOnLoad()" "showTestPage()" "showLogPage()" "showPerfTestsPage()" "toggleRunAll()"))
(cons "doh/runner" (list "debug" "error" "registerUrl" "isBrowser" "robot" "Deferred(canceller)" "registerTestType(name, initProc)" "register(a1, a2, a3, a4, a5)" "registerDocTests(module)" "registerTest(group, test, type)" "registerGroup(group, tests, setUp, tearDown, type)" "registerTestNs(group, ns)" "registerTests(group, testArr, type)" "assertTrue(condition, _hint_)" "t(condition, _hint_)" "assertFalse(condition, _hint_)" "f(condition, _hint_)" "assertError(expectedError, scope, functionName, args, _hint_)" "e(expectedError, scope, functionName, args, _hint_)" "assertEqual(expected, actual, _hint_, doNotThrow)" "is(expected, actual, _hint_, doNotThrow)" "assertNotEqual(notExpected, actual, _hint_)" "isNot(notExpected, actual, _hint_)" "runGroup(groupName, idx)" "togglePaused()" "pause()" "run()" "runOnLoad()" "showTestPage()" "showLogPage()" "showPerfTestsPage()" "toggleRunAll()"))
(cons "doh/robot" (list "mouseWheelSize" "window" "doc" "killRobot()" "startRobot()" "sequence(f, _delay_, _duration_)" "typeKeys(chars, _delay_, _duration_)" "keyPress(charOrCode, _delay_, modifiers, asynchronous)" "keyDown(charOrCode, _delay_)" "keyUp(charOrCode, _delay_)" "mouseClick(buttons, _delay_)" "mousePress(buttons, _delay_)" "mouseMoveTo(point, _delay_, _duration_, absolute)" "mouseMove(x, y, _delay_, _duration_, absolute)" "mouseRelease(buttons, _delay_)" "mouseWheel(wheelAmt, _delay_, _duration_)" "setClipboard(data, _format_)" "scrollIntoView(node, delay)" "mouseMoveAt(node, delay, duration, offsetX, offsetY)" "initRobot(url)" "waitForPageToLoad(submitActions)"))
(cons "dojo/robotx" (list "mouseWheelSize" "window" "doc" "killRobot()" "startRobot()" "sequence(f, _delay_, _duration_)" "typeKeys(chars, _delay_, _duration_)" "keyPress(charOrCode, _delay_, modifiers, asynchronous)" "keyDown(charOrCode, _delay_)" "keyUp(charOrCode, _delay_)" "mouseClick(buttons, _delay_)" "mousePress(buttons, _delay_)" "mouseMoveTo(point, _delay_, _duration_, absolute)" "mouseMove(x, y, _delay_, _duration_, absolute)" "mouseRelease(buttons, _delay_)" "mouseWheel(wheelAmt, _delay_, _duration_)" "setClipboard(data, _format_)" "scrollIntoView(node, delay)" "mouseMoveAt(node, delay, duration, offsetX, offsetY)" "initRobot(url)" "waitForPageToLoad(submitActions)"))
(cons "doh/main" (list "debug" "error" "registerUrl" "isBrowser" "robot" "Deferred(canceller)" "registerTestType(name, initProc)" "register(a1, a2, a3, a4, a5)" "registerDocTests(module)" "registerTest(group, test, type)" "registerGroup(group, tests, setUp, tearDown, type)" "registerTestNs(group, ns)" "registerTests(group, testArr, type)" "assertTrue(condition, _hint_)" "t(condition, _hint_)" "assertFalse(condition, _hint_)" "f(condition, _hint_)" "assertError(expectedError, scope, functionName, args, _hint_)" "e(expectedError, scope, functionName, args, _hint_)" "assertEqual(expected, actual, _hint_, doNotThrow)" "is(expected, actual, _hint_, doNotThrow)" "assertNotEqual(notExpected, actual, _hint_)" "isNot(notExpected, actual, _hint_)" "runGroup(groupName, idx)" "togglePaused()" "pause()" "run()" "runOnLoad()" "showTestPage()" "showLogPage()" "showPerfTestsPage()" "toggleRunAll()"))
(cons "dojo/router" (list))
(cons "dojo/uacss" (list))
(cons "dijit/main" (list "registry" "place" "popup" "typematic" "defaultDuration" "range" "BackgroundIframe(node)" "hasDefaultTabStop(elem)" "isTabNavigable(elem)" "getFirstInTabbingOrder(root, _doc_)" "getLastInTabbingOrder(root, _doc_)" "focus(node)" "isCollapsed()" "getBookmark()" "moveToBookmark(bookmark)" "getFocus(_menu_, _openedForWindow_)" "registerIframe(iframe)" "unregisterIframe(handle)" "registerWin(_targetWindow_, _effectiveNode_)" "unregisterWin(handle)" "selectInputText(element, _start_, _stop_)" "showTooltip(innerHTML, aroundNode, _position_, _rtl_, _textDir_)" "hideTooltip(aroundNode)" "getViewport()" "placeOnScreen(node, pos, corners, _padding_)" "placeOnScreenAroundElement(node, aroundNode, aroundCorners, layoutNode)" "placeOnScreenAroundNode(node, aroundNode, aroundCorners, layoutNode)" "placeOnScreenAroundRectangle(node, aroundRect, aroundCorners, layoutNode)" "getPopupAroundAlignment(position, leftToRight)" "scrollIntoView(node, _pos_)" "hasWaiRole(elem, _role_)" "getWaiRole(elem)" "setWaiRole(elem, role)" "removeWaiRole(elem, role)" "hasWaiState(elem, state)" "getWaiState(elem, state)" "setWaiState(elem, state, value)" "removeWaiState(elem, state)" "getDocumentWindow(doc)"))
(cons "dijit/registry" (list "length" "add(widget)" "remove(id)" "byId(id)" "byNode(node)" "toArray()" "getUniqueId(widgetType)" "findWidgets(root, skipNode)" "getEnclosingWidget(node)"))
(cons "dijit/a11y" (list "hasDefaultTabStop(elem)" "isTabNavigable(elem)" "getFirstInTabbingOrder(root, _doc_)" "getLastInTabbingOrder(root, _doc_)"))
(cons "dijit/place" (list "at(node, pos, corners, _padding_)" "around(node, anchor, positions, leftToRight, _layoutNode_)"))
(cons "dijit/typematic" (list "trigger(evt, _this, node, callback, obj, _subsequentDelay_, _initialDelay_, _minDelay_)" "stop()" "addKeyListener(node, keyObject, _this, callback, subsequentDelay, initialDelay, _minDelay_)" "addMouseListener(node, _this, callback, subsequentDelay, initialDelay, _minDelay_)" "addListener(mouseNode, keyNode, keyObject, _this, callback, subsequentDelay, initialDelay, _minDelay_)"))
(cons "dijit/_base/manager" (list "defaultDuration"))
(cons "dijit/Viewport" (list))
(cons "dijit/layout/utils" (list "marginBox2contentBox(node, mb)" "layoutChildren(container, dim, children, _changedRegionId_, _changedRegionSize_)"))
(cons "dijit/_base/focus" (list "isCollapsed()" "getBookmark()" "moveToBookmark(bookmark)" "getFocus(_menu_, _openedForWindow_)" "registerIframe(iframe)" "unregisterIframe(handle)" "registerWin(_targetWindow_, _effectiveNode_)" "unregisterWin(handle)"))
(cons "dijit/_editor/selection" (list "getType()" "getSelectedText()" "getSelectedHtml()" "getSelectedElement()" "getParentElement()" "hasAncestorElement(tagName)" "getAncestorElement(tagName)" "isTag(node, tags)" "getParentOfType(node, tags)" "collapse(beginning)" "remove()" "selectElementChildren(element, _nochangefocus_)" "selectElement(element, _nochangefocus_)" "inSelection(node)"))
(cons "dijit/_editor/range" (list "BlockTagNames" "ie" "getIndex(node, parent)" "getNode(index, parent)" "getCommonAncestor(n1, n2, root)" "getAncestor(node, _regex_, _root_)" "getBlockAncestor(node, _regex_, _root_)" "atBeginningOfContainer(container, node, offset)" "atEndOfContainer(container, node, offset)" "adjacentNoneTextNode(startnode, next)" "create(_win_)" "getSelection(window, _ignoreUpdate_)"))
(cons "dijit/_editor/html" (list "escapeXml(str, _noSingleQuotes_)" "getNodeHtml(node)" "getNodeHtmlHelper(node, output)" "getChildrenHtml(node)" "getChildrenHtmlHelper(dom, output)"))
(cons "dijit/_Calendar" (list))
(cons "dijit/_base/place" (list "getViewport()" "placeOnScreen(node, pos, corners, _padding_)" "placeOnScreenAroundElement(node, aroundNode, aroundCorners, layoutNode)" "placeOnScreenAroundNode(node, aroundNode, aroundCorners, layoutNode)" "placeOnScreenAroundRectangle(node, aroundRect, aroundCorners, layoutNode)" "getPopupAroundAlignment(position, leftToRight)"))
(cons "dijit/_base/popup" (list))
(cons "dijit/_base/scroll" (list))
(cons "dijit/_base/sniff" (list))
(cons "dijit/_base/typematic" (list))
(cons "dijit/_base/wai" (list "hasWaiRole(elem, _role_)" "getWaiRole(elem)" "setWaiRole(elem, role)" "removeWaiRole(elem, role)" "hasWaiState(elem, state)" "getWaiState(elem, state)" "setWaiState(elem, state, value)" "removeWaiState(elem, state)"))
(cons "dijit/_base/window" (list))
(cons "dijit/_base" (list))
(cons "dijit/_tree/dndSource" (list))
(cons "dijit/dijit-all" (list))
(cons "dijit/dijit" (list))
(cons "dijit/form/Slider" (list))
(cons "dojox/analytics/plugins/consoleMessages" (list))
(cons "dojox/main" (list "gesture" "utils" "functional" "data" "rpc" "json" "util" "grid" "buddhist" "hebrew" "islamic" "relative" "math" "editor" "charting" "languages" "highlight" "image" "regexp" "validate"))
(cons "dojox/analytics" (list))
(cons "dojox/app/layout/utils" (list "marginBox2contentBox(node, mb)" "layoutChildren(container, dim, children, _changedRegionId_, _changedRegionSize_)"))
(cons "dojox/mobile/sniff" (list))
(cons "dojox/atom/io/model" (list "util" "Node()" "AtomItem()" "Category()" "Content()" "Link()" "Person()" "Generator()" "Entry()" "Feed()" "Service()" "Workspace()" "Collection()"))
(cons "dojox/calc/FuncGen" (list "pow(base, exponent)" "approx(r)" "FuncGen()" "draw(chart, functionToGraph, params)" "generatePoints(funcToGraph, x, y, width, minX, maxX, minY, maxY)" "Grapher()" "toFrac(number)"))
(cons "dojox/calc/_Executor" (list "pow(base, exponent)" "approx(r)" "FuncGen()" "draw(chart, functionToGraph, params)" "generatePoints(funcToGraph, x, y, width, minX, maxX, minY, maxY)" "Grapher()" "toFrac(number)"))
(cons "dojox/calc/Grapher" (list "pow(base, exponent)" "approx(r)" "FuncGen()" "draw(chart, functionToGraph, params)" "generatePoints(funcToGraph, x, y, width, minX, maxX, minY, maxY)" "Grapher()" "toFrac(number)"))
(cons "dojox/gfx" (list "Stroke" "Fill" "LinearGradient" "RadialGradient" "Pattern" "Font" "defaultPath" "defaultPolyline" "defaultRect" "defaultEllipse" "defaultCircle" "defaultLine" "defaultImage" "defaultText" "defaultTextPath" "defaultStroke" "defaultLinearGradient" "defaultRadialGradient" "defaultPattern" "defaultFont" "getDefault" "cm_in_pt" "mm_in_pt" "pathVmlRegExp" "pathSvgRegExp" "matrix" "path" "shape" "gradutils" "fx" "utils" "VectorText" "vectorFontFitting" "defaultVectorText" "defaultVectorFont" "arc" "canvas" "canvasWithEvents" "canvas_attach" "canvasext" "gradient" "move" "silverlight" "silverlight_attach" "svg" "svgext" "vml" "Text()" "normalizeColor(color)" "normalizeParameters(existed, update)" "makeParameters(defaults, update)" "formatNumber(x, addSpace)" "makeFontString(font)" "splitFontString(str)" "px_in_pt()" "pt2px(len)" "px2pt(len)" "normalizedLength(len)" "equalSources(a, b)" "switchTo(renderer)" "createSurface(parentNode, width, height)" "fixTarget()" "Matrix2D(arg)" "Point()" "Rectangle()" "Group()" "Rect()" "Circle()" "Ellipse()" "Line()" "Polyline()" "Path()" "Surface()" "TextPath()" "Mover()" "Moveable()" "getVectorFont(url)" "VectorFont()" "decompose(matrix)"))
(cons "dojox/gfx/_base" (list "Stroke" "Fill" "LinearGradient" "RadialGradient" "Pattern" "Font" "defaultPath" "defaultPolyline" "defaultRect" "defaultEllipse" "defaultCircle" "defaultLine" "defaultImage" "defaultText" "defaultTextPath" "defaultStroke" "defaultLinearGradient" "defaultRadialGradient" "defaultPattern" "defaultFont" "getDefault" "cm_in_pt" "mm_in_pt" "pathVmlRegExp" "pathSvgRegExp" "matrix" "path" "shape" "gradutils" "fx" "utils" "VectorText" "vectorFontFitting" "defaultVectorText" "defaultVectorFont" "arc" "canvas" "canvasWithEvents" "canvas_attach" "canvasext" "gradient" "move" "silverlight" "silverlight_attach" "svg" "svgext" "vml" "Text()" "normalizeColor(color)" "normalizeParameters(existed, update)" "makeParameters(defaults, update)" "formatNumber(x, addSpace)" "makeFontString(font)" "splitFontString(str)" "px_in_pt()" "pt2px(len)" "px2pt(len)" "normalizedLength(len)" "equalSources(a, b)" "switchTo(renderer)" "createSurface(parentNode, width, height)" "fixTarget()" "Matrix2D(arg)" "Point()" "Rectangle()" "Group()" "Rect()" "Circle()" "Ellipse()" "Line()" "Polyline()" "Path()" "Surface()" "TextPath()" "Mover()" "Moveable()" "getVectorFont(url)" "VectorFont()" "decompose(matrix)"))
(cons "dojox/gfx/shape" (list "Container" "Creator" "register(s)" "byId(id)" "dispose(s, _recurse_)" "Shape()" "fixCallback(gfxElement, fixFunction, scope, method)" "Surface()" "Rect()" "Ellipse()" "Circle()" "Line()" "Polyline()" "Image()" "Text()"))
(cons "dojox/gfx/matrix" (list "identity" "flipX" "flipY" "flipXY" "Matrix2D(arg)" "translate(a, _b_)" "scale(a, _b_)" "rotate(angle)" "rotateg(degree)" "skewX(angle)" "skewXg(degree)" "skewY(angle)" "skewYg(degree)" "reflect(a, _b_)" "project(a, _b_)" "normalize(matrix)" "isIdentity(matrix)" "clone(matrix)" "invert(matrix)" "multiplyPoint(matrix, a, _b_)" "multiplyRectangle(matrix, rect)" "multiply(matrix)" "scaleAt(a, _b_, c, d)" "rotateAt(angle, a, _b_)" "rotategAt(degree, a, _b_)" "skewXAt(angle, a, _b_)" "skewXgAt(degree, a, _b_)" "skewYAt(angle, a, _b_)" "skewYgAt(degree, a, _b_)"))
(cons "dojox/lang/utils" (list "coerceType(target, source)" "updateWithObject(target, source, _conv_)" "updateWithPattern(target, source, pattern, _conv_)" "merge(object, mixin)"))
(cons "dojox/gfx/gradutils" (list "getColor(fill, pt)" "reverse(fill)"))
(cons "dojox/charting/axis2d/common" (list "createText"))
(cons "dojox/lang/functional" (list "rawLambda(s)" "buildLambda(s)" "lambda(s)" "clearLambdaCache()" "filter(a, f, _o_)" "forEach(a, f, _o_)" "map(a, f, _o_)" "every(a, f, _o_)" "some(a, f, _o_)" "keys(obj)" "values(obj)" "filterIn(obj, f, _o_)" "forIn(obj, f, _o_)" "mapIn(obj, f, _o_)" "foldl(a, f, z, _o_)" "foldl1(a, f, _o_)" "foldr(a, f, z, _o_)" "foldr1(a, f, _o_)" "reduce(a, f, _z_)" "reduceRight(a, f, _z_)" "unfold(pr, f, g, z, _o_)" "filterRev(a, f, _o_)" "forEachRev(a, f, _o_)" "mapRev(a, f, _o_)" "everyRev(a, f, _o_)" "someRev(a, f, _o_)" "scanl(a, f, z, _o_)" "scanl1(a, f, _o_)" "scanr(a, f, z, _o_)" "scanr1(a, f, _o_)" "repeat(n, f, z, _o_)" "until(pr, f, z, _o_)"))
(cons "dojox/lang/functional/lambda" (list "rawLambda(s)" "buildLambda(s)" "lambda(s)" "clearLambdaCache()" "filter(a, f, _o_)" "forEach(a, f, _o_)" "map(a, f, _o_)" "every(a, f, _o_)" "some(a, f, _o_)" "keys(obj)" "values(obj)" "filterIn(obj, f, _o_)" "forIn(obj, f, _o_)" "mapIn(obj, f, _o_)" "foldl(a, f, z, _o_)" "foldl1(a, f, _o_)" "foldr(a, f, z, _o_)" "foldr1(a, f, _o_)" "reduce(a, f, _z_)" "reduceRight(a, f, _z_)" "unfold(pr, f, g, z, _o_)" "filterRev(a, f, _o_)" "forEachRev(a, f, _o_)" "mapRev(a, f, _o_)" "everyRev(a, f, _o_)" "someRev(a, f, _o_)" "scanl(a, f, z, _o_)" "scanl1(a, f, _o_)" "scanr(a, f, z, _o_)" "scanr1(a, f, _o_)" "repeat(n, f, z, _o_)" "until(pr, f, z, _o_)"))
(cons "dojox/lang/functional/array" (list "rawLambda(s)" "buildLambda(s)" "lambda(s)" "clearLambdaCache()" "filter(a, f, _o_)" "forEach(a, f, _o_)" "map(a, f, _o_)" "every(a, f, _o_)" "some(a, f, _o_)" "keys(obj)" "values(obj)" "filterIn(obj, f, _o_)" "forIn(obj, f, _o_)" "mapIn(obj, f, _o_)" "foldl(a, f, z, _o_)" "foldl1(a, f, _o_)" "foldr(a, f, z, _o_)" "foldr1(a, f, _o_)" "reduce(a, f, _z_)" "reduceRight(a, f, _z_)" "unfold(pr, f, g, z, _o_)" "filterRev(a, f, _o_)" "forEachRev(a, f, _o_)" "mapRev(a, f, _o_)" "everyRev(a, f, _o_)" "someRev(a, f, _o_)" "scanl(a, f, z, _o_)" "scanl1(a, f, _o_)" "scanr(a, f, z, _o_)" "scanr1(a, f, _o_)" "repeat(n, f, z, _o_)" "until(pr, f, z, _o_)"))
(cons "dojox/lang/functional/object" (list "rawLambda(s)" "buildLambda(s)" "lambda(s)" "clearLambdaCache()" "filter(a, f, _o_)" "forEach(a, f, _o_)" "map(a, f, _o_)" "every(a, f, _o_)" "some(a, f, _o_)" "keys(obj)" "values(obj)" "filterIn(obj, f, _o_)" "forIn(obj, f, _o_)" "mapIn(obj, f, _o_)" "foldl(a, f, z, _o_)" "foldl1(a, f, _o_)" "foldr(a, f, z, _o_)" "foldr1(a, f, _o_)" "reduce(a, f, _z_)" "reduceRight(a, f, _z_)" "unfold(pr, f, g, z, _o_)" "filterRev(a, f, _o_)" "forEachRev(a, f, _o_)" "mapRev(a, f, _o_)" "everyRev(a, f, _o_)" "someRev(a, f, _o_)" "scanl(a, f, z, _o_)" "scanl1(a, f, _o_)" "scanr(a, f, z, _o_)" "scanr1(a, f, _o_)" "repeat(n, f, z, _o_)" "until(pr, f, z, _o_)"))
(cons "dojox/lang/functional/reversed" (list "rawLambda(s)" "buildLambda(s)" "lambda(s)" "clearLambdaCache()" "filter(a, f, _o_)" "forEach(a, f, _o_)" "map(a, f, _o_)" "every(a, f, _o_)" "some(a, f, _o_)" "keys(obj)" "values(obj)" "filterIn(obj, f, _o_)" "forIn(obj, f, _o_)" "mapIn(obj, f, _o_)" "foldl(a, f, z, _o_)" "foldl1(a, f, _o_)" "foldr(a, f, z, _o_)" "foldr1(a, f, _o_)" "reduce(a, f, _z_)" "reduceRight(a, f, _z_)" "unfold(pr, f, g, z, _o_)" "filterRev(a, f, _o_)" "forEachRev(a, f, _o_)" "mapRev(a, f, _o_)" "everyRev(a, f, _o_)" "someRev(a, f, _o_)" "scanl(a, f, z, _o_)" "scanl1(a, f, _o_)" "scanr(a, f, z, _o_)" "scanr1(a, f, _o_)" "repeat(n, f, z, _o_)" "until(pr, f, z, _o_)"))
(cons "dojox/charting/scaler/linear" (list "buildScaler(min, max, span, kwArgs, _delta_, _minorDelta_)" "buildTicks(scaler, kwArgs)" "getTransformerFromModel(scaler)" "getTransformerFromPlot(scaler)"))
(cons "dojox/charting/scaler/common" (list "doIfLoaded(moduleName, ifloaded, ifnotloaded)" "getNumericLabel(number, precision, kwArgs)"))
(cons "dojox/charting/plot2d/common" (list "defaultStats" "doIfLoaded(moduleName, ifloaded, ifnotloaded)" "makeStroke(stroke)" "augmentColor(target, color)" "augmentStroke(stroke, color)" "augmentFill(fill, color)" "collectSimpleStats(series)" "calculateBarSize(availableSize, opt, _clusterSize_)" "collectStackedStats(series)" "curve(a, tension)" "getLabel(number, fixed, precision)"))
(cons "dojox/charting/scaler/primitive" (list "buildScaler(min, max, span, kwArgs)" "buildTicks(scaler, kwArgs)" "getTransformerFromModel(scaler)" "getTransformerFromPlot(scaler)"))
(cons "dojox/gfx/fx" (list "animateStroke(args)" "animateFill(args)" "animateFont(args)" "animateTransform(args)"))
(cons "dojox/charting/themes/common" (list "Tufte" "base" "blue" "Adobebricks" "Algae" "Bahamation" "BlueDusk" "Charged" "Chris" "Claro" "CubanShirts" "Desert" "Distinctive" "Dollar" "Electric" "Grasshopper" "Grasslands" "GreySkies" "Harmony" "IndigoNation" "Ireland" "Julie" "MiamiNice" "Midwest" "Minty" "cyan" "green" "orange" "purple" "red" "PrimaryColors" "PurpleRain" "Renkoo" "RoyalPurples" "SageToLime" "Shrooms" "Tom" "WatersEdge" "Wetland" "generateFills(colors, fillPattern, lumFrom, lumTo)" "updateFills(themes, fillPattern, lumFrom, lumTo)" "generateMiniTheme(colors, fillPattern, lumFrom, lumTo, lumStroke)" "generateGradientByIntensity(color, intensityMap)"))
(cons "dojox/calc/toFrac" (list "pow(base, exponent)" "approx(r)" "FuncGen()" "draw(chart, functionToGraph, params)" "generatePoints(funcToGraph, x, y, width, minX, maxX, minY, maxY)" "Grapher()" "toFrac(number)"))
(cons "dojox/calendar/time" (list "newDate(obj, _dateClassObj_)" "floorToDay(d, reuse, _dateClassObj_)" "floorToMonth(d, reuse, _dateClassObj_)" "floorToWeek(d, _dateClassObj_, _dateModule_, _firstDayOfWeek_, _locale_)" "floor(date, unit, steps, reuse, _dateClassObj_)" "isStartOfDay(d, _dateClassObj_, _dateModule_)" "isToday(d, _dateClassObj_)"))
(cons "dojox/html/metrics" (list "getFontMeasurements()" "getCachedFontMeasurements(recalculate)" "getTextBox(text, style, _className_)" "getScrollbar()" "initOnFontResize()" "onFontResize()"))
(cons "dojox/charting/BidiSupport" (list))
(cons "dojox/gfx/_gfxBidiSupport" (list "Stroke" "Fill" "LinearGradient" "RadialGradient" "Pattern" "Font" "defaultPath" "defaultPolyline" "defaultRect" "defaultEllipse" "defaultCircle" "defaultLine" "defaultImage" "defaultText" "defaultTextPath" "defaultStroke" "defaultLinearGradient" "defaultRadialGradient" "defaultPattern" "defaultFont" "getDefault" "cm_in_pt" "mm_in_pt" "pathVmlRegExp" "pathSvgRegExp" "matrix" "path" "shape" "gradutils" "fx" "utils" "VectorText" "vectorFontFitting" "defaultVectorText" "defaultVectorFont" "arc" "canvas" "canvasWithEvents" "canvas_attach" "canvasext" "gradient" "move" "silverlight" "silverlight_attach" "svg" "svgext" "vml" "Text()" "normalizeColor(color)" "normalizeParameters(existed, update)" "makeParameters(defaults, update)" "formatNumber(x, addSpace)" "makeFontString(font)" "splitFontString(str)" "px_in_pt()" "pt2px(len)" "px2pt(len)" "normalizedLength(len)" "equalSources(a, b)" "switchTo(renderer)" "createSurface(parentNode, width, height)" "fixTarget()" "Matrix2D(arg)" "Point()" "Rectangle()" "Group()" "Rect()" "Circle()" "Ellipse()" "Line()" "Polyline()" "Path()" "Surface()" "TextPath()" "Mover()" "Moveable()" "getVectorFont(url)" "VectorFont()" "decompose(matrix)"))
(cons "dojox/gfx/utils" (list "forEach(object, f, _o_)" "serialize(object)" "toJson(object, _prettyPrint_)" "deserialize(parent, object)" "fromJson(parent, json)" "toSvg(surface)"))
(cons "dojox/charting/plot2d/commonStacked" (list "collectStats(series)" "getIndexValue(series, i, index)" "getValue(series, i, x)"))
(cons "dojox/gfx3d" (list))
(cons "dojox/gfx3d/matrix" (list "identity" "Matrix3D(arg)" "translate(a, _b_, _c_)" "scale(a, _b_, _c_)" "rotateX(angle)" "rotateXg(degree)" "rotateY(angle)" "rotateYg(degree)" "rotateZ(angle)" "rotateZg(degree)" "cameraTranslate(a, _b_, _c_)" "cameraRotateX(angle)" "cameraRotateXg(degree)" "cameraRotateY(angle)" "cameraRotateYg(degree)" "cameraRotateZ(angle)" "cameraRotateZg(degree)" "normalize(matrix)" "clone(matrix)" "invert(matrix)" "multiplyPoint(matrix, a, _b_, _c_)" "multiply(matrix)" "project(matrix, a, _b_, _c_)"))
(cons "dojox/gfx3d/_base" (list "defaultEdges" "defaultTriangles" "defaultQuads" "defaultOrbit" "defaultPath3d" "defaultPolygon" "defaultCube" "defaultCylinder" "matrix" "vector" "scheduler" "drawer" "lighting" "Matrix3D(arg)" "gradient(model, material, center, radius, from, to, matrix)" "Object()" "Scene()" "Edges()" "Orbit()" "Path3d()" "Triangles()" "Quads()" "Polygon()" "Cube()" "Cylinder()" "Viewport()"))
(cons "dojox/gfx3d/scheduler" (list "scheduler" "drawer" "BinarySearchTree()"))
(cons "dojox/gfx3d/vector" (list "sum()" "center()" "substract(a, b)" "crossProduct(a, b, c, d, e, f)" "dotProduct(a, b, _c_, _d_, _e_, _f_)" "normalize(a, b, c)"))
(cons "dojox/gfx3d/lighting" (list "finish" "black()" "white()" "toStdColor(c)" "fromStdColor(c)" "scaleColor(s, c)" "addColor(a, b)" "multiplyColor(a, b)" "saturateColor(c)" "mixColor(c1, c2, s)" "diff2Color(c1, c2)" "length2Color(c)" "dot(a, b)" "scale(s, v)" "add(a, b)" "saturate(v)" "length(v)" "normalize(v)" "faceforward(n, i)" "reflect(i, n)" "diffuse(normal, lights)" "specular(normal, v, roughness, lights)" "phong(normal, v, size, lights)" "Model()"))
(cons "dojox/charting/themes/PlotKit/base" (list "Tufte" "base" "blue" "Adobebricks" "Algae" "Bahamation" "BlueDusk" "Charged" "Chris" "Claro" "CubanShirts" "Desert" "Distinctive" "Dollar" "Electric" "Grasshopper" "Grasslands" "GreySkies" "Harmony" "IndigoNation" "Ireland" "Julie" "MiamiNice" "Midwest" "Minty" "cyan" "green" "orange" "purple" "red" "PrimaryColors" "PurpleRain" "Renkoo" "RoyalPurples" "SageToLime" "Shrooms" "Tom" "WatersEdge" "Wetland" "generateFills(colors, fillPattern, lumFrom, lumTo)" "updateFills(themes, fillPattern, lumFrom, lumTo)" "generateMiniTheme(colors, fillPattern, lumFrom, lumTo, lumStroke)" "generateGradientByIntensity(color, intensityMap)"))
(cons "dojox/charting/themes/gradientGenerator" (list "Tufte" "base" "blue" "Adobebricks" "Algae" "Bahamation" "BlueDusk" "Charged" "Chris" "Claro" "CubanShirts" "Desert" "Distinctive" "Dollar" "Electric" "Grasshopper" "Grasslands" "GreySkies" "Harmony" "IndigoNation" "Ireland" "Julie" "MiamiNice" "Midwest" "Minty" "cyan" "green" "orange" "purple" "red" "PrimaryColors" "PurpleRain" "Renkoo" "RoyalPurples" "SageToLime" "Shrooms" "Tom" "WatersEdge" "Wetland" "generateFills(colors, fillPattern, lumFrom, lumTo)" "updateFills(themes, fillPattern, lumFrom, lumTo)" "generateMiniTheme(colors, fillPattern, lumFrom, lumTo, lumStroke)" "generateGradientByIntensity(color, intensityMap)"))
(cons "dojox/charting/widget/BidiSupport" (list))
(cons "dojox/collections/_base" (list "Set" "DictionaryEntry(k, v)" "Iterator(a)" "DictionaryIterator(obj)" "ArrayList(_arr_)" "BinaryTree(data)" "Dictionary(_dictionary_)" "Queue(_arr_)" "SortedList(_dictionary_)" "Stack(_arr_)"))
(cons "dojox/collections" (list))
(cons "dojox/color" (list))
(cons "dojox/css3/fx" (list "puff(args)" "expand(args)" "shrink(args)" "rotate(args)" "flip(args)" "bounce(args)"))
(cons "dojox/fx/ext-dojo/complex" (list))
(cons "dojox/rpc/JsonRest" (list "conflictDateHeader" "services" "schemas" "serviceClass(path, _isJson_, _schema_, _getRequest_)" "commit(kwArgs)" "sendToServer(actions, kwArgs)" "getDirtyObjects()" "revert(service)" "changing(object, _deleting)" "deleteObject(object)" "getConstructor(service, schema)" "fetch(absoluteId)" "getIdAttribute(service)" "getServiceAndId(absoluteId)" "registerService(service, servicePath, _schema_)" "byId(service, id)" "query(service, id, args)" "isDirty(item, store)"))
(cons "dojox/json/ref" (list "refAttribute" "serializeFunctions" "resolveJson(root, _args_)" "fromJson(str, _args_)" "toJson(it, _prettyPrint_, _idPrefix_, _indexSubObjects_)"))
(cons "dojox/data/css" (list "rules" "findStyleSheets(sheets)" "findStyleSheet(sheet)" "determineContext(initialStylesheets)"))
(cons "dojox/data/GoogleSearchStore" (list "Search()" "ImageSearch()" "BookSearch()" "NewsSearch()" "VideoSearch()" "LocalSearch()" "BlogSearch()" "WebSearch()"))
(cons "dojox/grid/util" (list "na" "rowIndexTag" "gridViewTag" "mouseEvents" "keyEvents" "fire(ob, ev, args)" "setStyleHeightPx(inElement, inHeight)" "funnelEvents(inNode, inObject, inMethod, inEvents)" "removeNode(inNode)" "arrayCompare(inA, inB)" "arrayInsert(inArray, inIndex, inValue)" "arrayRemove(inArray, inIndex)" "arraySwap(inArray, inI, inJ)"))
(cons "dojox/grid/_Builder" (list))
(cons "dojox/data/dom" (list "createDocument(_str_, _mimetype_)" "textContent(node, _text_)" "replaceChildren(node, newChildren)" "removeChildren(node)" "innerXML(node)"))
(cons "dojox/date/buddhist/locale" (list "format(dateObject, _options_)" "regexp(_options_)" "parse(value, _options_)" "addCustomFormats(packageName, bundleName)" "getNames(item, type, _context_, _locale_, _date_)"))
(cons "dojox/date/buddhist" (list "locale" "getDaysInMonth(dateObject)" "isLeapYear(dateObject)" "compare(date1, date2, _portion_)" "add(date, interval, amount)" "difference(date1, _date2_, _interval_)"))
(cons "dojox/date/hebrew/numerals" (list "getYearHebrewLetters(year)" "parseYearHebrewLetters(year)" "getDayHebrewLetters(day, _nogrsh_)" "parseDayHebrewLetters(day)" "getMonthHebrewLetters(month)" "parseMonthHebrewLetters(monthStr)"))
(cons "dojox/date/hebrew/locale" (list "format(dateObject, _options_)" "regexp(_options_)" "parse(value, _options_)" "addCustomFormats(packageName, bundleName)" "getNames(item, type, _context_, _locale_, _date_)"))
(cons "dojox/date/hebrew" (list "numerals" "locale" "getDaysInMonth(month)" "compare(dateheb1, dateheb2, _portion_)" "add(date, interval, amount)" "difference(date1, _date2_, _interval_)"))
(cons "dojox/date/islamic/locale" (list "weekDays" "months" "format(dateObject, _options_)" "regexp(_options_)" "parse(value, _options_)" "addCustomFormats(packageName, bundleName)" "getNames(item, type, _context_, _locale_, _date_)"))
(cons "dojox/date/islamic" (list "locale" "getDaysInMonth(month)" "compare(date1, date2, _portion_)" "add(date, interval, amount)" "difference(date1, _date2_, _interval_)"))
(cons "dojox/date/relative" (list "format(dateObject, _options_)"))
(cons "dojox/dgauges/_circularUtils" (list "computeTotalAngle(start, end, orientation)" "modAngle(angle, base)" "computeAngle(startAngle, endAngle, orientation, base)" "toRadians(deg)" "toDegrees(rad)"))
(cons "dojox/dgauges/components/utils" (list "brightness(col, b)" "createGradient(entries)" "genericCircularGauge(scale, indicator, originX, originY, radius, startAngle, endAngle, _orientation_, _font_, _labelPosition_, _tickShapeFunc_)"))
(cons "dojox/drawing/defaults" (list "clickMode" "clickable" "current" "currentHit" "angleSnap" "zAxis" "zAxisEnabled" "zAngle" "renderHitLines" "renderHitLayer" "labelSameColor" "useSelectedStyle" "norm" "selected" "highlighted" "disabled" "hitNorm" "hitSelected" "hitHighlighted" "anchors" "arrows" "text" "textDisabled" "textMode" "button" "copy()"))
(cons "dojox/drawing/manager/_registry" (list "register(item, type)" "getRegistered(type, id)"))
(cons "dojox/drawing/manager/keys" (list "arrowIncrement" "arrowShiftIncrement" "shift" "ctrl" "alt" "cmmd" "meta" "listeners" "onDelete(evt)" "onEsc(evt)" "onEnter(evt)" "onArrow(evt)" "onKeyDown(evt)" "onKeyUp(evt)" "register(options)" "editMode(_isedit)" "enable(_enabled)" "scanForFields()" "init()"))
(cons "dojox/drawing/util/common" (list "objects" "radToDeg(n)" "degToRad(n)" "angle(obj, _snap_)" "oppAngle(ang)" "radians(o)" "length(o)" "lineSub(x1, y1, x2, y2, amt)" "argsToObj()" "distance()" "slope(p1, p2)" "pointOnCircle(cx, cy, radius, angle)" "constrainAngle(obj, min, max)" "snapAngle(obj, ca)" "idSetStart(num)" "uid(_str_)" "abbr(type)" "mixin(o1, o2)" "register(obj)" "byId(id)" "attr(elem, prop, value, squelchErrors)"))
(cons "dojox/drawing/util/oo" (list "declare()" "extend()"))
(cons "dojox/drawing/annotations/Label" (list "Label"))
(cons "dojox/drawing/util/positioning" (list "label(start, end)" "angle(start, end)"))
(cons "dojox/drawing/util/typeset" (list "convertHTML(inText)" "convertLaTeX(inText)"))
(cons "dojox/drawing/library/greek" (list "alpha" "beta" "gamma" "delta" "epsilon" "zeta" "eta" "theta" "iota" "kappa" "lambda" "mu" "nu" "xi" "omicron" "pi" "rho" "sigmaf" "sigma" "tau" "upsilon" "phi" "chi" "psi" "omega" "thetasym" "upsih" "piv" "Alpha" "Beta" "Gamma" "Delta" "Epsilon" "Zeta" "Eta" "Theta" "Iota" "Kappa" "Lambda" "Mu" "Nu" "Xi" "Omicron" "Pi" "Rho" "Sigma" "Tau" "Upsilon" "Phi" "Chi" "Psi" "Omega"))
(cons "dojox/drawing/library/icons" (list "line" "ellipse" "rect" "triangle" "path" "arrow" "textBlock" "equation" "axes" "vector" "pan" "plus" "zoomIn" "zoomOut" "zoom100" "iconize" "pencil"))
(cons "dojox/drawing/plugins/tools/Zoom" (list "ZoomIn" "Zoom100" "ZoomOut"))
(cons "dojox/drawing" (list))
(cons "dojox/dtl/_base" (list "TOKEN_BLOCK" "TOKEN_VAR" "TOKEN_COMMENT" "TOKEN_TEXT" "text" "register" "BOOLS" "TOKEN_CHANGE" "TOKEN_ATTR" "TOKEN_CUSTOM" "TOKEN_NODE" "dom" "contrib" "render" "ext-dojo" "utils" "filter" "tag" "Token(token_type, contents)" "Template(template, isString)" "quickFilter(str)" "mark_safe(value)" "Context(dict)" "DomTemplate(obj)" "DomBuffer(parent)" "ChangeNode(node, _up_, root)" "AttributeNode(key, value)" "DomInline(args, node)" "Inline(args, node)"))
(cons "dojox/dtl/dom" (list "getTemplate(text)" "tokenize(nodes)"))
(cons "dojox/dtl" (list))
(cons "dojox/dtl/contrib/dijit" (list "widgetsInTemplate" "AttachNode(keys, object)" "EventNode(command, obj)" "DojoTypeNode(node, parsed)" "dojoAttachPoint(parser, token)" "dojoAttachEvent(parser, token)" "dojoType(parser, token)" "on(parser, token)" "data-dojo-type(parser, token)" "data-dojo-attach-point(parser, token)" "data-dojo-attach-event(parser, token)"))
(cons "dojox/dtl/render/dom" (list "Render(_attachPoint_, _tpl_)"))
(cons "dojox/dtl/contrib/data" (list "BindDataNode(items, query, store, alias)" "bind_data(parser, token)" "bind_query(parser, token)"))
(cons "dojox/dtl/contrib/dom" (list "StyleNode(styles)" "BufferNode(nodelist, options)" "buffer(parser, token)" "html(parser, token)" "style_(parser, token)"))
(cons "dojox/dtl/contrib/objects" (list "key(value, arg)"))
(cons "dojox/dtl/filter/dates" (list "date(value, arg)" "time(value, arg)" "timesince(value, arg)" "timeuntil(value, arg)"))
(cons "dojox/dtl/utils/date" (list "DateFormat(format)" "format(date, format)" "timesince(d, now)"))
(cons "dojox/dtl/filter/htmlstrings" (list "linebreaks(value)" "linebreaksbr(value)" "removetags(value, arg)" "striptags(value)"))
(cons "dojox/dtl/filter/integers" (list "add(value, arg)" "get_digit(value, arg)"))
(cons "dojox/dtl/filter/lists" (list "dictsort(value, arg)" "dictsortreversed(value, arg)" "first(value)" "join(value, arg)" "length(value)" "length_is(value, arg)" "random(value)" "slice(value, arg)" "unordered_list(value)"))
(cons "dojox/dtl/filter/logic" (list "default_(value, arg)" "default_if_none(value, arg)" "divisibleby(value, arg)" "yesno(value, arg)"))
(cons "dojox/dtl/filter/misc" (list "filesizeformat(value)" "pluralize(value, arg)" "phone2numeric(value)" "pprint(value)"))
(cons "dojox/dtl/filter/strings" (list "addslashes(value)" "capfirst(value)" "center(value, arg)" "cut(value, arg)" "fix_ampersands(value)" "floatformat(value, arg)" "iriencode(value)" "linenumbers(value)" "ljust(value, arg)" "lower(value)" "make_list(value)" "rjust(value, arg)" "slugify(value)" "stringformat(value, arg)" "title(value)" "truncatewords(value, arg)" "truncatewords_html(value, arg)" "upper(value)" "urlencode(value)" "urlize(value)" "urlizetrunc(value, arg)" "wordcount(value)" "wordwrap(value, arg)"))
(cons "dojox/dtl/render/html" (list "Render(_attachPoint_, _tpl_)"))
(cons "dojox/dtl/tag/date" (list "NowNode(format, node)" "now(parser, token)"))
(cons "dojox/dtl/tag/loader" (list "BlockNode(name, nodelist)" "ExtendsNode(getTemplate, nodelist, shared, parent, key)" "IncludeNode(path, constant, getTemplate, text, parsed)" "block(parser, token)" "extends_(parser, token)" "include(parser, token)" "ssi(parser, token)"))
(cons "dojox/dtl/tag/logic" (list "IfNode(bools, trues, falses, type)" "IfEqualNode(var1, var2, trues, falses, negate)" "ForNode(assign, loop, reversed, nodelist)" "if_(parser, token)" "ifequal(parser, token)" "ifnotequal(parser, token)" "for_(parser, token)"))
(cons "dojox/dtl/tag/loop" (list "CycleNode(cyclevars, name, text, shared)" "IfChangedNode(nodes, vars, shared)" "RegroupNode(expression, key, alias)" "cycle(parser, token)" "ifchanged(parser, token)" "regroup(parser, token)"))
(cons "dojox/dtl/tag/misc" (list "DebugNode(text)" "FilterNode(varnode, nodelist)" "FirstOfNode(vars, text)" "SpacelessNode(nodelist, text)" "TemplateTagNode(tag, text)" "WidthRatioNode(current, max, width, text)" "WithNode(target, alias, nodelist)" "comment(parser, token)" "debug(parser, token)" "filter(parser, token)" "firstof(parser, token)" "spaceless(parser, token)" "templatetag(parser, token)" "widthratio(parser, token)" "with_(parser, token)"))
(cons "dojox/html/entities" (list "html" "latin" "encode(str, m)" "decode(str, m)"))
(cons "dojox/embed/flashVars" (list "See" "serialize(n, o)"))
(cons "dojox/html/styles" (list "metrics" "ext-dojo" "entities" "insertCssRule(selector, declaration, _styleSheetName_)" "removeCssRule(selector, declaration, styleSheetName)" "modifyCssRule(selector, declaration, styleSheetName)" "getStyleSheet(_styleSheetName_)" "getDynamicStyleSheet(_styleSheetName_)" "enableStyleSheet(styleSheetName)" "disableStyleSheet(styleSheetName)" "activeStyleSheet(_title_)" "getPreferredStyleSheet()" "getToggledStyleSheets()" "getStyleSheets()"))
(cons "dojox/encoding/_base" (list))
(cons "dojox/encoding/ascii85" (list "encode(input)" "decode(input)"))
(cons "dojox/encoding/base64" (list "encode(ba)" "decode(str)"))
(cons "dojox/encoding/bits" (list "OutputStream()" "InputStream(buffer, width)"))
(cons "dojox/encoding/compression/lzw" (list "Encoder(n)" "Decoder(n)"))
(cons "dojox/encoding/crypto/_base" (list "cipherModes" "outputTypes" "Blowfish" "SimpleAES" "RSAKey()"))
(cons "dojox/encoding/digests/_base" (list "outputTypes" "addWords(a, b)" "stringToWord(s)" "wordToString(wa)" "wordToHex(wa)" "wordToBase64(wa)" "MD5(data, _outputType_)" "SHA1(data, _outputType_)"))
(cons "dojox/encoding/easy64" (list "encode(input)" "decode(input)"))
(cons "dojox/flash" (list))
(cons "dojox/form/DropDownStack" (list))
(cons "dojox/form/RadioStack" (list))
(cons "dojox/fx" (list))
(cons "dojox/fx/_base" (list "animateTimeline(options, node)" "addClass(node, cssClass, _args_)" "removeClass(node, cssClass, args)" "toggleClass(node, cssClass, _condition_, _args_)" "flip(args)" "flipCube(args)" "flipPage(args)" "flipGrid(args)" "smoothScroll(args)"))
(cons "dojox/form/_HasDropDown" (list "mixin(dest, sources)" "setObject(name, value, _context_)" "getObject(name, _create_, _context_)" "exists(name, _obj_)" "isString(it)" "isArray(it)" "isFunction(it)" "isObject(it)" "isArrayLike(it)" "isAlien(it)" "extend(ctor, props)" "hitch(scope, method)" "delegate(obj, props)" "partial(method)" "clone(src)" "trim(str)" "replace(tmpl, map, _pattern_)"))
(cons "dojox/fx/Timeline" (list "animateTimeline(options, node)" "addClass(node, cssClass, _args_)" "removeClass(node, cssClass, args)" "toggleClass(node, cssClass, _condition_, _args_)" "flip(args)" "flipCube(args)" "flipPage(args)" "flipGrid(args)" "smoothScroll(args)"))
(cons "dojox/fx/_arg" (list "StyleArgs(args)" "ShadowResizeArgs(args)"))
(cons "dojox/fx/easing" (list))
(cons "dojox/fx/ext-dojo/NodeList-style" (list))
(cons "dojox/fx/style" (list "addClass(node, cssClass, _args_)" "removeClass(node, cssClass, args)" "toggleClass(node, cssClass, _condition_, _args_)"))
(cons "dojox/fx/ext-dojo/NodeList" (list))
(cons "dojox/fx/flip" (list "animateTimeline(options, node)" "addClass(node, cssClass, _args_)" "removeClass(node, cssClass, args)" "toggleClass(node, cssClass, _condition_, _args_)" "flip(args)" "flipCube(args)" "flipPage(args)" "flipGrid(args)" "smoothScroll(args)"))
(cons "dojox/fx/split" (list "animateTimeline(options, node)" "addClass(node, cssClass, _args_)" "removeClass(node, cssClass, args)" "toggleClass(node, cssClass, _condition_, _args_)" "flip(args)" "flipCube(args)" "flipPage(args)" "flipGrid(args)" "smoothScroll(args)"))
(cons "dojox/fx/text" (list "explode(args)" "converge(args)" "disintegrate(args)" "build(args)" "blockFadeOut(args)" "blockFadeIn(args)" "backspace(args)" "type(args)"))
(cons "dojox/geo/charting/_base" (list "showTooltip(innerHTML, gfxObject, _positions_)" "hideTooltip(gfxObject)"))
(cons "dojox/geo/openlayers/_base" (list "BaseLayerType" "EPSG4326" "GreatCircle" "widget" "Geometry()" "Collection()" "parseDMS(v, toDecimal)" "Feature()" "Point()" "LineString()" "GeometryFeature()" "Layer()" "GfxLayer()" "JsonImport()" "TouchInteractionSupport()" "Map()" "WidgetFeature()"))
(cons "dojox/geo/openlayers/GreatCircle" (list "DEG2RAD" "RAD2DEG" "TOLERANCE" "toPointArray(p1, p2, increment)" "toLineString(p1, p2, increment)" "toGeometryFeature(p1, p2, increment)"))
(cons "dojox/geo/openlayers/Patch" (list "patchMethod(type, method, execBefore, execAfter)" "patchGFX()"))
(cons "dojox/gfx/arc" (list "curvePI4" "unitArcAsBezier(alpha)" "arcAsBezier(last, rx, ry, xRotg, large, sweep, x, y)"))
(cons "dojox/gfx/canvas" (list "Shape()" "Group()" "Rect()" "Ellipse()" "Circle()" "Line()" "Polyline()" "Image()" "Text()" "Path()" "TextPath()" "Surface()" "createSurface(parentNode, width, height)" "fixTarget(event, gfxElement)" "attachNode()" "attachSurface()"))
(cons "dojox/gfx/canvasWithEvents" (list "Shape()" "Group()" "Image()" "Text()" "Rect()" "Circle()" "Ellipse()" "Line()" "Polyline()" "Path()" "TextPath()" "Surface()" "createSurface(parentNode, width, height)" "fixTarget(event, gfxElement)"))
(cons "dojox/gfx/canvas_attach" (list "Shape()" "Group()" "Rect()" "Ellipse()" "Circle()" "Line()" "Polyline()" "Image()" "Text()" "Path()" "TextPath()" "Surface()" "createSurface(parentNode, width, height)" "fixTarget(event, gfxElement)" "attachNode()" "attachSurface()"))
(cons "dojox/gfx/canvasext" (list))
(cons "dojox/gfx/gradient" (list "rescale(stops, from, to)" "project(matrix, gradient, tl, rb, ttl, trb)"))
(cons "dojox/gfx/move" (list))
(cons "dojox/gfx/renderer" (list "load(id, require, load)"))
(cons "dojox/gfx/silverlight" (list "Shape()" "Group()" "Rect()" "Ellipse()" "Circle()" "Line()" "Polyline()" "Image()" "Text()" "Path()" "TextPath()" "Surface()" "createSurface(parentNode, width, height)" "attachNode(node)" "attachSurface(node)"))
(cons "dojox/gfx/silverlight_attach" (list "Shape()" "Group()" "Rect()" "Ellipse()" "Circle()" "Line()" "Polyline()" "Image()" "Text()" "Path()" "TextPath()" "Surface()" "createSurface(parentNode, width, height)" "attachNode(node)" "attachSurface(node)"))
(cons "dojox/gfx/svg" (list "useSvgWeb" "xmlns" "dasharray" "getRef(name)" "Shape()" "Group()" "Rect()" "Ellipse()" "Circle()" "Line()" "Polyline()" "Image()" "Text()" "Path()" "TextPath()" "Surface()" "createSurface(parentNode, width, height)" "fixTarget(event, gfxElement)" "attachNode(node)" "attachSurface(node)"))
(cons "dojox/gfx/svg_attach" (list "useSvgWeb" "xmlns" "dasharray" "getRef(name)" "Shape()" "Group()" "Rect()" "Ellipse()" "Circle()" "Line()" "Polyline()" "Image()" "Text()" "Path()" "TextPath()" "Surface()" "createSurface(parentNode, width, height)" "fixTarget(event, gfxElement)" "attachNode(node)" "attachSurface(node)"))
(cons "dojox/gfx/svgext" (list))
(cons "dojox/gfx/vml" (list "xmlns" "text_alignment" "Shape()" "Group()" "Rect()" "Ellipse()" "Circle()" "Line()" "Polyline()" "Image()" "Text()" "Path()" "TextPath()" "Surface()" "createSurface(parentNode, width, height)" "fixTarget(event, gfxElement)" "attachNode(node)" "attachSurface(node)"))
(cons "dojox/gfx/vml_attach" (list "xmlns" "text_alignment" "Shape()" "Group()" "Rect()" "Ellipse()" "Circle()" "Line()" "Polyline()" "Image()" "Text()" "Path()" "TextPath()" "Surface()" "createSurface(parentNode, width, height)" "fixTarget(event, gfxElement)" "attachNode(node)" "attachSurface(node)"))
(cons "dojox/grid/cells/tree" (list "formatAggregate(inItem, level, inRowIndexes)" "formatIndexes(inRowIndexes, inItem)" "getOpenState(itemId)" "formatAtLevel(inRowIndexes, inItem, level, summaryRow, toggleClass, cellClasses)"))
(cons "dojox/grid/enhanced/plugins/_StoreLayer" (list "wrap(store, funcName, layer, layerFuncName)"))
(cons "dojox/grid/enhanced/plugins/filter/FilterLayer" (list "ServerSideFilterLayer()" "ClientSideFilterLayer()" "wrap(store, funcName, layer, layerFuncName)"))
(cons "dojox/grid/enhanced/plugins/filter/_FilterExpr" (list "LogicAND()" "LogicOR()" "LogicXOR()" "LogicNOT()" "LogicALL()" "LogicANY()" "EqualTo()" "LessThan()" "LessThanOrEqualTo()" "LargerThan()" "LargerThanOrEqualTo()" "Contains()" "StartsWith()" "EndsWith()" "Matches()" "IsEmpty()" "BooleanExpr()" "StringExpr()" "NumberExpr()" "DateExpr()" "TimeExpr()"))
(cons "dojox/grid/enhanced/plugins/filter/_DataExprs" (list "BooleanExpr()" "StringExpr()" "NumberExpr()" "DateExpr()" "TimeExpr()"))
(cons "dojox/grid/enhanced/plugins/filter/_ConditionExpr" (list))
(cons "dojox/html/ellipsis" (list))
(cons "dojox/help/console" (list))
(cons "dojox/highlight/_base" (list "languages" "constants" "Code(_props_, node)"))
(cons "dojox/highlight/languages/cpp" (list "defaultMode" "modes"))
(cons "dojox/highlight/languages/java" (list "defaultMode" "modes"))
(cons "dojox/highlight/languages/delphi" (list "defaultMode" "case_insensitive" "modes"))
(cons "dojox/highlight/languages/python" (list "defaultMode" "modes"))
(cons "dojox/highlight/languages/xquery" (list "case_insensitive" "defaultMode" "modes" "XQUERY_COMMENT"))
(cons "dojox/highlight/languages/groovy" (list "defaultMode" "modes" "GROOVY_KEYWORDS"))
(cons "dojox/highlight/languages/xml" (list "defaultMode" "case_insensitive" "modes" "XML_COMMENT" "XML_ATTR" "XML_VALUE"))
(cons "dojox/highlight/languages/html" (list "defaultMode" "case_insensitive" "modes" "HTML_TAGS" "HTML_DOCTYPE" "HTML_ATTR" "HTML_VALUE"))
(cons "dojox/highlight/languages/css" (list "defaultMode" "case_insensitive" "modes"))
(cons "dojox/highlight/languages/django" (list "defaultMode" "case_insensitive" "modes"))
(cons "dojox/highlight/languages/javascript" (list "defaultMode" "modes"))
(cons "dojox/highlight/languages/pygments/xml" (list "defaultMode" "modes"))
(cons "dojox/highlight/languages/pygments/html" (list "case_insensitive" "defaultMode" "modes"))
(cons "dojox/highlight/languages/pygments/css" (list "defaultMode" "modes"))
(cons "dojox/highlight/languages/pygments/javascript" (list "defaultMode" "modes"))
(cons "dojox/highlight/languages/sql" (list "case_insensitive" "defaultMode" "modes"))
(cons "dojox/highlight" (list))
(cons "dojox/html" (list))
(cons "dojox/image" (list))
(cons "dojox/io/proxy/xip" (list "xipClientUrl" "urlLimit" "send(facade)" "receive(stateId, urlEncodedData)" "frameLoaded(stateId)" "destroyState(stateId)" "createFacade()" "sendRequest(stateId, encodedData)" "sendRequestStart(stateId)" "sendRequestPart(stateId)" "setServerUrl(stateId, cmd, message)" "makeServerUrl(stateId, cmd, message)" "fragmentReceivedEvent(evt)" "fragmentReceived(frag)" "unpackMessage(encodedMessage)" "XhrIframeFacade(ifpServerUrl)"))
(cons "dojox/io/scriptFrame" (list))
(cons "dojox/io/windowName" (list "send(method, args)"))
(cons "dojox/secure/capability" (list "keywords" "validate(script, safeLibraries, safeGlobals)"))
(cons "dojox/jq" (list))
(cons "dojox/jsonPath" (list))
(cons "dojox/lang/aspect" (list "advise(obj, method, advice)" "adviseRaw(obj, methods, advices)" "unadvise(handle)" "getContext()" "getContextStack()" "proceed()"))
(cons "dojox/lang/async/event" (list "from(src, name)" "failOn(src, name)"))
(cons "dojox/lang/async/timeout" (list "from(ms)" "failOn(ms)"))
(cons "dojox/lang/async/topic" (list "from(topic)" "failOn(topic)"))
(cons "dojox/lang/async" (list "seq(x)" "par(x)" "any(x)" "select(cond, x)" "ifThen(cond, ifTrue, ifFalse)" "loop(cond, body)"))
(cons "dojox/lang/functional/util" (list))
(cons "dojox/lang/functional/curry" (list))
(cons "dojox/lang/functional/listcomp" (list))
(cons "dojox/lang/functional/sequence" (list "rawLambda(s)" "buildLambda(s)" "lambda(s)" "clearLambdaCache()" "filter(a, f, _o_)" "forEach(a, f, _o_)" "map(a, f, _o_)" "every(a, f, _o_)" "some(a, f, _o_)" "keys(obj)" "values(obj)" "filterIn(obj, f, _o_)" "forIn(obj, f, _o_)" "mapIn(obj, f, _o_)" "foldl(a, f, z, _o_)" "foldl1(a, f, _o_)" "foldr(a, f, z, _o_)" "foldr1(a, f, _o_)" "reduce(a, f, _z_)" "reduceRight(a, f, _z_)" "unfold(pr, f, g, z, _o_)" "filterRev(a, f, _o_)" "forEachRev(a, f, _o_)" "mapRev(a, f, _o_)" "everyRev(a, f, _o_)" "someRev(a, f, _o_)" "scanl(a, f, z, _o_)" "scanl1(a, f, _o_)" "scanr(a, f, z, _o_)" "scanr1(a, f, _o_)" "repeat(n, f, z, _o_)" "until(pr, f, z, _o_)"))
(cons "dojox/lang/functional/zip" (list))
(cons "dojox/lang/oo/aop" (list "before" "around" "afterReturning" "afterThrowing" "after"))
(cons "dojox/lang/oo/general" (list "augment" "override" "shuffle" "wrap" "tap" "before" "after"))
(cons "dojox/layout/BorderContainer" (list))
(cons "dojox/layout/RadioGroup" (list))
(cons "dojox/layout/ext-dijit/layout/StackContainer-touch" (list))
(cons "dojox/math" (list))
(cons "dojox/mobile/transition" (list))
(cons "dojox/mobile/viewRegistry" (list "length" "hash" "initialView" "add(view)" "remove(id)" "getViews()" "getParentView(view)" "getChildViews(parent)" "getEnclosingView(node)" "getEnclosingScrollable(node)"))
(cons "dojox/mobile/common" (list "toView" "fromView(moveTo, transitionDir, transition, context, method)" "createDomButton()"))
(cons "dojox/mobile/uacss" (list))
(cons "dojox/mobile/_PickerChooser" (list "load(id, parentRequire, loaded)"))
(cons "dojox/mobile/_base" (list))
(cons "dojox/mobile/_compat" (list))
(cons "dojox/mobile/app/_base" (list))
(cons "dojox/mobile" (list))
(cons "dojox/mobile/app/_event" (list))
(cons "dojox/mobile/app/compat" (list))
(cons "dojox/mobile/compat" (list))
(cons "dojox/mobile/app" (list))
(cons "dojox/mobile/bookmarkable" (list "settingHash" "transitionInfo" "getTransitionInfo(fromViewId, toViewId)" "addTransitionInfo(fromViewId, toViewId, args)" "findTransitionViews(moveTo)" "onHashChange(value)" "handleFragIds(fragIds)" "setFragIds(toView)"))
(cons "dojox/mobile/dh/ContentTypeMap" (list "map" "add(contentType, handlerClass)" "getHandlerClass(contentType)"))
(cons "dojox/mobile/dh/PatternFileTypeMap" (list "map" "add(key, contentType)" "getContentType(fileName)"))
(cons "dojox/mobile/dh/SuffixFileTypeMap" (list "map" "add(key, contentType)" "getContentType(fileName)"))
(cons "dojox/mobile/i18n" (list "I18NProperties" "load(packageName, bundleName, _locale_)" "registerBundle(bundle)"))
(cons "dojox/mobile/mobile-all" (list))
(cons "dojox/mvc/Bind" (list "StatefulArray(a)" "getStateful(value, options)" "bind(source, sourceProp, target, targetProp, _func_, _bindOnlyIfUnequal_)" "bindInputs(sourceBindArray, func)" "getPlainValue(value, options)" "resolve(target, _parent_)" "sync(source, sourceProp, target, targetProp, options)" "ModelRefController()" "EditModelRefController()" "StoreRefController()" "EditStoreRefController()" "ListController()" "EditStoreRefListController()" "Element()" "at(target, targetProp)" "Group()" "Generate()" "Output()" "Repeat()" "StatefulModel()" "StatefulSeries()" "Templated()" "WidgetList()" "newStatefulModel(args)" "equals(dst, src, options)"))
(cons "dojox/mvc/_base" (list "StatefulArray(a)" "getStateful(value, options)" "bind(source, sourceProp, target, targetProp, _func_, _bindOnlyIfUnequal_)" "bindInputs(sourceBindArray, func)" "getPlainValue(value, options)" "resolve(target, _parent_)" "sync(source, sourceProp, target, targetProp, options)" "ModelRefController()" "EditModelRefController()" "StoreRefController()" "EditStoreRefController()" "ListController()" "EditStoreRefListController()" "Element()" "at(target, targetProp)" "Group()" "Generate()" "Output()" "Repeat()" "StatefulModel()" "StatefulSeries()" "Templated()" "WidgetList()" "newStatefulModel(args)" "equals(dst, src, options)"))
(cons "dojox/mvc" (list))
(cons "dojox/rails" (list "live(selector, evtName, fn)"))
(cons "dojox/robot/recorder" (list))
(cons "dojox/rpc/OfflineRest" (list "stores" "turnOffAutoSync()" "sync()" "sendChanges()" "downloadChanges()" "addStore(store, _baseQuery_)"))
(cons "dojox/storage" (list))
(cons "dojox/storage/_common" (list))
(cons "dojox/sql" (list))
(cons "dojox/sql/_crypto" (list))
(cons "dojox/sketch" (list))
(cons "dojox/timing" (list))
(cons "dojox/treemap/_utils" (list "group(items, groupingFunctions, measureFunction)" "find(array, callback)" "solve(items, width, height, areaFunc, rtl)" "initElements(items, areaFunc)"))
(cons "dojox/uuid" (list))
(cons "dojox/validate/_base" (list "isText(value, _flags_)" "isInRange(value, _flags_)" "isNumberFormat(value, _flags_)" "isValidLuhn(value)" "isValidCnpj(value)" "computeCnpjDv(value)" "isValidCpf(value)" "computeCpfDv(value)" "isState(value, _flags_)" "isPhoneNumber(value)" "isSocialSecurityNumber(value)" "isZipCode(value)" "check(form, profile)" "evaluateConstraint(profile, constraint, fieldName, elem)" "isValidCreditCard(value, ccType)" "isValidCreditCardNumber(value, _ccType_)" "isValidCvv(value, ccType)" "isValidIsbn(value)" "isIpAddress(value, _flags_)" "isUrl(value, _flags_)" "isEmailAddress(value, _flags_)" "isEmailAddressList(value, _flags_)" "getEmailAddressList(value, _flags_)"))
(cons "dojox/validate/regexp" (list "ca" "us" "ipAddress(_flags_)" "host(_flags_)" "url(_flags_)" "emailAddress(_flags_)" "emailAddressList(_flags_)" "numberFormat(_flags_)"))
(cons "dojox/validate/br" (list "isText(value, _flags_)" "isInRange(value, _flags_)" "isNumberFormat(value, _flags_)" "isValidLuhn(value)" "isValidCnpj(value)" "computeCnpjDv(value)" "isValidCpf(value)" "computeCpfDv(value)" "isState(value, _flags_)" "isPhoneNumber(value)" "isSocialSecurityNumber(value)" "isZipCode(value)" "check(form, profile)" "evaluateConstraint(profile, constraint, fieldName, elem)" "isValidCreditCard(value, ccType)" "isValidCreditCardNumber(value, _ccType_)" "isValidCvv(value, ccType)" "isValidIsbn(value)" "isIpAddress(value, _flags_)" "isUrl(value, _flags_)" "isEmailAddress(value, _flags_)" "isEmailAddressList(value, _flags_)" "getEmailAddressList(value, _flags_)"))
(cons "dojox/validate/ca" (list "isPhoneNumber(value)" "isProvince(value)" "isSocialInsuranceNumber(value)" "isPostalCode(value)"))
(cons "dojox/validate/us" (list "isText(value, _flags_)" "isInRange(value, _flags_)" "isNumberFormat(value, _flags_)" "isValidLuhn(value)" "isValidCnpj(value)" "computeCnpjDv(value)" "isValidCpf(value)" "computeCpfDv(value)" "isState(value, _flags_)" "isPhoneNumber(value)" "isSocialSecurityNumber(value)" "isZipCode(value)" "check(form, profile)" "evaluateConstraint(profile, constraint, fieldName, elem)" "isValidCreditCard(value, ccType)" "isValidCreditCardNumber(value, _ccType_)" "isValidCvv(value, ccType)" "isValidIsbn(value)" "isIpAddress(value, _flags_)" "isUrl(value, _flags_)" "isEmailAddress(value, _flags_)" "isEmailAddressList(value, _flags_)" "getEmailAddressList(value, _flags_)"))
(cons "dojox/validate/creditCard" (list))
(cons "dojox/validate/web" (list "isText(value, _flags_)" "isInRange(value, _flags_)" "isNumberFormat(value, _flags_)" "isValidLuhn(value)" "isValidCnpj(value)" "computeCnpjDv(value)" "isValidCpf(value)" "computeCpfDv(value)" "isState(value, _flags_)" "isPhoneNumber(value)" "isSocialSecurityNumber(value)" "isZipCode(value)" "check(form, profile)" "evaluateConstraint(profile, constraint, fieldName, elem)" "isValidCreditCard(value, ccType)" "isValidCreditCardNumber(value, _ccType_)" "isValidCvv(value, ccType)" "isValidIsbn(value)" "isIpAddress(value, _flags_)" "isUrl(value, _flags_)" "isEmailAddress(value, _flags_)" "isEmailAddressList(value, _flags_)" "getEmailAddressList(value, _flags_)"))
(cons "dojox/validate" (list))
(cons "dojox/widget/CalendarViews" (list))
(cons "dojox/widget/rotator/Fade" (list "fade(args)" "crossFade(args)"))
(cons "dojox/widget/rotator/Pan" (list "pan(args)" "panDown(args)" "panRight(args)" "panUp(args)" "panLeft(args)"))
(cons "dojox/widget/rotator/PanFade" (list "panFade(args)" "panFadeDown(args)" "panFadeRight(args)" "panFadeUp(args)" "panFadeLeft(args)"))
(cons "dojox/widget/rotator/Slide" (list "slideDown(args)" "slideRight(args)" "slideUp(args)" "slideLeft(args)"))
(cons "dojox/widget/rotator/Wipe" (list "wipeDown(args)" "wipeRight(args)" "wipeUp(args)" "wipeLeft(args)"))
(cons "dojox/wire/_base" (list))
(cons "dojox/wire/ml/util" (list))
(cons "dojox/wire" (list))
(cons "dojox/xmpp/bosh" (list "transportIframes" "initialize(args)" "findOpenIframe()" "handle(msg, rid)" "get(args)" "remove(id, _frameDocument_)"))
(cons "dojox/xmpp/util" (list "Base64" "xmlEncode(str)" "encodeJid(jid)" "decodeJid(jid)" "createElement(tag, attributes, terminal)" "stripHtml(str)" "decodeHtmlEntities(str)" "htmlToPlain(str)"))
(cons "dojox/xmpp/sasl" (list "saslNS" "registry" "SunWebClientAuth()" "Plain()" "DigestMD5()"))
(cons "doh/_nodeRunner" (list))
(cons "doh/_parseURLargs" (list "scopeMap" "isDebug" "noGlobals"))) ac-amd-properties))
(setq ac-amd-functions (append (list
(cons "dojo/AdapterRegistry" "(_returnWrappers_)")
(cons "dojo/has" "(name)")
(cons "dojo/sniff" "()")
(cons "dojo/Deferred" "(_canceler_)")
(cons "dojo/errors/CancelError" "()")
(cons "dojo/errors/create" "(name, ctor, base, props)")
(cons "dojo/promise/Promise" "()")
(cons "dojo/DeferredList" "(list, _fireOnOneCallback_, _fireOnOneErrback_, _consumeErrors_, _canceller_)")
(cons "dojo/_base/Deferred" "(_canceller_)")
(cons "dojo/when" "(valueOrPromise, _callback_, _errback_, _progback_)")
(cons "dojo/Evented" "()")
(cons "dojo/on" "(target, type, listener, dontFix)")
(cons "dojo/NodeList-data" "()")
(cons "dojo/query" "(selector, _context_)")
(cons "dojo/NodeList-dom" "()")
(cons "dojo/NodeList-fx" "()")
(cons "dojo/_base/declare" "(_className_, superclass, props)")
(cons "dojo/_base/Color" "(color)")
(cons "dojo/ready" "(_priority_, context, _callback_)")
(cons "dojo/NodeList-html" "()")
(cons "dojo/_base/url" "()")
(cons "dojo/NodeList-manipulate" "()")
(cons "dojo/NodeList-traverse" "()")
(cons "dojo/NodeList" "(array)")
(cons "dojo/_base/xhr" "(method, args, _hasBody_)")
(cons "dojo/request/watch" "(dfd)")
(cons "dojo/errors/RequestError" "()")
(cons "dojo/errors/RequestTimeoutError" "()")
(cons "dojo/request/xhr" "(url, _options_)")
(cons "dojo/request/handlers" "(response)")
(cons "dojo/request" "(url, _options_)")
(cons "dojo/cache" "(module, url, _value_)")
(cons "dojo/cookie" "(name, _value_, _props_)")
(cons "dojo/hccss" "()")
(cons "dojo/domReady" "(callback)")
(cons "dojo/hash" "(_hash_, _replace_)")
(cons "dojo/request/iframe" "(url, _options_)")
(cons "dojo/request/script" "(url, _options_)")
(cons "dojo/promise/all" "(_objectOrArray_)")
(cons "dojo/promise/first" "(_objectOrArray_)")
(cons "dojo/promise/instrumentation" "(Deferred)")
(cons "dojo/request/node" "(url, _options_)")
(cons "dojo/request/notify" "(_type_, _listener_)")
(cons "dojo/request/registry" "(url, options)")
(cons "dojo/selector/acme" "(query, _root_)")
(cons "dojo/selector/lite" "(selector, root)")
(cons "dojo/store/util/QueryResults" "(results)")
(cons "dojo/store/Observable" "(store)")
(cons "dijit/BackgroundIframe" "(node)")
(cons "dijit/hccss" "()")
(cons "dijit/a11yclick" "(node, listener)")
(cons "dijit/_BidiSupport" "()")
(cons "dojox/NodeList/delegate" "(array)")
(cons "dojox/app/model" "(config, parent, app)")
(cons "dojox/css3/transit" "(from, to, _options_)")
(cons "dojox/css3/transition" "(_args_)")
(cons "dojox/app/main" "(config, node)")
(cons "dojox/app/utils/mvcModel" "(config, params, item)")
(cons "dojox/mvc/getStateful" "(value, options)")
(cons "dojox/mvc/StatefulArray" "(a)")
(cons "dojox/app/utils/simpleModel" "(config, params, item)")
(cons "dojox/mobile/scrollable" "()")
(cons "dojox/embed/Flash" "(kwArgs, node)")
(cons "dojox/timing/doLater" "(conditional, _context_, _interval_)")
(cons "dojox/gfx3d/gradient" "(model, material, center, radius, from, to, matrix)")
(cons "dojox/color/Palette" "(base)")
(cons "dojox/collections/ArrayList" "(_arr_)")
(cons "dojox/collections/BinaryTree" "(data)")
(cons "dojox/collections/Dictionary" "(_dictionary_)")
(cons "dojox/collections/Queue" "(_arr_)")
(cons "dojox/collections/SortedList" "(_dictionary_)")
(cons "dojox/collections/Stack" "(_arr_)")
(cons "dojox/rpc/Rest" "(path, _isJson_, _schema_, _getRequest_)")
(cons "dojox/json/query" "(query, _obj_)")
(cons "dojox/data/restListener" "(message)")
(cons "dojox/string/tokenize" "(str, re, _parseDelim_, _instance_)")
(cons "dojox/math/round" "(v, p, m)")
(cons "dojox/dtl/Context" "(dict)")
(cons "dojox/dtl/DomInline" "(args, node)")
(cons "dojox/dtl/Inline" "(args, node)")
(cons "dojox/dtl/_DomTemplated" "()")
(cons "dojox/dtl/ext-dojo/NodeList" "(array)")
(cons "dojox/string/sprintf" "(format, filler)")
(cons "dojox/embed/Quicktime" "(kwArgs, node)")
(cons "dojox/encoding/compression/splay" "(n)")
(cons "dojox/math/BigInteger" "(a, b, c)")
(cons "dojox/math/BigInteger-ext" "(a, b, c)")
(cons "dojox/encoding/digests/MD5" "(data, _outputType_)")
(cons "dojox/encoding/digests/SHA1" "(data, _outputType_)")
(cons "dojox/fx/_core" "(start, end)")
(cons "dojox/fx/ext-dojo/reverse" "(args)")
(cons "dojox/fx/scroll" "(args)")
(cons "dojox/gfx/decompose" "(matrix)")
(cons "dojox/io/httpParse" "(httpStream, _topHeaders_, _partial_)")
(cons "dojox/io/xhrMultiPart" "(args)")
(cons "dojox/uuid/generateRandomUuid" "()")
(cons "dojox/io/xhrScriptPlugin" "(url, callbackParamName, _httpAdapter_)")
(cons "dojox/io/xhrWindowNamePlugin" "(url, _httpAdapter_, _trusted_)")
(cons "dojox/jsonPath/query" "(obj, expr, arg)")
(cons "dojox/lang/aspect/cflow" "(instance, _method_)")
(cons "dojox/lang/aspect/counter" "()")
(cons "dojox/lang/aspect/memoizer" "(_keyMaker_)")
(cons "dojox/lang/aspect/memoizerGuard" "(_method_)")
(cons "dojox/lang/aspect/profiler" "(_title_)")
(cons "dojox/lang/aspect/timer" "(_name_)")
(cons "dojox/lang/aspect/tracer" "(grouping)")
(cons "dojox/lang/functional/binrec" "(cond, then, before, after)")
(cons "dojox/lang/functional/linrec" "(cond, then, before, after)")
(cons "dojox/lang/functional/multirec" "(cond, then, before, after)")
(cons "dojox/lang/functional/numrec" "(then, after)")
(cons "dojox/lang/functional/tailrec" "(cond, then, before)")
(cons "dojox/lang/observable" "(wrapped, onRead, onWrite, onInvoke)")
(cons "dojox/lang/oo/Decorator" "(value, decorator)")
(cons "dojox/lang/oo/Filter" "(bag, filter)")
(cons "dojox/lang/oo/mixin" "(target, source)")
(cons "dojox/lang/oo/rearrange" "(bag, map)")
(cons "dojox/math/random/prng4" "()")
(cons "dojox/mobile/DatePicker" "()")
(cons "dojox/mobile/TimePicker" "()")
(cons "dojox/mobile/pageTurningUtils" "()")
(cons "dojox/mvc/getPlainValue" "(value, options)")
(cons "dojox/mvc/resolve" "(target, _parent_)")
(cons "dojox/mvc/sync" "(source, sourceProp, target, targetProp, options)")
(cons "dojox/mvc/at" "(target, targetProp)")
(cons "dojox/mvc/equals" "(dst, src, options)")
(cons "dojox/secure/DOM" "(element)")
(cons "dojox/secure/sandbox" "(element)")
(cons "dojox/sketch/Anchor" "(an, id, isControl)")
(cons "dojox/sketch/Annotation" "(figure, id)")
(cons "dojox/sketch/DoubleArrowAnnotation" "(figure, id)")
(cons "dojox/sketch/Figure" "(mixin)")
(cons "dojox/sketch/LeadAnnotation" "(figure, id)")
(cons "dojox/sketch/PreexistingAnnotation" "(figure, id)")
(cons "dojox/sketch/SingleArrowAnnotation" "(figure, id)")
(cons "dojox/sketch/UnderlineAnnotation" "(figure, id)")
(cons "dojox/socket/Reconnect" "(socket, options)")
(cons "dojox/socket" "(argsOrUrl)")
(cons "dojox/timing/Streamer" "(input, output, interval, minimum, initialData)")
(cons "dojox/uuid/Uuid" "(_input_)")
(cons "dojox/uuid/generateTimeBasedUuid" "(_node_)")
(cons "dojox/validate/check" "(form, profile)")
(cons "dojox/validate/isbn" "(value)")
(cons "dojox/xmpp/TransportSession" "(props)")
(cons "dojox/xmpp/xmppSession" "(props)")) ac-amd-functions))
(setq ac-amd-constructors (append (list
(cons "dojo/Stateful" "()")
(cons "dojo/data/ItemFileReadStore" "(keywordParameters)")
(cons "dojo/data/ItemFileWriteStore" "(keywordParameters)")
(cons "dojo/data/ObjectStore" "(options)")
(cons "dojo/data/api/Identity" "()")
(cons "dojo/data/api/Read" "()")
(cons "dojo/data/api/Item" "()")
(cons "dojo/data/api/Notification" "()")
(cons "dojo/data/api/Request" "()")
(cons "dojo/data/api/Write" "()")
(cons "dojo/dnd/AutoSource" "(node, params)")
(cons "dojo/dnd/Source" "(node, _params_)")
(cons "dojo/dnd/Selector" "(node, _params_)")
(cons "dojo/dnd/Container" "(node, params)")
(cons "dojo/dnd/Manager" "()")
(cons "dojo/dnd/Avatar" "(manager)")
(cons "dojo/dnd/Moveable" "(node, _params_)")
(cons "dojo/dnd/Mover" "(node, e, _host_)")
(cons "dojo/dnd/Target" "(node, params)")
(cons "dojo/dnd/TimedMoveable" "(node, params)")
(cons "dojo/fx/Toggler" "(args)")
(cons "dojo/router/RouterBase" "(kwArgs)")
(cons "dojo/rpc/JsonService" "(args)")
(cons "dojo/rpc/RpcService" "(args)")
(cons "dojo/rpc/JsonpService" "(args, requiredArgs)")
(cons "dojo/store/Cache" "(masterStore, cachingStore, _options_)")
(cons "dojo/store/api/Store" "()")
(cons "dojo/store/DataStore" "(_options_)")
(cons "dojo/store/JsonRest" "(options)")
(cons "dojo/store/Memory" "(options)")
(cons "dijit/Calendar" "(params, _srcNodeRef_)")
(cons "dijit/CalendarLite" "(params, _srcNodeRef_)")
(cons "dijit/_WidgetBase" "(params, _srcNodeRef_)")
(cons "dijit/Destroyable" "()")
(cons "dijit/_TemplatedMixin" "(params, _srcNodeRef_)")
(cons "dijit/_Widget" "(params, _srcNodeRef_)")
(cons "dijit/_OnDijitClickMixin" "()")
(cons "dijit/_FocusMixin" "()")
(cons "dijit/focus" "()")
(cons "dijit/_CssStateMixin" "()")
(cons "dijit/form/DropDownButton" "(params, _srcNodeRef_)")
(cons "dijit/popup" "()")
(cons "dijit/form/Button" "(params, _srcNodeRef_)")
(cons "dijit/form/_FormWidget" "(params, _srcNodeRef_)")
(cons "dijit/form/_FormWidgetMixin" "()")
(cons "dijit/form/_ButtonMixin" "()")
(cons "dijit/_Container" "()")
(cons "dijit/_HasDropDown" "()")
(cons "dijit/CheckedMenuItem" "(params, _srcNodeRef_)")
(cons "dijit/MenuItem" "(params, _srcNodeRef_)")
(cons "dijit/_Contained" "()")
(cons "dijit/ColorPalette" "(params, _srcNodeRef_)")
(cons "dijit/_PaletteMixin" "()")
(cons "dijit/Declaration" "(params, _srcNodeRef_)")
(cons "dijit/_WidgetsInTemplateMixin" "()")
(cons "dijit/Dialog" "(params, _srcNodeRef_)")
(cons "dijit/form/_FormMixin" "()")
(cons "dijit/_DialogMixin" "()")
(cons "dijit/DialogUnderlay" "(params, _srcNodeRef_)")
(cons "dijit/layout/ContentPane" "(params, _srcNodeRef_)")
(cons "dijit/layout/_ContentPaneResizeMixin" "()")
(cons "dijit/DropDownMenu" "(params, _srcNodeRef_)")
(cons "dijit/_MenuBase" "(params, _srcNodeRef_)")
(cons "dijit/_KeyNavContainer" "()")
(cons "dijit/Editor" "(params, srcNodeRef)")
(cons "dijit/Toolbar" "(params, _srcNodeRef_)")
(cons "dijit/ToolbarSeparator" "(params, _srcNodeRef_)")
(cons "dijit/layout/_LayoutWidget" "(params, _srcNodeRef_)")
(cons "dijit/form/ToggleButton" "(params, _srcNodeRef_)")
(cons "dijit/form/_ToggleButtonMixin" "()")
(cons "dijit/_editor/_Plugin" "(_args_)")
(cons "dijit/_editor/plugins/EnterKeyHandling" "(args)")
(cons "dijit/_editor/RichText" "(params, srcNodeRef)")
(cons "dijit/InlineEditBox" "(params, _srcNodeRef_)")
(cons "dijit/form/_TextBoxMixin" "()")
(cons "dijit/form/TextBox" "(params, _srcNodeRef_)")
(cons "dijit/form/_FormValueWidget" "(params, _srcNodeRef_)")
(cons "dijit/form/_FormValueMixin" "()")
(cons "dijit/Menu" "(params, _srcNodeRef_)")
(cons "dijit/MenuBar" "(params, _srcNodeRef_)")
(cons "dijit/MenuBarItem" "(params, _srcNodeRef_)")
(cons "dijit/MenuSeparator" "(params, _srcNodeRef_)")
(cons "dijit/PopupMenuBarItem" "(params, _srcNodeRef_)")
(cons "dijit/PopupMenuItem" "(params, _srcNodeRef_)")
(cons "dijit/ProgressBar" "(params, _srcNodeRef_)")
(cons "dijit/TitlePane" "(params, _srcNodeRef_)")
(cons "dijit/Tooltip" "(params, _srcNodeRef_)")
(cons "dijit/TooltipDialog" "(params, _srcNodeRef_)")
(cons "dijit/Tree" "(params, _srcNodeRef_)")
(cons "dijit/tree/TreeStoreModel" "(args)")
(cons "dijit/tree/ForestStoreModel" "(params)")
(cons "dijit/tree/_dndSelector" "()")
(cons "dijit/tree/_dndContainer" "(tree, params)")
(cons "dijit/WidgetSet" "()")
(cons "dijit/_Templated" "()")
(cons "dijit/_TimePicker" "(params, _srcNodeRef_)")
(cons "dijit/_editor/plugins/AlwaysShowToolbar" "(_args_)")
(cons "dijit/_editor/plugins/FontChoice" "(_args_)")
(cons "dijit/form/FilteringSelect" "(params, _srcNodeRef_)")
(cons "dijit/form/MappedTextBox" "(params, _srcNodeRef_)")
(cons "dijit/form/ValidationTextBox" "(params, _srcNodeRef_)")
(cons "dijit/form/ComboBoxMixin" "()")
(cons "dijit/form/_AutoCompleterMixin" "()")
(cons "dijit/form/DataList" "(params, srcNodeRef)")
(cons "dijit/form/_SearchMixin" "()")
(cons "dijit/form/_ComboBoxMenu" "(params, _srcNodeRef_)")
(cons "dijit/form/_ComboBoxMenuMixin" "()")
(cons "dijit/form/_ListMouseMixin" "()")
(cons "dijit/form/_ListBase" "()")
(cons "dijit/_editor/plugins/FullScreen" "(_args_)")
(cons "dijit/_editor/plugins/LinkDialog" "(_args_)")
(cons "dijit/_editor/plugins/NewPage" "(_args_)")
(cons "dijit/_editor/plugins/Print" "(_args_)")
(cons "dijit/_editor/plugins/TabIndent" "(_args_)")
(cons "dijit/_editor/plugins/TextColor" "(_args_)")
(cons "dijit/_editor/plugins/ToggleDir" "(_args_)")
(cons "dijit/_editor/plugins/ViewSource" "(_args_)")
(cons "dijit/tree/dndSource" "(tree, params)")
(cons "dijit/form/Form" "(params, _srcNodeRef_)")
(cons "dijit/form/ComboButton" "(params, _srcNodeRef_)")
(cons "dijit/form/CheckBox" "(params, _srcNodeRef_)")
(cons "dijit/form/_CheckBoxMixin" "()")
(cons "dijit/form/RadioButton" "(params, _srcNodeRef_)")
(cons "dijit/form/_RadioButtonMixin" "()")
(cons "dijit/form/CurrencyTextBox" "(params, _srcNodeRef_)")
(cons "dijit/form/NumberTextBox" "(params, _srcNodeRef_)")
(cons "dijit/form/RangeBoundTextBox" "(params, _srcNodeRef_)")
(cons "dijit/form/DateTextBox" "(params, _srcNodeRef_)")
(cons "dijit/form/_DateTimeTextBox" "(params, _srcNodeRef_)")
(cons "dijit/form/TimeTextBox" "(params, _srcNodeRef_)")
(cons "dijit/form/NumberSpinner" "(params, _srcNodeRef_)")
(cons "dijit/form/_Spinner" "(params, _srcNodeRef_)")
(cons "dijit/form/ComboBox" "(params, _srcNodeRef_)")
(cons "dijit/form/MultiSelect" "(params, _srcNodeRef_)")
(cons "dijit/form/Select" "(params, _srcNodeRef_)")
(cons "dijit/form/_FormSelectWidget" "(params, _srcNodeRef_)")
(cons "dijit/form/HorizontalSlider" "(params, _srcNodeRef_)")
(cons "dijit/form/VerticalSlider" "(params, _srcNodeRef_)")
(cons "dijit/form/HorizontalRule" "(params, _srcNodeRef_)")
(cons "dijit/form/VerticalRule" "(params, _srcNodeRef_)")
(cons "dijit/form/HorizontalRuleLabels" "(params, _srcNodeRef_)")
(cons "dijit/form/VerticalRuleLabels" "(params, _srcNodeRef_)")
(cons "dijit/form/SimpleTextarea" "(params, _srcNodeRef_)")
(cons "dijit/form/Textarea" "(params, _srcNodeRef_)")
(cons "dijit/form/_ExpandingTextAreaMixin" "()")
(cons "dijit/layout/AccordionContainer" "(params, _srcNodeRef_)")
(cons "dijit/layout/StackContainer" "(params, _srcNodeRef_)")
(cons "dijit/layout/BorderContainer" "(params, _srcNodeRef_)")
(cons "dijit/layout/LayoutContainer" "()")
(cons "dijit/layout/LinkPane" "(params, _srcNodeRef_)")
(cons "dijit/layout/SplitContainer" "()")
(cons "dijit/layout/TabContainer" "(params, _srcNodeRef_)")
(cons "dijit/layout/_TabContainerBase" "(params, _srcNodeRef_)")
(cons "dijit/layout/TabController" "(params, _srcNodeRef_)")
(cons "dijit/layout/StackController" "(params, _srcNodeRef_)")
(cons "dijit/layout/ScrollingTabController" "(params, _srcNodeRef_)")
(cons "dijit/layout/AccordionPane" "()")
(cons "dijit/tree/ObjectStoreModel" "(args)")
(cons "dijit/tree/model" "()")
(cons "dojox/analytics/Urchin" "(args)")
(cons "dojox/gesture/tap" "(args)")
(cons "dojox/gesture/Base" "(args)")
(cons "dojox/gesture/swipe" "(args)")
(cons "dojox/app/Controller" "(app, events)")
(cons "dojox/app/View" "(params)")
(cons "dojox/app/controllers/History" "(app)")
(cons "dojox/app/controllers/HistoryHash" "(app)")
(cons "dojox/app/controllers/Layout" "(app, events)")
(cons "dojox/app/controllers/Load" "(app, events)")
(cons "dojox/app/controllers/Transition" "(app, events)")
(cons "dojox/app/module/env" "()")
(cons "dojox/app/module/lifecycle" "()")
(cons "dojox/app/widgets/Container" "(params, _srcNodeRef_)")
(cons "dojox/app/widgets/_ScrollableMixin" "()")
(cons "dojox/atom/io/Connection" "(sync, preventCache)")
(cons "dojox/atom/widget/FeedEntryEditor" "(params, _srcNodeRef_)")
(cons "dojox/atom/widget/FeedEntryViewer" "(params, _srcNodeRef_)")
(cons "dojox/atom/widget/FeedViewer" "(params, _srcNodeRef_)")
(cons "dojox/av/FLAudio" "(options)")
(cons "dojox/av/FLVideo" "(options)")
(cons "dojox/av/_Media" "()")
(cons "dojox/av/widget/PlayButton" "(params, _srcNodeRef_)")
(cons "dojox/av/widget/Player" "(params, _srcNodeRef_)")
(cons "dojox/av/widget/ProgressSlider" "(params, _srcNodeRef_)")
(cons "dojox/av/widget/Status" "(params, _srcNodeRef_)")
(cons "dojox/av/widget/VolumeButton" "(params, _srcNodeRef_)")
(cons "dojox/calc/GraphPro" "(params, _srcNodeRef_)")
(cons "dojox/calc/Standard" "(params, _srcNodeRef_)")
(cons "dojox/charting/Chart" "(node, _kwArgs_)")
(cons "dojox/charting/Element" "(chart)")
(cons "dojox/charting/SimpleTheme" "(kwArgs)")
(cons "dojox/charting/Series" "(chart, data, _kwArgs_)")
(cons "dojox/charting/axis2d/Default" "(chart, _kwArgs_)")
(cons "dojox/charting/axis2d/Invisible" "(chart, _kwArgs_)")
(cons "dojox/charting/axis2d/Base" "(chart, _kwArgs_)")
(cons "dojox/charting/plot2d/Default" "(chart, _kwArgs_)")
(cons "dojox/charting/plot2d/CartesianBase" "(chart, _kwArgs_)")
(cons "dojox/charting/plot2d/Base" "(chart, _kwArgs_)")
(cons "dojox/charting/plot2d/_PlotEvents" "()")
(cons "dojox/charting/plot2d/Lines" "()")
(cons "dojox/layout/FloatingPane" "(params, _srcNodeRef_)")
(cons "dojox/layout/ContentPane" "(params, _srcNodeRef_)")
(cons "dojox/layout/ResizeHandle" "(params, _srcNodeRef_)")
(cons "dojox/layout/Dock" "(params, _srcNodeRef_)")
(cons "dojox/calendar/Calendar" "(args)")
(cons "dojox/calendar/CalendarBase" "(args)")
(cons "dojox/calendar/StoreMixin" "()")
(cons "dojox/widget/_Invalidating" "()")
(cons "dojox/widget/Selection" "()")
(cons "dojox/calendar/ColumnView" "()")
(cons "dojox/calendar/SimpleColumnView" "()")
(cons "dojox/calendar/ViewBase" "(args)")
(cons "dojox/calendar/_VerticalScrollBarBase" "(params, _srcNodeRef_)")
(cons "dojox/calendar/ColumnViewSecondarySheet" "()")
(cons "dojox/calendar/MatrixView" "()")
(cons "dojox/calendar/VerticalRenderer" "(params, _srcNodeRef_)")
(cons "dojox/calendar/_RendererMixin" "()")
(cons "dojox/calendar/HorizontalRenderer" "(params, _srcNodeRef_)")
(cons "dojox/calendar/LabelRenderer" "(params, _srcNodeRef_)")
(cons "dojox/calendar/ExpandRenderer" "(params, _srcNodeRef_)")
(cons "dojox/calendar/Keyboard" "()")
(cons "dojox/calendar/Mouse" "()")
(cons "dojox/calendar/MobileCalendar" "(args)")
(cons "dojox/calendar/MobileVerticalRenderer" "(params, _srcNodeRef_)")
(cons "dojox/calendar/MobileHorizontalRenderer" "(params, _srcNodeRef_)")
(cons "dojox/calendar/Touch" "()")
(cons "dojox/mobile/Button" "(params, _srcNodeRef_)")
(cons "dojox/calendar/MonthColumnView" "()")
(cons "dojox/string/BidiEngine" "()")
(cons "dojox/charting/Chart2D" "(node, _kwArgs_)")
(cons "dojox/charting/plot2d/Areas" "()")
(cons "dojox/charting/plot2d/Markers" "()")
(cons "dojox/charting/plot2d/MarkersOnly" "()")
(cons "dojox/charting/plot2d/Scatter" "(chart, _kwArgs_)")
(cons "dojox/charting/plot2d/Stacked" "(chart, _kwArgs_)")
(cons "dojox/charting/plot2d/StackedLines" "()")
(cons "dojox/charting/plot2d/StackedAreas" "()")
(cons "dojox/charting/plot2d/Columns" "(chart, _kwArgs_)")
(cons "dojox/charting/plot2d/StackedColumns" "(chart, _kwArgs_)")
(cons "dojox/charting/plot2d/ClusteredColumns" "(chart, _kwArgs_)")
(cons "dojox/charting/plot2d/Bars" "(chart, _kwArgs_)")
(cons "dojox/charting/plot2d/StackedBars" "(chart, _kwArgs_)")
(cons "dojox/charting/plot2d/ClusteredBars" "(chart, _kwArgs_)")
(cons "dojox/charting/plot2d/Grid" "(chart, _kwArgs_)")
(cons "dojox/charting/plot2d/Pie" "(chart, kwArgs)")
(cons "dojox/charting/plot2d/Bubble" "(chart, _kwArgs_)")
(cons "dojox/charting/plot2d/Candlesticks" "(chart, _kwArgs_)")
(cons "dojox/charting/plot2d/OHLC" "(chart, _kwArgs_)")
(cons "dojox/charting/plot2d/Spider" "(chart, _kwArgs_)")
(cons "dojox/charting/Chart3D" "(node, lights, camera, theme)")
(cons "dojox/gfx3d/object" "()")
(cons "dojox/charting/DataChart" "(node, kwArgs)")
(cons "dojox/charting/Theme" "(kwArgs)")
(cons "dojox/charting/DataSeries" "(store, kwArgs, value)")
(cons "dojox/charting/StoreSeries" "(store, kwArgs, value)")
(cons "dojox/charting/action2d/Base" "(chart, _plot_)")
(cons "dojox/charting/action2d/ChartAction" "(chart, _plot_)")
(cons "dojox/charting/action2d/Highlight" "(chart, _plot_, _kwArgs_)")
(cons "dojox/charting/action2d/PlotAction" "(chart, _plot_, _kwargs_)")
(cons "dojox/charting/action2d/Magnify" "(chart, _plot_, _kwArgs_)")
(cons "dojox/charting/action2d/MouseIndicator" "(chart, plot, _kwArgs_)")
(cons "dojox/charting/action2d/_IndicatorElement" "(chart, kwArgs)")
(cons "dojox/charting/action2d/MouseZoomAndPan" "(chart, plot, _kwArgs_)")
(cons "dojox/charting/action2d/MoveSlice" "(chart, _plot_, _kwArgs_)")
(cons "dojox/charting/action2d/Shake" "(chart, _plot_, _kwArgs_)")
(cons "dojox/charting/action2d/Tooltip" "(chart, _plot_, _kwArgs_)")
(cons "dojox/charting/action2d/TouchIndicator" "(chart, plot, _kwArgs_)")
(cons "dojox/charting/action2d/TouchZoomAndPan" "(chart, plot, _kwArgs_)")
(cons "dojox/charting/plot3d/Bars" "(width, height, kwArgs)")
(cons "dojox/charting/plot3d/Base" "(width, height, kwArgs)")
(cons "dojox/charting/plot3d/Cylinders" "(width, height, kwArgs)")
(cons "dojox/charting/widget/Chart" "(params, _srcNodeRef_)")
(cons "dojox/charting/widget/Legend" "(params, _srcNodeRef_)")
(cons "dojox/charting/widget/Chart2D" "(params, _srcNodeRef_)")
(cons "dojox/charting/widget/SelectableLegend" "(params, _srcNodeRef_)")
(cons "dojox/color/MeanColorModel" "(startColor, _endColor_)")
(cons "dojox/color/NeutralColorModel" "(startColor, _endColor_)")
(cons "dojox/color/SimpleColorModel" "(startColor, _endColor_)")
(cons "dojox/color/api/ColorModel" "()")
(cons "dojox/data/AndOrReadStore" "(keywordParameters)")
(cons "dojox/data/AndOrWriteStore" "(keywordParameters)")
(cons "dojox/data/ClientFilter" "()")
(cons "dojox/data/JsonRestStore" "(options)")
(cons "dojox/data/ServiceStore" "(options)")
(cons "dojox/data/CssClassStore" "(keywordParameters)")
(cons "dojox/data/CssRuleStore" "(keywordParameters)")
(cons "dojox/data/CsvStore" "(keywordParameters)")
(cons "dojox/data/FileStore" "(args)")
(cons "dojox/data/FlickrRestStore" "(args)")
(cons "dojox/data/FlickrStore" "(args)")
(cons "dojox/data/GoogleFeedStore" "(args)")
(cons "dojox/data/HtmlStore" "(args)")
(cons "dojox/data/HtmlTableStore" "(args)")
(cons "dojox/data/ItemExplorer" "(options)")
(cons "dojox/data/JsonQueryRestStore" "(options)")
(cons "dojox/data/util/JsonQuery" "()")
(cons "dojox/data/KeyValueStore" "(keywordParameters)")
(cons "dojox/data/OpenSearchStore" "(args)")
(cons "dojox/data/OpmlStore" "(keywordParameters)")
(cons "dojox/data/PicasaStore" "(args)")
(cons "dojox/data/S3Store" "(options)")
(cons "dojox/data/StoreExplorer" "(options)")
(cons "dojox/grid/DataGrid" "(params, _srcNodeRef_)")
(cons "dojox/grid/_Grid" "(params, _srcNodeRef_)")
(cons "dojox/grid/_Events" "()")
(cons "dojox/grid/_Scroller" "(inContentNodes)")
(cons "dojox/grid/_Layout" "(inGrid)")
(cons "dojox/grid/cells/_base" "(inProps)")
(cons "dojox/grid/_RowSelector" "(params, _srcNodeRef_)")
(cons "dojox/grid/_View" "(params, _srcNodeRef_)")
(cons "dojox/grid/_ViewManager" "(inGrid)")
(cons "dojox/grid/_RowManager" "(inGrid)")
(cons "dojox/grid/_FocusManager" "(inGrid)")
(cons "dojox/grid/_EditManager" "(inGrid)")
(cons "dojox/grid/Selection" "(inGrid)")
(cons "dojox/grid/DataSelection" "(grid)")
(cons "dojox/grid/_SelectionPreserver" "(selection)")
(cons "dojox/data/WikipediaStore" "(options)")
(cons "dojox/data/XmlItem" "(element, store, query)")
(cons "dojox/data/XmlStore" "(args)")
(cons "dojox/date/buddhist/Date" "()")
(cons "dojox/date/hebrew/Date" "()")
(cons "dojox/date/islamic/Date" "()")
(cons "dojox/dgauges/CircularGauge" "(args, node)")
(cons "dojox/dgauges/GaugeBase" "(args, node)")
(cons "dojox/dgauges/ScaleBase" "()")
(cons "dojox/dgauges/CircularRangeIndicator" "()")
(cons "dojox/dgauges/ScaleIndicatorBase" "()")
(cons "dojox/dgauges/IndicatorBase" "()")
(cons "dojox/dgauges/CircularScale" "()")
(cons "dojox/dgauges/CircularValueIndicator" "()")
(cons "dojox/dgauges/LinearScaler" "()")
(cons "dojox/dgauges/LogScaler" "()")
(cons "dojox/dgauges/MultiLinearScaler" "()")
(cons "dojox/dgauges/RectangularGauge" "()")
(cons "dojox/dgauges/RectangularRangeIndicator" "()")
(cons "dojox/dgauges/RectangularScale" "()")
(cons "dojox/dgauges/RectangularSegmentedRangeIndicator" "()")
(cons "dojox/dgauges/RectangularValueIndicator" "()")
(cons "dojox/dgauges/TextIndicator" "()")
(cons "dojox/dgauges/components/DefaultPropertiesMixin" "()")
(cons "dojox/dgauges/components/black/CircularLinearGauge" "()")
(cons "dojox/dgauges/components/black/HorizontalLinearGauge" "()")
(cons "dojox/dgauges/components/black/SemiCircularLinearGauge" "()")
(cons "dojox/dgauges/components/black/VerticalLinearGauge" "()")
(cons "dojox/dgauges/components/classic/CircularLinearGauge" "()")
(cons "dojox/dgauges/components/classic/HorizontalLinearGauge" "()")
(cons "dojox/dgauges/components/classic/SemiCircularLinearGauge" "()")
(cons "dojox/dgauges/components/classic/VerticalLinearGauge" "()")
(cons "dojox/dgauges/components/default/CircularLinearGauge" "()")
(cons "dojox/dgauges/components/default/HorizontalLinearGauge" "()")
(cons "dojox/dgauges/components/default/SemiCircularLinearGauge" "()")
(cons "dojox/dgauges/components/default/VerticalLinearGauge" "()")
(cons "dojox/dgauges/components/green/CircularLinearGauge" "()")
(cons "dojox/dgauges/components/green/HorizontalLinearGauge" "()")
(cons "dojox/dgauges/components/green/SemiCircularLinearGauge" "()")
(cons "dojox/dgauges/components/green/VerticalLinearGauge" "()")
(cons "dojox/dgauges/components/grey/CircularLinearGauge" "(args, node)")
(cons "dojox/dgauges/components/grey/HorizontalLinearGauge" "()")
(cons "dojox/dgauges/components/grey/SemiCircularLinearGauge" "(args, node)")
(cons "dojox/dgauges/components/grey/VerticalLinearGauge" "()")
(cons "dojox/dnd/BoundingBoxController" "(sources, domNode)")
(cons "dojox/dnd/Selector" "(node, _params_)")
(cons "dojox/drawing/Drawing" "(props, node)")
(cons "dojox/drawing/_base" "(props, node)")
(cons "dojox/drawing/plugins/drawing/GreekPalette" "(params, _srcNodeRef_)")
(cons "dojox/drawing/ui/Toolbar" "(props, node)")
(cons "dojox/drawing/ui/dom/Toolbar" "(props, node)")
(cons "dojox/dtl/_Templated" "(params, _srcNodeRef_)")
(cons "dojox/editor/plugins/ToolbarLineBreak" "(params, _srcNodeRef_)")
(cons "dojox/editor/plugins/LocalImage" "(_args_)")
(cons "dojox/form/FileUploader" "()")
(cons "dojox/editor/plugins/PasteFromWord" "(_args_)")
(cons "dojox/editor/plugins/ResizeTableColumn" "()")
(cons "dojox/editor/plugins/TablePlugins" "(_args_)")
(cons "dojox/widget/ColorPicker" "(params, _srcNodeRef_)")
(cons "dojox/editor/plugins/SpellCheck" "()")
(cons "dojox/embed/Object" "(params, _srcNodeRef_)")
(cons "dojox/encoding/crypto/RSAKey-ext" "(rngf)")
(cons "dojox/encoding/crypto/RSAKey" "(rngf)")
(cons "dojox/math/random/Simple" "()")
(cons "dojox/form/BusyButton" "(params, _srcNodeRef_)")
(cons "dojox/form/CheckedMultiSelect" "(params, _srcNodeRef_)")
(cons "dojox/form/DateTextBox" "(params, _srcNodeRef_)")
(cons "dojox/widget/Calendar" "()")
(cons "dojox/widget/_CalendarBase" "()")
(cons "dojox/widget/_CalendarDay" "()")
(cons "dojox/widget/_CalendarDayView" "(params, _srcNodeRef_)")
(cons "dojox/widget/_CalendarView" "(params, _srcNodeRef_)")
(cons "dojox/widget/_CalendarMonthYear" "()")
(cons "dojox/widget/_CalendarMonthYearView" "(params, _srcNodeRef_)")
(cons "dojox/form/DayTextBox" "(params, _srcNodeRef_)")
(cons "dojox/widget/DailyCalendar" "()")
(cons "dojox/form/DropDownSelect" "(params, _srcNodeRef_)")
(cons "dojox/form/_SelectStackMixin" "()")
(cons "dojox/form/FileInput" "(params, _srcNodeRef_)")
(cons "dojox/form/FileInputAuto" "(params, _srcNodeRef_)")
(cons "dojox/form/FileInputBlind" "(params, _srcNodeRef_)")
(cons "dojox/form/FilePickerTextBox" "(params, _srcNodeRef_)")
(cons "dojox/widget/FilePicker" "(params, _srcNodeRef_)")
(cons "dojox/widget/RollingList" "(params, _srcNodeRef_)")
(cons "dojox/form/ListInput" "()")
(cons "dojox/form/Manager" "(params, _srcNodeRef_)")
(cons "dojox/form/manager/_Mixin" "()")
(cons "dojox/form/manager/_NodeMixin" "()")
(cons "dojox/form/manager/_FormMixin" "()")
(cons "dojox/form/manager/_ValueMixin" "()")
(cons "dojox/form/manager/_EnableMixin" "()")
(cons "dojox/form/manager/_DisplayMixin" "()")
(cons "dojox/form/manager/_ClassMixin" "()")
(cons "dojox/form/MonthTextBox" "(params, _srcNodeRef_)")
(cons "dojox/widget/MonthlyCalendar" "()")
(cons "dojox/widget/_CalendarMonth" "()")
(cons "dojox/widget/_CalendarMonthView" "(params, _srcNodeRef_)")
(cons "dojox/form/MultiComboBox" "(params, _srcNodeRef_)")
(cons "dojox/form/PasswordValidator" "(params, _srcNodeRef_)")
(cons "dojox/form/RangeSlider" "()")
(cons "dojox/form/Rating" "(params, _srcNodeRef_)")
(cons "dojox/form/TimeSpinner" "(params, _srcNodeRef_)")
(cons "dojox/form/TriStateCheckBox" "()")
(cons "dojox/form/Uploader" "(params, _srcNodeRef_)")
(cons "dojox/form/uploader/Base" "(params, _srcNodeRef_)")
(cons "dojox/form/YearTextBox" "(params, _srcNodeRef_)")
(cons "dojox/widget/YearlyCalendar" "()")
(cons "dojox/widget/_CalendarYear" "()")
(cons "dojox/widget/_CalendarYearView" "(params, _srcNodeRef_)")
(cons "dojox/form/_FormSelectWidget" "(params, _srcNodeRef_)")
(cons "dojox/form/uploader/FileList" "(params, _srcNodeRef_)")
(cons "dojox/form/uploader/plugins/Flash" "()")
(cons "dojox/form/uploader/plugins/HTML5" "()")
(cons "dojox/form/uploader/plugins/IFrame" "()")
(cons "dojox/fx/Shadow" "(params, _srcNodeRef_)")
(cons "dojox/gantt/GanttChart" "(configuration, node)")
(cons "dojox/gantt/GanttProjectItem" "(configuration)")
(cons "dojox/gantt/GanttTaskItem" "(configuration)")
(cons "dojox/gantt/GanttTaskControl" "(taskInfo, project, chart)")
(cons "dojox/gantt/GanttProjectControl" "(ganttChart, projectItem)")
(cons "dojox/gantt/GanttResourceItem" "(ganttchart)")
(cons "dojox/gantt/TabMenu" "(chart)")
(cons "dojox/gantt/contextMenuTab" "(id, description, type, showOInfo, tabMenu, withDefaultValue)")
(cons "dojox/gauges/AnalogArcIndicator" "(params, _srcNodeRef_)")
(cons "dojox/gauges/AnalogIndicatorBase" "(params, _srcNodeRef_)")
(cons "dojox/gauges/_Indicator" "(params, _srcNodeRef_)")
(cons "dojox/gauges/AnalogArrowIndicator" "(params, _srcNodeRef_)")
(cons "dojox/gauges/AnalogCircleIndicator" "(params, _srcNodeRef_)")
(cons "dojox/gauges/AnalogGauge" "(params, _srcNodeRef_)")
(cons "dojox/gauges/_Gauge" "(params, _srcNodeRef_)")
(cons "dojox/gauges/Range" "(params, _srcNodeRef_)")
(cons "dojox/gauges/AnalogLineIndicator" "(params, _srcNodeRef_)")
(cons "dojox/gauges/AnalogNeedleIndicator" "(params, _srcNodeRef_)")
(cons "dojox/gauges/BarCircleIndicator" "(params, _srcNodeRef_)")
(cons "dojox/gauges/BarLineIndicator" "(params, _srcNodeRef_)")
(cons "dojox/gauges/BarGauge" "(params, _srcNodeRef_)")
(cons "dojox/gauges/BarIndicator" "(params, _srcNodeRef_)")
(cons "dojox/gauges/GlossyCircularGauge" "()")
(cons "dojox/gauges/GlossyCircularGaugeBase" "()")
(cons "dojox/gauges/TextIndicator" "(params, _srcNodeRef_)")
(cons "dojox/gauges/GlossyCircularGaugeNeedle" "(params, _srcNodeRef_)")
(cons "dojox/gauges/GlossyHorizontalGauge" "()")
(cons "dojox/gauges/GlossyHorizontalGaugeMarker" "(params, _srcNodeRef_)")
(cons "dojox/gauges/GlossySemiCircularGauge" "()")
(cons "dojox/geo/charting/Feature" "(parent, name, shapeData)")
(cons "dojox/geo/charting/KeyboardInteractionSupport" "(map, _options_)")
(cons "dojox/geo/charting/Map" "(container, shapeData)")
(cons "dojox/geo/charting/_Marker" "(markerData, map)")
(cons "dojox/geo/charting/MouseInteractionSupport" "(map, _options_)")
(cons "dojox/geo/charting/TouchInteractionSupport" "(map)")
(cons "dojox/geo/charting/widget/Legend" "(params, _srcNodeRef_)")
(cons "dojox/geo/charting/widget/Map" "(options, div)")
(cons "dojox/geo/openlayers/Collection" "(coords)")
(cons "dojox/geo/openlayers/Geometry" "(coords)")
(cons "dojox/geo/openlayers/Feature" "()")
(cons "dojox/geo/openlayers/GeometryFeature" "(geometry)")
(cons "dojox/geo/openlayers/Point" "(coords)")
(cons "dojox/geo/openlayers/LineString" "(coords)")
(cons "dojox/geo/openlayers/GfxLayer" "(name, options)")
(cons "dojox/geo/openlayers/Layer" "(name, options)")
(cons "dojox/geo/openlayers/JsonImport" "(params)")
(cons "dojox/geo/openlayers/Map" "(div, options)")
(cons "dojox/geo/openlayers/TouchInteractionSupport" "(map)")
(cons "dojox/geo/openlayers/WidgetFeature" "(params)")
(cons "dojox/geo/openlayers/widget/Map" "(params, _srcNodeRef_)")
(cons "dojox/gfx/Moveable" "(shape, params)")
(cons "dojox/gfx/Mover" "(shape, e, _host_)")
(cons "dojox/gfx/VectorText" "(url)")
(cons "dojox/grid/EnhancedGrid" "(params, _srcNodeRef_)")
(cons "dojox/grid/enhanced/_PluginManager" "(inGrid)")
(cons "dojox/grid/enhanced/_Events" "(inGrid)")
(cons "dojox/grid/enhanced/_FocusManager" "(grid)")
(cons "dojox/grid/enhanced/plugins/_SelectionPreserver" "(selection)")
(cons "dojox/grid/LazyTreeGrid" "(params, _srcNodeRef_)")
(cons "dojox/grid/TreeGrid" "(params, _srcNodeRef_)")
(cons "dojox/grid/TreeSelection" "(grid)")
(cons "dojox/grid/_TreeView" "(params, _srcNodeRef_)")
(cons "dojox/grid/LazyTreeGridStoreModel" "(args)")
(cons "dojox/grid/_Selector" "(params, _srcNodeRef_)")
(cons "dojox/grid/enhanced/_Plugin" "(inGrid, option)")
(cons "dojox/grid/enhanced/plugins/AutoScroll" "(grid, args)")
(cons "dojox/grid/enhanced/plugins/CellMerge" "(grid, args)")
(cons "dojox/grid/enhanced/plugins/Cookie" "(grid, args)")
(cons "dojox/grid/enhanced/plugins/Dialog" "(params, _srcNodeRef_)")