-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathmain.js
6381 lines (5427 loc) · 272 KB
/
main.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
// This file is part of the Grant Robot project. It is subject to the license terms in the LICENSE file found
// in the top-level directory of this distribution and at http://www.gnu.org/licenses/agpl.html
//
// No part of the Grant Robot Project, including this file, may be copied, modified, propagated, or distributed
// except according to the terms contained in the LICENSE file.
//
//
// Copyright 2016 James Whiddon <jwhiddon@gmail.com> INITIAL RELEASE.
//
function doGet(e) {
var start_time = new Date();
var err_msg = "Woah there little buddy! You seem to be making some stuff up there.";
var properties = PropertiesService.getScriptProperties();
var User = User_();
var ui;
if (properties == undefined) return ErrorUi_("Can't setup the PropertiesService");
if (User == undefined) return ErrorUi_("Can't setup the User");
try {
if (e.parameter.application != undefined && e.parameter.application != "") {
var Application = new Application_(e.parameter.application);
if (e.parameter.cache != undefined && e.parameter.cache == "false") {
Application.clearCache();
}
var can_edit = false;
if (Application.getConfigurationValue("Edit Token") == Trim_(e.parameter.edit)) can_edit = true;
User = User_(can_edit);
if (User.isEditor && Application.getConfigurationValue("Edit Open") == "Yes") {
ui = EditUi_(e, Application, properties, User);
} else if (User.isCat && Application.getConfigurationValue("CATS Score Open") == "Yes") {
// } else if (User.isCat) {
ui = ScoreUi_(e, Application, properties, User);
} else {
ui = ViewUi_(e, Application, properties, User);
}
} else if (e.parameter.dashboard != undefined) {
ui = DashboardUi_(e, properties, User);
} else if (e.parameter.scoreboard != undefined) {
ui = ScoreboardUi_(e, properties, User);
} else if (e.parameter.admin != undefined) {
ui = AdminUi_(e, properties, User);
} else {
// default
if (properties.getProperty("accepting_applications") == "Yes") {
ui = GetEmailUi_(e, properties);
} else {
ui = ErrorUi_("Sorry! The application window for this grant round closed on " + FormatExactDate_(properties.getProperty("application_deadline_date")) + ".");
}
}
} catch (err) {
ui = ErrorUi_(err.toString());
}
var end_time = new Date();
var duration = new Number((end_time.getTime() - start_time.getTime()) / 1000).toFixed(2);
var user_name = User.Email;
if (user_name == "") user_name = "Anonymous Viewer";
if (User.isEditor) user_name = "Application Editor";
ui.add(Label_(ui, "The Grant Robot created this page in " + duration + " seconds (Logged as " + user_name + ((User.isCat) ? " CATS" : "") + ((User.isIgnition) ? " IGNITION" : "") + ")", css.paragraph, css.indent, css.quote, css.shimbottom));
return ui;
}
function doPost(e) {
return FileUploaderHandler_(e);
}
function EditUi_(e, Application, properties, user) {
// Application.clearCache();
var sw = new Stopwatch_();
var ui = Ui_(properties, "Apply for an Apogaea " + properties.getProperty("round_name") + " Grant");
var app_id = Application.getId();
var AutoSaveHandler = ui.createServerHandler("AutoSaveHandler_");
var ErrorCheckHandler = ui.createServerHandler("ErrorCheckButtonClickHandler_");
var ScoreDb = Application.getScoresDb();
var ScoreQuestions = [];
var Robot = new Robot_();
var appIdHidden = ui.createHidden("app_id", app_id);
ui.add(appIdHidden);
sw.lap("Header");
var Content = Content_(ui);
ui.add(Content);
Content.add(Header_(ui, properties));
Content.add(Section_(ui, "Instructions"));
Content.add(Paragraph_(ui,
Panel_(ui)
.add(Label_(ui,
"Welcome to the Apogaea Grant Robot. This page displays the most current information about your grant application. " +
"Your information is automatically saved as you type. Basic HTML markup such as bold, italic, etc. is allowed. " +
"Emails and URLs should be entered as plain text (e.g. http://example.com or studnutzz69@apogaea.com). ",
css.label, css.paragraph
)
)
.add(Urlify_(ui,
"Anyone with the following URL to this page can edit your application. " +
"Only share this link with people you trust: " + Application.getConfigurationValue("Edit Url"),
css.label, css.paragraph, css.bold
)
)
.add(Spacer_(ui))
.add(Spacer_(ui))
.add(Label_(ui,
"The application window for this round is open from " + FormatDate_(properties.getProperty("application_open_date")) + " until " +
FormatExactDate_(properties.getProperty("application_deadline_date")) + ". " + "All applications must be complete and error-free by " +
FormatExactDate_(properties.getProperty("application_deadline_date")) + " - no exceptions. " +
"Use the red \"SAVE AND CHECK FOR ERRORS\" button at the bottom of this page to check your application for errors. " +
"All complete, error-free applications will be submitted automatically when the application window closes. " +
"Incomplete applications and/or any applications with one or more errors after application window closes will be withdrawn from consideration. ",
css.label, css.paragraph))
.add(Label_(ui,
"CATS will review your application from " + FormatDate_(properties.getProperty("cats_review_begin_date")) + " through " + FormatDate_(properties.getProperty("cats_review_end_date")) + ". " +
"During this time, applicants will be notified by email if there are any questions or concerns about the project or application. For the best chance at success, " +
"it is critical that you check your email during this time and respond to questions. You will be given an opportunity to respond and/or modify " +
"your application until " + FormatExactDate_(properties.getProperty("applications_final_date")) + ". After that time, no further editing of your application is allowed. ",
css.label, css.paragraph
)
)
.add(Label_(ui,
"Applicants will be notified of the CATS' decision by email on " + FormatDate_(properties.getProperty("applicants_notified_date")) + ". " +
"If your project is selected to receive grant funding, you must read, sign, and return your grant agreement (the contract) by " + FormatExactDate_(properties.getProperty("contract_due_date")) + ". ",
css.label, css.paragraph
)
)
.add(Label_(ui,
"IMPORTANT: We strongly recommend that you save a copy of your answers. " +
"Sometimes weird things happen and the Internet breaks. We'd hate for you to lose all of " +
"your hard work because there wasn't a backup of your answers. Please, we're begging you, " +
"save a copy of your answers. Or, live on the edge and be prepared to accept any consequences! :)",
css.errorlabel, css.bold
)
)
)
);
var ContactInfoPanel = Section_(ui, "Contact Information");
var ContactInfoContent = Panel_(ui, css.paragraph, css.indent);
var LegalName = TextBox_(ui, "LegalName").setText(Application.getResponseValue("LegalName")).addValueChangeHandler(AutoSaveHandler);
ContactInfoContent.add(Question_(ui, LegalName, "Legal name", "We need a legal name to put on the contract and the check if you're awarded a grant. This is also the person who pays taxes on the grant if $600.00 or more."));
var AlternateName = TextBox_(ui, "AlternateName").setText(Application.getResponseValue("AlternateName")).addValueChangeHandler(AutoSaveHandler);
ContactInfoContent.add(Question_(ui, AlternateName, "Alternate name", "This is how we will refer to you in email and in public communications. Sometimes people prefer to use a pseudonym for privacy. If you prefer to be referred to by something other than your legal name, enter that here. If you're comfortable using your legal name, enter your first name here."));
var Phone = TextBox_(ui, "Phone").setText(Application.getResponseValue("Phone")).addValueChangeHandler(AutoSaveHandler);
ContactInfoContent.add(Question_(ui, Phone, "Phone", "Use the format ###-###-####"));
var Email = TextBox_(ui, "Email").setText(Application.getConfigurationValue("Email")).setEnabled(false).addValueChangeHandler(AutoSaveHandler);
ContactInfoContent.add(Question_(ui, Email, "Email address", "This should be an address you check frequently. Email is the primary form of communication used throughout the grant process."));
var Address = TextBox_(ui, "Address", css.textbox, css.halfwidth).setText(Application.getResponseValue("Address")).addValueChangeHandler(AutoSaveHandler);
ContactInfoContent.add(Question_(ui, Address, "Mailing address", "This is where we send the check if you are awarded a grant. Example: 123 Main Street, Apt #69, Denver, CO 80203"));
ContactInfoPanel.add(ContactInfoContent);
LegalName.addValueChangeHandler(ui.createServerHandler("AlternateNameHandler_").addCallbackElement(LegalName).addCallbackElement(AlternateName));
var ProjectInfoPanel = Section_(ui, "Project Information");
var ProjectInfoContent = Panel_(ui, css.paragraph, css.indent);
ProjectInfoPanel.add(ProjectInfoContent);
var ProjectName = TextBox_(ui, "ProjectName", css.textbox, css.halfwidth).setText(Application.getResponseValue("ProjectName")).addValueChangeHandler(AutoSaveHandler);
ProjectInfoContent.add(Question_(ui, ProjectName, "Project name", "This is the name we will use when referring to your project."));
var SelectedCategory = Application.getResponseValue("Category");
var category_array = Robot.getCategories();
if (SelectedCategory == "") category_array.unshift([""]);
var Category = Listbox_(ui, "Category", SelectedCategory, category_array);
ProjectInfoContent.add(Question_(ui, Category, "Category", "Select the category that best describes your project."));
Category.addChangeHandler(AutoSaveHandler);
var SelectedRating = Application.getResponseValue("Rating");
var ratings_array = Robot.getRatings();
if (SelectedRating == "") ratings_array.unshift([""]);
var Rating = Listbox_(ui, "Rating", SelectedRating, ratings_array);
ProjectInfoContent.add(Question_(ui, Rating, "Rating", "If your project was a movie, how would it be rated? Your answer might affect your placement if the project isn't appropriate for all ages."));
Rating.addChangeHandler(AutoSaveHandler);
var Promo = TextArea_(ui, "Promo").setText(Application.getResponseValue("Promo")).addValueChangeHandler(AutoSaveHandler);
var PromoQuestion = Question_(ui, Promo, "Project Website", "List your project website or any other links to online information about your project. Include links to your project website, pictures or prototypes, plans for your project, a Facebook page, Kickstarters or other fundraising page, etc. Having a web presence can be a great tool for recruiting volunteers and getting additional funding for your project.");
ProjectInfoContent.add(PromoQuestion);
var PromoSave = Button_(ui, "PromoSave", "Save", ui.createClientHandler().forEventSource().setVisible(false), css.buttonblue, css.buttonbluedisabled).setVisible(false);
// Promo.addKeyPressHandler(ui.createClientHandler().forTargets(PromoSave).setVisible(true));
PromoQuestion.add(PromoSave);
var html_tmp = "";
var Description = TextArea_(ui, "Description").setText(Application.getResponseValue("Description")).addValueChangeHandler(AutoSaveHandler);
var DescriptionInfo = Panel_(ui);
// DescriptionInfo.add(Label_(ui,
// "This is your opportunity to tell us about your idea in general terms. We have WAY more " +
// "requests for money than we have money to give out. Help us understand what sets your project " +
// "apart from the other applications we receive. "));
var DescriptionSave = Button_(ui, "DescriptionSave", "Save", ui.createClientHandler().forEventSource().setVisible(false), css.buttonblue, css.buttonbluedisabled).setVisible(false);
// Description.addKeyPressHandler(ui.createClientHandler().forTargets(DescriptionSave).setVisible(true));
DescriptionInfo.add(DescriptionSave);
DescriptionInfo.add(Spacer_(ui));
DescriptionInfo.add(Label_(ui, "CATS will score your response above using the following criteria:", css.label, css.bold));
ScoreQuestions = ScoreDb.clearFilters().addFilter({"Section":"Description"}).getData();
html_tmp = "<ul>";
for (var i = 0; i < ScoreQuestions.length; i++) {
html_tmp += "<li><b>" + ScoreQuestions[i]["Description"] + "</b></li>";
}
html_tmp += "</ul>";
DescriptionInfo.add(HTML_(ui, html_tmp));
var DescriptionQuestion = Question_(ui, Description, "Describe your idea/project", "Be as concise as possible. This is your opportunity to tell us about your idea in general terms. We have WAY more " +
"requests for money than we have money to give out. Help us understand what sets your project " +
"apart from the other applications we receive.");
//UiApp.createApplication().createClientHandler().forTargets(widgets)
// var DescriptionSaveHandler = ui.createClientHandler().forEventSource().setVisible(false);
DescriptionQuestion.add(DescriptionInfo);
ProjectInfoContent.add(DescriptionQuestion);
var HasSound = Application.getResponseValue("HasSound");
var Sound = Listbox_(ui, "HasSound", HasSound, [["No"],["Yes"]]);
var SoundQuestion = Question_(ui, Sound, "Does your project make sound?", "This includes amplified sound and/or anything that will be heard beyond the immediate vicinity of your project.");
ProjectInfoContent.add(SoundQuestion);
var SoundInfo = Panel_(ui).setId("SoundInfo").setVisible(false);
SoundInfo.add(Spacer_(ui));
SoundInfo.add(Urlify_(ui,
"IMPORTANT: Your logistical and placement requirements should include a description " +
"of the sound and the " +
"hours during which you'll have sound. All sound at Apogaea is subject to the event sound policy. For " +
"current sound policy, email the Sound Lead at sound@apogaea.com for assistance. All sound must be turned down or off at the request of the Sound " +
"Enforcement Lead or an Apogaea Board member. Those found to be in " +
"violation will not be turned on again until the issue is remedied.", css.errorlabel, css.bold));
SoundQuestion.add(SoundInfo);
Sound.addChangeHandler(ui.createClientHandler().validateMatches(Sound, "Yes").forTargets(SoundInfo).setVisible(true));
Sound.addChangeHandler(ui.createClientHandler().validateMatches(Sound, "No").forTargets(SoundInfo).setVisible(false));
if (HasSound == "Yes") {
SoundInfo.setVisible(true);
} else {
SoundInfo.setVisible(false);
}
Sound.addChangeHandler(AutoSaveHandler);
var Logistics = TextArea_(ui, "Logistics").setText(Application.getResponseValue("Logistics")).addValueChangeHandler(AutoSaveHandler);
var LogisticsInfo = Panel_(ui);
// LogisticsInfo.add(Label_(ui, "Bringing a project to an event like Apogaea can be difficult. A great idea isn't worth much if you aren't able to get it installed before the event is over. This is your opportunity to tell us how you plan on building, transporting, installing, and keeping your project operational at the event. If your project has any unique requirements, like needing specific placement, heavy machinery, etc., let us know that too. Visit https://lnt.org for more information about Leave No Trace."));
var LogisticsSave = Button_(ui, "LogisticsSave", "Save", ui.createClientHandler().forEventSource().setVisible(false), css.buttonblue, css.buttonbluedisabled).setVisible(false);
// Logistics.addKeyPressHandler(ui.createClientHandler().forTargets(LogisticsSave).setVisible(true));
LogisticsInfo.add(LogisticsSave);
LogisticsInfo.add(Spacer_(ui));
LogisticsInfo.add(Label_(ui, "CATS will score your response above using the following criteria:", css.label, css.bold));
html_tmp = "<ul>";
ScoreQuestions = ScoreDb.clearFilters().addFilter({"Section":"Logistics"}).getData();
for (var i = 0; i < ScoreQuestions.length; i++) {
if (ScoreQuestions[i]["Section"] == "Logistics") html_tmp += "<li><b>" + ScoreQuestions[i]["Description"] + "</b></li>";
}
html_tmp += "</ul>";
LogisticsInfo.add(HTML_(ui, html_tmp));
var LogisticsQuestion = Question_(ui, Logistics, "Describe your project’s logistical and placement requirements", "Be as concise as possible. Bringing a project to an event like Apogaea can be difficult. A great idea isn't worth much if you aren't able to get it installed before the event is over. This is your opportunity to tell us how you plan on building, transporting, installing, and keeping your project operational at the event. If your project has any unique requirements, like needing specific placement, heavy machinery, etc., let us know that too. Visit https://lnt.org for more information about Leave No Trace.").add(LogisticsInfo);
ProjectInfoContent.add(LogisticsQuestion);
var HasGenerator = Application.getResponseValue("HasGenerator");
var Generator = Listbox_(ui, "HasGenerator", HasGenerator, [["No"],["Yes"]]);
var GeneratorQuestion = Question_(ui, Generator, "Does your project use a generator?");
ProjectInfoContent.add(GeneratorQuestion);
var GeneratorInfo = Panel_(ui).setId("GeneratorInfo").setVisible(false);
GeneratorInfo.add(Spacer_(ui));
GeneratorInfo.add(Urlify_(ui,
"IMPORTANT: Your safety plan should have a " +
"description of your generator and how you plan on operating " +
"it safely. If your project requires a generator, you must comply with " +
"fire and sound regulations regarding enclosed generators. " +
"Email firelead@apogaea.com and sound@apogaea.com for the most " +
"current information about fire and sound regulations when " +
"operating generators at Apogaea. All generators must be turned off at the request of BAMF, " +
"a Ranger, or Apogaea Board member. Those found to be in " +
"violation will not be turned on again until the issue is " +
"remedied.", css.errorlabel, css.bold));
GeneratorQuestion.add(GeneratorInfo);
Generator.addChangeHandler(ui.createClientHandler().validateMatches(Generator, "Yes").forTargets(GeneratorInfo).setVisible(true));
Generator.addChangeHandler(ui.createClientHandler().validateMatches(Generator, "No").forTargets(GeneratorInfo).setVisible(false));
if (HasGenerator == "Yes") {
GeneratorInfo.setVisible(true);
} else {
GeneratorInfo.setVisible(false);
}
Generator.addChangeHandler(AutoSaveHandler);
var HasFire = Application.getResponseValue("HasFire");
var Fire = Listbox_(ui, "HasFire", HasFire, [["No"],["Yes"]]);
var FireQuestion = Question_(ui, Fire, "Does your project use fire or fuel?");
ProjectInfoContent.add(FireQuestion);
var FireInfo = Panel_(ui).setId("FireInfo").setVisible(false);
FireInfo.add(Spacer_(ui));
FireInfo.add(Urlify_(ui,
"STAGE 1 FIRE BAN IN EFFECT: Due to the Park County permitting restrictions, the overall conditions at the land, and our evolving assessment of fire safety at the property, " +
"Apogaea has voluntarily imposed a Stage 1 ban for this year's event. This means no wood, charcoal, or ember producing fires. " +
"Propane, poi and similar fire performance tools would still be allowed. Part of the reason for calling this ban now is Apogaea thinks there is a very significant chance that " +
"Park County will call a ban on us anyway, so we might as well just start planning ahead NOW, instead of building a bunch of wood-fired art that can't be used.", css.errorlabellarge, css.bold));
FireInfo.add(Spacer_(ui));
FireInfo.add(Urlify_(ui,
"IMPORTANT: Apogaea is held in an area that is prone to fire restrictions " +
"and fire bans. If your project will be burned (Effigy or Temple), " +
"or uses fire effects (propane, etc), or requires fuel of any kind, your safety plan must " +
"include a detailed fuel and/or burn plan. " +
"Email firelead@apogaea.com for complete fire art safety information. All flame effects must be turned off at the request of BAMF, a " +
"Ranger, or Apogaea Board member. Those found to be in violation " +
"will not be turned on again until the issue is remedied.", css.errorlabel, css.bold));
FireInfo.add(Spacer_(ui));
FireInfo.add(Urlify_(ui, "Any project with fire or flame effects should read the BAMF 2015 Fire Art Guidelines: http://goo.gl/jGaKiI", css.errorlabel, css.bold));
FireInfo.add(Spacer_(ui));
FireInfo.add(Urlify_(ui, "If selected to build the Effigy or Temple, you will work with BAMF to formulate burn plan using this template http://goo.gl/6wXKds", css.errorlabel, css.bold));
FireQuestion.add(FireInfo);
Fire.addChangeHandler(ui.createClientHandler().validateMatches(Fire, "Yes").forTargets(FireInfo).setVisible(true));
Fire.addChangeHandler(ui.createClientHandler().validateMatches(Fire, "No").forTargets(FireInfo).setVisible(false));
if (HasFire == "Yes") {
FireInfo.setVisible(true);
} else {
FireInfo.setVisible(false);
}
Fire.addChangeHandler(AutoSaveHandler);
var Safety = TextArea_(ui, "Safety").setText(Application.getResponseValue("Safety")).addValueChangeHandler(AutoSaveHandler);
var SafetyInfo = Panel_(ui);
// SafetyInfo.add(Label_(ui, "Apogaea can not fund any project that, in the opinion of CATS or Apogaea Board of Directors, presents a safety risk to participants. Safety is an important part of your application. Apogaea will ultimately not fund anything that is deemed unsafe. It is important to outline how your project will be safe by describing its construction and any relevant safety features."));
var SafetySave = Button_(ui, "SafetySave", "Save", ui.createClientHandler().forEventSource().setVisible(false), css.buttonblue, css.buttonbluedisabled).setVisible(false);
// Safety.addKeyPressHandler(ui.createClientHandler().forTargets(SafetySave).setVisible(true));
SafetyInfo.add(SafetySave);
SafetyInfo.add(Spacer_(ui));
SafetyInfo.add(Label_(ui, "CATS will score your response above using the following criteria:", css.label, css.bold));
html_tmp = "<ul>";
ScoreQuestions = ScoreDb.clearFilters().addFilter({"Section":"Safety"}).getData();
for (var i = 0; i < ScoreQuestions.length; i++) {
if (ScoreQuestions[i]["Section"] == "Safety") html_tmp += "<li><b>" + ScoreQuestions[i]["Description"] + "</b></li>";
}
html_tmp += "</ul>";
SafetyInfo.add(HTML_(ui, html_tmp));
var SafetyQuestion = Question_(ui, Safety, "Describe your safety plan", "Be as concise as possible. Apogaea can not fund any project that, in the opinion of CATS or Apogaea Board of Directors, presents a safety risk to participants. Safety is an important part of your application. Apogaea will ultimately not fund anything that is deemed unsafe. It is important to outline how your project will be safe by describing its construction and any relevant safety features.").add(SafetyInfo);
ProjectInfoContent.add(SafetyQuestion);
var Team = TextArea_(ui, "Team").setText(Application.getResponseValue("Team")).addValueChangeHandler(AutoSaveHandler);
var TeamInfo = Panel_(ui);
// TeamInfo.add(Label_(ui, "We’d love to hear about other projects you’ve successfully completed or see pictures of past work. Demonstrating that you can get your project installed and functional at the event is important to us."));
var TeamSave = Button_(ui, "TeamSave", "Save", ui.createClientHandler().forEventSource().setVisible(false), css.buttonblue, css.buttonbluedisabled).setVisible(false);
// Team.addKeyPressHandler(ui.createClientHandler().forTargets(TeamSave).setVisible(true));
TeamInfo.add(TeamSave);
TeamInfo.add(Spacer_(ui));
TeamInfo.add(Label_(ui, "CATS will score your response above using the following criteria:", css.label, css.bold));
html_tmp = "<ul>";
ScoreQuestions = ScoreDb.clearFilters().addFilter({"Section":"Team"}).getData();
for (var i = 0; i < ScoreQuestions.length; i++) {
if (ScoreQuestions[i]["Section"] == "Team") html_tmp += "<li><b>" + ScoreQuestions[i]["Description"] + "</b></li>";
}
html_tmp += "</ul>";
TeamInfo.add(HTML_(ui, html_tmp));
var TeamQuestion = Question_(ui, Team, "Tell us about yourself and any other creative bad asses helping you with your idea/project", "Be as concise as possible. We’d love to hear about other projects you’ve successfully completed or see pictures of past work. Demonstrating that you can get your project installed and functional at the event is important to us.").add(TeamInfo);
ProjectInfoContent.add(TeamQuestion);
var OwnershipPanel = ui.createVerticalPanel().setId("OwnershipPanel").setVisible(true);
var Ownership = TextArea_(ui, "Ownership").setText(Application.getResponseValue("Ownership")).addValueChangeHandler(AutoSaveHandler);
var OwnershipQuestion = Question_(ui, Ownership, "Describe your thoughts regarding ownership of the Effigy/Temple", "If you are selected to build the Effigy or Temple, before the grant is awarded, you must negotiate ownership of the art with the Apogaea Board of Directors. This is generally only important if there is a burn ban and the art cannot be burned. In that case, someone has to take ownership of the art and remove it from the land, store it, and possibly bring it back the following year.");
OwnershipPanel.add(OwnershipQuestion);
ProjectInfoContent.add(OwnershipPanel);
Category.addChangeHandler(ui.createClientHandler().validateMatches(Category, "Effigy").forTargets(OwnershipPanel).setVisible(true));
Category.addChangeHandler(ui.createClientHandler().validateMatches(Category, "Temple").forTargets(OwnershipPanel).setVisible(true));
Category.addChangeHandler(ui.createClientHandler().validateMatches(Category, "Stand-alone Installation").forTargets(OwnershipPanel).setVisible(false));
Category.addChangeHandler(ui.createClientHandler().validateMatches(Category, "Theme/Sound Camp").forTargets(OwnershipPanel).setVisible(false));
Category.addChangeHandler(ui.createClientHandler().validateMatches(Category, "Center Camp Installation").forTargets(OwnershipPanel).setVisible(false));
Category.addChangeHandler(ui.createClientHandler().validateMatches(Category, "Center Camp Workshop").forTargets(OwnershipPanel).setVisible(false));
Category.addChangeHandler(ui.createClientHandler().validateMatches(Category, "Performance Art").forTargets(OwnershipPanel).setVisible(false));
Category.addChangeHandler(ui.createClientHandler().validateMatches(Category, "Art Car / Mutant Vehicle").forTargets(OwnershipPanel).setVisible(false));
Category.addChangeHandler(ui.createClientHandler().validateMatches(Category, "Workshop").forTargets(OwnershipPanel).setVisible(false));
if (SelectedCategory == "Effigy" || SelectedCategory == "Temple") OwnershipPanel.setVisible(true);
else OwnershipPanel.setVisible(false);
var BudgetSection = Section_(ui, "Project Costs / Value").setId("BudgetPanel");
var BudgetContent = Panel_(ui);
var ProjectCostError = ErrorLabel_(ui, "ProjectCostError", "").setVisible(false);
var addl_income = Application.getResponseValue("AdditionalIncome");
var AdditionalIncome = TextArea_(ui, "AdditionalIncome").setText(addl_income).addValueChangeHandler(AutoSaveHandler);
var AdditionalIncomeQuestion = Question_(ui, AdditionalIncome, "Describe any additional funding sources for your project",
"If your requested grant amount is less than the total cost of your project, describe how you account for the difference (fundraising, out of pocket, etc.)");
var AdditionalIncomeSave = Button_(ui, "AdditionalIncomeSave", "Save", ui.createClientHandler().forEventSource().setVisible(false), css.buttonblue, css.buttonbluedisabled).setVisible(false);
// AdditionalIncome.addKeyPressHandler(ui.createClientHandler().forTargets(AdditionalIncomeSave).setVisible(true));
AdditionalIncomeQuestion.add(AdditionalIncomeSave);
var fund_plan = Application.getResponseValue("FundingPlan");
var FundingPlan = TextArea_(ui, "FundingPlan").setText(fund_plan).addValueChangeHandler(AutoSaveHandler);
var FundingPlanQuestion = Question_(ui, FundingPlan, "Describe any additional funding amounts/options we should consider",
"For example: \"For $500 I can bring X. For $1000, I can bring X and Y.\"");
var FundingPlanSave = Button_(ui, "FundingPlanSave", "Save", ui.createClientHandler().forEventSource().setVisible(false), css.buttonblue, css.buttonbluedisabled).setVisible(false);
// FundingPlan.addKeyPressHandler(ui.createClientHandler().forTargets(FundingPlanSave).setVisible(true));
FundingPlanQuestion.add(FundingPlanSave);
var BudgetEntryPanel = Panel_(ui).setId("BudgetEntryPanel");
var ValueSection = Section_(ui, "Financial Summary");
var ValuePanel = Panel_(ui).setId("ValuePanel");
BudgetContent.add(ProjectCostError);
BudgetContent.add(BudgetEntryPanel);
BudgetContent.add(AdditionalIncomeQuestion.setStyleAttributes({marginLeft:"20px"}));
BudgetContent.add(FundingPlanQuestion.setStyleAttributes({marginLeft:"20px"}));
var BudgetInfo = Panel_(ui);
// BudgetInfo.add(Label_(ui, "It is important to know that the project has been thought through and that there should be few, if any, financial suprises."));
BudgetInfo.add(Spacer_(ui));
BudgetInfo.add(Label_(ui, "CATS will score your responses above using the following criteria:", css.label, css.bold));
html_tmp = "<ul>";
ScoreQuestions = ScoreDb.clearFilters().addFilter({"Section":"Budget"}).getData();
for (var i = 0; i < ScoreQuestions.length; i++) {
if (ScoreQuestions[i]["Section"] == "Budget") html_tmp += "<li><b>" + ScoreQuestions[i]["Description"] + "</b></li>";
}
html_tmp += "</ul>";
BudgetInfo.add(HTML_(ui, html_tmp));
BudgetContent.add(Paragraph_(ui, BudgetInfo));
var QuestionHandler = ui.createServerHandler("QuestionSaveButtonClickHandler_");
var QuestionsSection = Panel_(ui).setId("QuestionsSection").setVisible(false);
QuestionHandler.addCallbackElement(QuestionsSection);
var ErrorCheckSection = Section_(ui, "Check the application for errors");
var ErrorCheckContent = Panel_(ui);
var ErrorCheckButton = Button_(ui, "ErrorCheckButton", "Save and check for errors", ErrorCheckHandler, css.buttonred, css.buttonredhover).addClickHandler(ui.createClientHandler().forEventSource().setEnabled(false).setText("Checking...").setStyleAttributes(css.buttonreddisabled));
var ErrorCheckMsg = Panel_(ui, css.question, css.shimtop).setId("ErrorCheckMsg").setVisible(false);
ErrorCheckContent.add(Label_(ui, "Once your application is error free, it will be viewable by CATS. The earlier your application is error free, the more time CATS have to review and understand your application. The application must be complete and error free before " + FormatExactDate_(properties.getProperty("application_deadline_date")) + " or it will be withdrawn from consideration. Any time you edit your application, you should re-check the application for errors."));
ErrorCheckContent.add(Spacer_(ui));
ErrorCheckContent.add(Spacer_(ui));
ErrorCheckContent.add(ErrorCheckButton);
ErrorCheckContent.add(ErrorCheckMsg);
ErrorCheckSection.add(Paragraph_(ui, ErrorCheckContent));
ErrorCheckContent.add(Spacer_(ui));
ErrorCheckContent.add(Spacer_(ui));
ErrorCheckContent.add(Spacer_(ui));
ErrorCheckContent.add(Label_(ui, "You may also view the application as CATS to see how your application will be viewed by the grant selection entity (CATS)."));
ErrorCheckContent.add(Spacer_(ui));
ErrorCheckContent.add(Spacer_(ui));
ErrorCheckContent.add(AnchorButton_(ui, "FileView", "View as CATS", ApplicationUrl_(Application.getId(), properties)));
ErrorCheckContent.add(Spacer_(ui));
Content.add(ContactInfoPanel);
Content.add(ProjectInfoPanel);
Content.add(BudgetSection);
Content.add(BudgetContent);
Content.add(ValueSection);
Content.add(ValuePanel);
if (Application.getConfigurationValue("Edit Open") == "Yes") Content.add(ErrorCheckSection);
Content.add(Panel_(ui).setId("FilesList"));
Content.add(FileUploaderForm_(ui, Application).setId("FileUploader"));
Content.add(QuestionsSection);
Content.add(Footer_(ui, properties));
sw.lap("Content");
FileList_(ui, Application);
sw.lap("FileList");
Questions_(ui, Application, properties, user, {showAsk: false});
sw.lap("Questions");
UpdateBudgetDataGrid_(ui, Application);
sw.lap("Budget Grid");
AutoSaveHandler.addCallbackElement(appIdHidden);
AutoSaveHandler.addCallbackElement(LegalName);
AutoSaveHandler.addCallbackElement(AlternateName);
AutoSaveHandler.addCallbackElement(Email);
AutoSaveHandler.addCallbackElement(Phone);
AutoSaveHandler.addCallbackElement(Address);
AutoSaveHandler.addCallbackElement(ProjectName);
AutoSaveHandler.addCallbackElement(Promo);
AutoSaveHandler.addCallbackElement(Category);
AutoSaveHandler.addCallbackElement(Rating);
AutoSaveHandler.addCallbackElement(Description);
AutoSaveHandler.addCallbackElement(Logistics);
AutoSaveHandler.addCallbackElement(Team);
AutoSaveHandler.addCallbackElement(Safety);
AutoSaveHandler.addCallbackElement(Generator);
AutoSaveHandler.addCallbackElement(Sound);
AutoSaveHandler.addCallbackElement(Fire);
AutoSaveHandler.addCallbackElement(AdditionalIncome);
AutoSaveHandler.addCallbackElement(FundingPlan);
AutoSaveHandler.addCallbackElement(Ownership);
AutoSaveHandler.addCallbackElement(OwnershipPanel);
ErrorCheckHandler.addCallbackElement(appIdHidden);
ErrorCheckHandler.addCallbackElement(LegalName);
ErrorCheckHandler.addCallbackElement(AlternateName);
ErrorCheckHandler.addCallbackElement(Email);
ErrorCheckHandler.addCallbackElement(Phone);
ErrorCheckHandler.addCallbackElement(Address);
ErrorCheckHandler.addCallbackElement(ProjectName);
ErrorCheckHandler.addCallbackElement(Promo);
ErrorCheckHandler.addCallbackElement(Category);
ErrorCheckHandler.addCallbackElement(Rating);
ErrorCheckHandler.addCallbackElement(Description);
ErrorCheckHandler.addCallbackElement(Logistics);
ErrorCheckHandler.addCallbackElement(Team);
ErrorCheckHandler.addCallbackElement(Safety);
ErrorCheckHandler.addCallbackElement(Generator);
ErrorCheckHandler.addCallbackElement(Sound);
ErrorCheckHandler.addCallbackElement(Fire);
ErrorCheckHandler.addCallbackElement(Ownership);
ErrorCheckHandler.addCallbackElement(AdditionalIncome);
ErrorCheckHandler.addCallbackElement(FundingPlan);
ErrorCheckHandler.addCallbackElement(ErrorCheckMsg);
ErrorCheckHandler.addCallbackElement(ProjectCostError);
if (properties.getProperty("log_views") == "Yes") {
var log_email = user.Email;
if (log_email == "") log_email = "EDITOR";
var new_date = new Date();
// var update = {"Email":log_email,
// "Application ID":Application.getId(),
// "Date":new Date()};
var update = {"Email":log_email,
"Application ID":Application.getId(),
"Date Time":Utilities.formatDate(new_date, Session.getScriptTimeZone(), "M/d/yyyy HH:mm:ss"),
"Date":Utilities.formatDate(new_date, Session.getScriptTimeZone(), "M/d/yyyy"),
"Unique Index":log_email+Application.getId()
};
var view_log_sheet = new Sheet_(Robot.getRobot().getSheetByName("View Log"));
view_log_sheet.insertRow(update);
}
return ui;
}
function UpdateBudgetDataGrid_(ui, Application, edit) {
var sw = new Stopwatch_();
if (edit == undefined) edit = true;
var BudgetEntryPanel = ui.getElementById("BudgetEntryPanel");
var BudgetDataGridLastRow = 1;
var subtotal = 0;
var total = 0;
var grant_total = 0;
var non_grant_total = 0;
var budget_data = Application.getBudget();
var app_id = Application.getId();
var BudgetDataGrid = ui.createFlexTable().setId("BudgetDataGrid").setStyleAttributes({marginLeft:"20px"}).setStyleAttributes(css.budgetdatagrid).setBorderWidth(0).setCellSpacing(1).setCellPadding(3);
sw.lap("BudgetGridSetup");
BudgetEntryPanel.clear();
BudgetDataGrid.setWidget(0, 0, Label_(ui, "Description", css.budgetdatagridheaderlabel).setWordWrap(true));
BudgetDataGrid.setWidget(0, 1, Label_(ui, "Cost", css.budgetdatagridheaderlabel).setWordWrap(false));
BudgetDataGrid.setWidget(0, 2, Label_(ui, "Source", css.budgetdatagridheaderlabel).setWordWrap(false));
if (edit) BudgetDataGrid.setWidget(0, 3, Label_(ui, "Action", css.budgetdatagridheaderlabel).setWordWrap(false));
BudgetDataGrid.setRowStyleAttributes(0, css.budgetdatagridheader);
BudgetDataGrid.setColumnStyleAttributes(0, css.fullwidth);
for (var i = 0; i < budget_data.length; i++) {
var item_id = budget_data[i]["Budget ID"];
var item_description = budget_data[i]["Description"];
var item_cost = budget_data[i]["Cost"];
var item_type = budget_data[i]["Type"];
var ItemDescription = Panel_(ui, css.panel, css.budgetdatarow).add(Urlify_(ui, item_description).setId("ItemDescription").setVerticalAlignment(UiApp.VerticalAlignment.MIDDLE)).setVerticalAlignment(UiApp.VerticalAlignment.MIDDLE);
var ItemCost = Label_(ui, Currency_(item_cost), css.budgetdatagridlabel, css.label).setWordWrap(false).setHorizontalAlignment(UiApp.HorizontalAlignment.RIGHT).setId("ItemCost");
var ItemType = Label_(ui, item_type, css.budgetdatagridlabel).setWordWrap(false).setHorizontalAlignment(UiApp.HorizontalAlignment.CENTER).setId("ItemType");
var EditDescription = TextBox_(ui, "EditDescription", css.textbox, css.fullwidth).setValue(item_description).setVisible(false);
var EditCost = TextBox_(ui, "EditCost").setValue(item_cost).setVisible(false);
var EditType = Listbox_(ui, "EditType", item_type, [["Grant"],["Applicant"],["Divider"],["Subtotal"]]).setVisible(false);
if (item_type == "Divider") {
ItemDescription = Panel_(ui, css.panel, css.budgetdatarow).add(Urlify_(ui, item_description, css.bold).setId("ItemDescription").setVerticalAlignment(UiApp.VerticalAlignment.MIDDLE)).setVerticalAlignment(UiApp.VerticalAlignment.MIDDLE);
BudgetDataGrid.setWidget(BudgetDataGridLastRow, 0, HPanel_(ui, css.hpanel, css.fullwidth, css.bold).add(ItemDescription).add(EditDescription));
if (Trim_(item_description) != "") BudgetDataGrid.setRowStyleAttributes(BudgetDataGridLastRow, css.divider);
BudgetDataGrid.setRowStyleAttributes(BudgetDataGridLastRow, css.bold);
} else if (item_type == "Subtotal") {
ItemCost.setText(Currency_(new Number(subtotal).toFixed(2))).setStyleAttributes(css.bold);
ItemDescription = Panel_(ui, css.panel, css.budgetdatarow).add(Urlify_(ui, item_description, css.bold).setId("ItemDescription").setVerticalAlignment(UiApp.VerticalAlignment.MIDDLE)).setVerticalAlignment(UiApp.VerticalAlignment.MIDDLE);
BudgetDataGrid.setWidget(BudgetDataGridLastRow, 0, HPanel_(ui, css.hpanel, css.fullwidth).add(ItemDescription).add(EditDescription));
BudgetDataGrid.setWidget(BudgetDataGridLastRow, 1, HPanel_(ui, css.hpanel, css.fullwidth).add(ItemCost).add(EditCost));
BudgetDataGrid.setRowStyleAttributes(BudgetDataGridLastRow, css.subtotal)
.setRowStyleAttributes(BudgetDataGridLastRow, css.bold);
subtotal = 0;
} else if (item_type == "Grant" || item_type == "Applicant") {
BudgetDataGrid.setWidget(BudgetDataGridLastRow, 0, HPanel_(ui, css.hpanel, css.fullwidth).add(ItemDescription).add(EditDescription));
BudgetDataGrid.setWidget(BudgetDataGridLastRow, 1, HPanel_(ui, css.hpanel, css.fullwidth).add(EditCost).add(ItemCost));
BudgetDataGrid.setRowStyleAttributes(BudgetDataGridLastRow, css.rowodd);
subtotal += parseFloat(item_cost);
total += parseFloat(item_cost);
if (item_type == "Grant") grant_total += parseFloat(item_cost);
else non_grant_total += parseFloat(item_cost);
}
BudgetDataGrid.setWidget(BudgetDataGridLastRow, 2, HPanel_(ui, css.hpanel, css.fullwidth).add(ItemType).add(EditType));
var SaveHandler = ui.createServerHandler("SaveBudgetItemClickHandler_");
var SaveButton = Button_(ui, "SaveButton", "Save", SaveHandler, css.buttonblue, css.buttonbluehover).setVisible(false);
SaveHandler.addCallbackElement(SaveButton)
.addCallbackElement(EditDescription)
.addCallbackElement(EditCost)
.addCallbackElement(EditType)
.addCallbackElement(Hidden_(ui, "row_id", item_id))
.addCallbackElement(Hidden_(ui, "app_id", app_id));
SaveButton.addClickHandler(SaveHandler);
SaveButton.addClickHandler(ui.createClientHandler().forEventSource().setEnabled(false).setStyleAttributes(css.buttonbluedisabled).setText("Saving..."));
var EditButtonHandler = ui.createClientHandler();
var EditButton = Button_(ui, "EditButton", "Edit", EditButtonHandler, css.buttonblue, css.buttonbluehover);
EditButtonHandler
.forTargets(EditDescription, EditCost, EditType, SaveButton).setVisible(true)
.forTargets(EditButton).setEnabled(false).setVisible(false)
.forTargets(ItemDescription, ItemCost, ItemType).setVisible(false).setEnabled(false)
.forTargets(EditDescription).setStyleAttributes(css.fullwidth);
EditButton.addClickHandler(EditButtonHandler);
var DeleteHandler = ui.createServerHandler("DeleteBudgetItemClickHandler_");
var DeleteButton = Button_(ui, "DeleteButton", "Delete", DeleteHandler, css.buttonred, css.buttonredhover);
DeleteHandler.addCallbackElement(DeleteButton)
.addCallbackElement(Hidden_(ui, "row_id", item_id))
.addCallbackElement(Hidden_(ui, "app_id", app_id));
DeleteButton.addClickHandler(DeleteHandler);
DeleteButton.addClickHandler(ui.createClientHandler().forEventSource().setEnabled(false).setStyleAttributes(css.buttonreddisabled).setText("Deleting..."));
// BudgetDataGrid.setRowStyleAttributes(BudgetDataGridLastRow, css.budgetdatarow);
if (edit) BudgetDataGrid.setWidget(BudgetDataGridLastRow, 3, HPanel_(ui, css.hpanel, css.fullwidth).add(EditButton).add(SaveButton).add(DeleteButton));
BudgetDataGridLastRow++;
sw.lap("Budget Grid Row");
}
BudgetDataGrid.setWidget(BudgetDataGridLastRow, 0, Label_(ui, "TOTAL GRANT FUNDS REQUESTED", css.budgettotal));
BudgetDataGrid.setWidget(BudgetDataGridLastRow, 1, Label_(ui, Currency_(grant_total), css.budgettotal).setHorizontalAlignment(UiApp.HorizontalAlignment.RIGHT));
BudgetDataGrid.setRowStyleAttributes(BudgetDataGridLastRow, css.budgetdatagridsubtotal);
BudgetDataGridLastRow++;
BudgetDataGrid.setWidget(BudgetDataGridLastRow, 0, Label_(ui, "TOTAL NON-GRANT FUNDS", css.budgettotal));
BudgetDataGrid.setWidget(BudgetDataGridLastRow, 1, Label_(ui, Currency_(non_grant_total), css.budgettotal).setHorizontalAlignment(UiApp.HorizontalAlignment.RIGHT));
BudgetDataGrid.setRowStyleAttributes(BudgetDataGridLastRow, css.budgetdatagridsubtotal);
BudgetDataGridLastRow++;
BudgetDataGrid.setWidget(BudgetDataGridLastRow, 0, Label_(ui, "TOTAL PROJECT COST", css.budgettotal));
BudgetDataGrid.setWidget(BudgetDataGridLastRow, 1, Label_(ui, Currency_(total), css.budgettotal).setHorizontalAlignment(UiApp.HorizontalAlignment.RIGHT));
BudgetDataGrid.setRowStyleAttributes(BudgetDataGridLastRow, css.budgetdatagridtotal);
if (edit) {
BudgetDataGridLastRow++;
var NewBudgetDescription = TextBox_(ui, "NewBudgetDescription", css.textbox, css.fullwidth);
BudgetDataGrid.setWidget(BudgetDataGridLastRow, 0, NewBudgetDescription);
var NewBudgetAmount = TextBox_(ui, "NewBudgetAmount");
BudgetDataGrid.setWidget(BudgetDataGridLastRow, 1, NewBudgetAmount);
var NewBudgetEligible = Listbox_(ui, "NewBudgetEligible", "", [["Grant"], ["Applicant"], ["Divider"], ["Subtotal"]]);
BudgetDataGrid.setWidget(BudgetDataGridLastRow, 2, NewBudgetEligible);
var AddBudgetItemClickHandler = ui.createServerHandler("AddBudgetItemClickHandler_");
var NewBudgetAdd = Button_(ui, "NewBudgetAdd", "Add", AddBudgetItemClickHandler, css.buttonblue, css.buttonbluehover);
AddBudgetItemClickHandler.addCallbackElement(NewBudgetDescription)
.addCallbackElement(NewBudgetAmount)
.addCallbackElement(NewBudgetEligible)
.addCallbackElement(ui.getElementById("BudgetEntryPanel"))
.addCallbackElement(NewBudgetAdd)
.addCallbackElement(Hidden_(ui, "app_id", app_id));
BudgetDataGrid.setWidget(BudgetDataGridLastRow, 3, NewBudgetAdd);
NewBudgetAdd.addClickHandler(ui.createClientHandler().forEventSource().setEnabled(false).setStyleAttributes(css.buttonbluedisabled).setText("Adding..."));
BudgetEntryPanel.clear();
BudgetEntryPanel.add(Paragraph_(ui,
Panel_(ui)
.add(Label_(ui, "Enter all costs associated with your project", css.questionheader))
.add(HTML_(ui,
"Add a line by entering the information into the fields below and clicking the Add button. Click the " +
"Delete button to permanently delete a line. Click Edit to edit a line and Save the edited line. You " +
"probaby shouldn't add/edit more than one line at a time. Don't get fancy. Describe ALL costs associated " +
"with bringing your project to Apogaea below. Several types of entries are allowed:" +
UL_( [
"Grant - Apogaea grant funds will pay for this item",
"Applicant - The grant applicant will provide this item. Grant funds will not be used for this item.",
"Divider - Adds a line that has no numerical value for organizing your project costs. Any value entered into the Cost field is ignored.",
"Subtotal - Some people like to break their application into sections. Inserting this link adds up all the costs since the beginning of " +
"your budget (or the most recent subtotal line, whichever is relevant)"
]),
css.hint
))
.add(Label_(ui, "If things aren't working, try refreshing the page.", css.label, css.bold))
)
// .setStyleAttributes({paddingLeft:"0px"})
);
sw.lap("Budget Grid Edit Row");
}
BudgetEntryPanel.add(BudgetDataGrid);
var ValuePanel = ui.getElementById("ValuePanel");
ValuePanel.clear();
ValuePanel.add(Paragraph_(ui, Panel_(ui)
// .add(Label_(ui, ""))
.add(HTML_(ui, UL_(
[
"The applicant is requesting " + Currency_(Application.getRequestedGrantAmount()) + " in grant funds from Apogaea",
"That is " + Application.getPercentFunded().toFixed(2).toString() + "% of the " + Currency_(Application.getTotalProjectCost()) + " total project cost",
"Each grant dollar awarded to this grant buys " + Currency_(Application.getGrantValue()) + " of art.",
"This grant would account for approximately " + Currency_(Application.getGrantTicketAmount()) + " of each " + Currency_(Application.getTicketPrice()) + " ticket.",
"This grant is " + Application.getGrantAsPercentOfCurrentRoundBudget().toFixed(2).toString() + "% of the " + Currency_(Application.getRoundBudget()) + " grant budget for this round."
])
)
)
)
// .setStyleAttributes({paddingLeft:"0px", paddingTop:"5px"})
);
return ui;
}
function SaveBudgetItemClickHandler_(e) {
var properties = PropertiesService.getScriptProperties();
var ui = UiApp.getActiveApplication();
var lock = LockService.getScriptLock();
var Application = new Application_(e.parameter.app_id);
var BudgetSheet = new Sheet_(Application.getApplication().getSheetByName("Budget"));
var sanitized_amount = e.parameter.EditCost;
sanitized_amount = new Number(sanitized_amount.replace(/[^0-9.]+/gi, ""));
if (isNaN(sanitized_amount)) sanitized_amount = 0;
var row = {};
row["Description"] = Trim_(e.parameter.EditDescription);
row["Cost"] = sanitized_amount;
row["Type"] = Trim_(e.parameter.EditType);
lock.waitLock(properties.getProperty("lock_timeout"));
BudgetSheet.updateRow("Budget ID", e.parameter.row_id, row)
lock.releaseLock();
UpdateBudgetDataGrid_(ui, new Application_(Application.getId()));
return ui;
}
function DeleteBudgetItemClickHandler_(e) {
var properties = PropertiesService.getScriptProperties();
var ui = UiApp.getActiveApplication();
var lock = LockService.getScriptLock();
var Application = new Application_(e.parameter.app_id);
var BudgetSheet = new Sheet_(Application.getApplication().getSheetByName("Budget"));
lock.waitLock(properties.getProperty("lock_timeout"));
BudgetSheet.deleteRow("Budget ID", e.parameter.row_id);
lock.releaseLock();
UpdateBudgetDataGrid_(ui, new Application_(Application.getId()));
return ui;
}
function AddBudgetItemClickHandler_(e) {
var properties = PropertiesService.getScriptProperties();
var lock = LockService.getScriptLock();
var ui = UiApp.getActiveApplication();
var Application = new Application_(e.parameter.app_id);
var BudgetSheet = new Sheet_(Application.getApplication().getSheetByName("Budget"));
lock.waitLock(properties.getProperty("lock_timeout"));
var IdRange = Application.getBudget();
var id = 1;
for (var i = 0; i < IdRange.length; i++) {
var cur_id = parseInt(IdRange[i]["Budget ID"]);
if (cur_id >= id) id = cur_id + 1;
}
var sanitized_amount = e.parameter.NewBudgetAmount;
sanitized_amount = new Number(sanitized_amount.replace(/[^0-9.]+/gi, ""));
if (isNaN(sanitized_amount)) sanitized_amount = 0;
BudgetSheet.insertRow({
"Budget ID": id,
"Description": e.parameter.NewBudgetDescription,
"Cost": sanitized_amount,
"Type": e.parameter.NewBudgetEligible
});
lock.releaseLock();
UpdateBudgetDataGrid_(ui, Application);
return ui;
}
function ErrorCheckButtonClickHandler_(e) {
var ui = UiApp.getActiveApplication();
var Application = new Application_(e.parameter.app_id);
var app = Application.getApplication();
try {
ui.getElementById("ErrorCheckButton").setEnabled(true).setText("Save and check for errors").setStyleAttributes(css.buttonred);
var ErrorsDb = new MemDB_(Application.preFlight());
var Responses = Application.getResponses();
for (var i = 0; i < Responses.length; i++) {
var id = Responses[i]["Key"].replace(/\s*/, "");
var error_id = id + "Error";
var error_panel_id = id + "ErrorPanel";
var error_message = ErrorsDb.clearFilters().addFilter({"Key":id}).getData();
ui.getElementById(id).setText(Responses[i]["Value"]);
if (error_message.length > 0) {
var msg = "";
for (var e = 0; e < error_message.length; e++) { msg += error_message[e]["Error"]; msg += ". "; }
ui.getElementById(error_id).setVisible(true).setText(msg);
ui.getElementById(error_panel_id).setStyleAttributes(css.errorbackgroundactive);
} else {
ui.getElementById(error_id).setVisible(false).setText("");
ui.getElementById(error_panel_id).setStyleAttributes(css.errorbackground);
}
}
var ErrorCheckMsg = ui.getElementById("ErrorCheckMsg");
var Errors = ErrorsDb.clearFilters().getData();
if (Errors.length > 0) {
ErrorCheckMsg.clear();
ErrorCheckMsg.add(Label_(ui, "The Grant Robot has found these issues with your application:", css.errorlabel, css.shimbottom));
var msgs = [];
for (var i = 0; i < Errors.length; i++) msgs.push(Errors[i]["Error"]);
var Html = HtmlService.createTemplate(UL_(msgs));
ErrorCheckMsg.add(HTML_(ui, Html.evaluate().getContent(), css.errorlabel));
ErrorCheckMsg.add(Label_(ui, "Fix any errors listed above and re-check your application.", css.errorlabel));
ErrorCheckMsg.setVisible(true);
} else {
ErrorCheckMsg.clear();
ErrorCheckMsg.add(Label_(ui, "Congratulations! The Grant Robot didn't find any errors with your application. As currently entered, this application is complete and error-free. It will be submitted for consideration at the deadline. " +
"If you edit your application, you must check for errors again.", css.label, css.bold, css.green));
ErrorCheckMsg.setVisible(true);
}
} catch (err) {
Logger.log(err.toString());
}
return ui;
}
function AutoSaveHandler_(e) {
var ui = UiApp.getActiveApplication();
var Application = new Application_(e.parameter.app_id);
var responses = Application.getResponses();
var updates = false;
for (var i = 0; i < responses.length; i++) {
var key = responses[i]["Key"];
if (!e.parameter.hasOwnProperty(key)) continue;
var value = Trim_(e.parameter[key]);
try {
if (value != "" && responses[i]["Value"] != value) {
Application.setResponseValue(key, value);
updates = true;
}
} catch (err) {
Logger.log("AutoSave Error: " + err.toString());
}
}
if (updates) {
Application.clearCache("Responses");
}
return ui;
}
function AlternateNameHandler_(e) {
var ui = UiApp.getActiveApplication();
if (e.parameter["AlternateName"] == "" && e.parameter["LegalName"] != "") {
var first_name = String(e.parameter["LegalName"]).replace(/\s+\w+/g, "");
ui.getElementById("AlternateName").setText(first_name);
}
return ui;
}
function GetEmailUi_(e, properties) {
var ui = Ui_(properties, "Apply for an Apogaea " + properties.getProperty("round_name") + " Grant");
var Content = Content_(ui);
ui.add(Content);
Content.add(Header_(ui, properties));
Content.add(Section_(ui, "Begin your grant application"));
var EmailEntry = Panel_(ui).setId("EmailEntry");
EmailEntry.add(
Paragraph_(ui,
Urlify_(ui,
"Thank you for taking the time to apply for an Apogaea grant. To get started, please enter a valid " +
"email address we can use to communicate with you. Once the grant process begins, we will send important " +
"emails to this address. Make sure to check your email regularly. If you haven't received an email from us " +
"within 24 hours of your submission, " +
"check your spam folder for an email with 'We're ready to begin your Apogaea grant application!' in the subject " +
"line. If all else fails, notify " + properties.getProperty("help_email") + " and we'll try to sort it out."
)
)
);
Content.add(EmailEntry);
var Email = TextBox_(ui, "Email");
var EmailQuestion = Question_(ui, Email, "Enter your email address", "This should be an address that you check regularly.");
var EmailFormPanel = Panel_(ui, css.paragraph, css.indent).add(EmailQuestion);
EmailEntry.add(EmailFormPanel);
var Success = Panel_(ui)
.setVisible(false)
.setId("Success")
.add(Paragraph_(ui,
Urlify_(ui, "An email has been sent to the address you provided. Generally you should receive this within 5-10 minutes. " +
"Follow the instructions in the email to continue filling out your grant application. " +
"If you do not receive an email from apogaea.com within 24 hours, check your spam folder. If it isn't in there, email " +
properties.getProperty("help_email") + " for assistance. Thanks!",
css.label, css.bold)
)
);
var submitButtonHandler = ui.createServerHandler("GetEmailSubmitHandler_");
var submitButton = Button_(ui, "submitButton", "Enter a valid email", submitButtonHandler, css.buttonred, css.buttonredhover).setEnabled(false).setStyleAttributes(css.buttonreddisabled);
var submitClientHandler = ui.createClientHandler().forEventSource().setEnabled(false).setText("Checking...").setStyleAttributes(css.buttonreddisabled);
var emailKeyUpValidHandler = ui.createClientHandler().validateEmail(Email).forTargets(submitButton).setEnabled(true).setText("Get started!").setStyleAttributes(css.buttonred);
var emailKeyUpNotValidHandler = ui.createClientHandler().validateNotEmail(Email).forTargets(submitButton).setEnabled(false).setText("Enter a valid email").setStyleAttributes(css.buttonreddisabled);
var emailKeyUpNotApoHandler = ui.createClientHandler().validateMatches(Email, ".*apogaea.com$", "i").forTargets(submitButton).setEnabled(false).setText("You can not use an apogaea.com email address to apply for a grant.").setStyleAttributes(css.buttonreddisabled);
Email.addKeyUpHandler(emailKeyUpNotValidHandler);
Email.addKeyUpHandler(emailKeyUpValidHandler);
Email.addKeyUpHandler(emailKeyUpNotApoHandler);
submitButton.addClickHandler(submitClientHandler);
submitButtonHandler.addCallbackElement(Email);
submitButtonHandler.addCallbackElement(submitButton);
submitButtonHandler.addCallbackElement(EmailEntry);
Content.add(Success);
EmailQuestion.add(submitButton);
Content.add(Footer_(ui, properties));
return ui;
}
function GetEmailSubmitHandler_(e) {
var lock = LockService.getScriptLock();
var ui = UiApp.getActiveApplication();
var properties = PropertiesService.getScriptProperties();
var ss = SpreadsheetApp.openById(properties.getProperty("robot_id"));
var sheet = new Sheet_(ss.getSheetByName("New")).cacheOff();
var db = new MemDB_(sheet.getData());
var check = db.addFilter({"Email": e.parameter.Email}).getData();
if (check.length != 0) {
ui.getElementById("EmailEntry").setVisible(true);
ui.getElementById("EmailError").setVisible(true)
.setText("It looks like this email has already been used. " +
"If you have not received an email from apogaea.com within 24 hours of your " +
"initial submission, check your spam folder. If it isn't in there, or you just " +
"need us to resend the link to your application, email " +
properties.getProperty("help_email") + " for assistance. Thanks!");
ui.getElementById("submitButton").setEnabled(false).setText("Enter a valid email").setStyleAttributes(css.buttonred);
lock.releaseLock();
return ui;
}
lock.waitLock(properties.getProperty("lock_timeout"));
sheet.insertRow({"Email":e.parameter.Email});
lock.releaseLock();
ui.getElementById("EmailError").setVisible(false).setText("");