| 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
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
 | # [[elisp:(progn (memoize 'emacsconf-get-talk-info "5 seconds") (org-md-export-to-markdown) (memoize-restore 'emacsconf-get-talk-info))][Export this file to Markdown]]
#+TAGS: emacsconf
# [[elisp:(memoize 'emacsconf-get-talk-info "5 seconds")][Memoize emacsconf-get-talk-info]] - [[elisp:(memoize-restore 'emacsconf-get-talk-info)][Unmemoize]]
#+todo: TODO(t) SOMEDAY STARTED INPROGRESS(i) WAITING(w) STANDBY(s) BLOCKED(b) | DONE(x) CANCELLED(c)
#+OPTIONS: h:6 toc:nil num:nil ':t
#+PROPERTY: header-args    :results silent :exports code :tangle yes
#+EXPORT_FILE_NAME: ../organizers-notebook.md
#+PROPERTY: QUANTIFIED Emacs
#+begin_export md
<!-- organizers-notebook.md is exported from organizers-notebook/index.org, please modify that instead. -->
[[!sidebar content=""]]
This file is automatically exported from [/organizers-notebook/index.org](/organizers-notebook/index.org). You might prefer to navigate this as an Org file instead. To do so, [clone the wiki repository](https://emacsconf.org/edit/).
This document is the general organizers' notebook that can be used as a starting point each year. For specific years, see:
- [2024](/2024/organizers-notebook)
- [2023](/2023/organizers-notebook)
- [2022](/2022/organizers-notebook)
- [2021](/2021/organizers-notebook)
- [2020](/2020/organizers-notebook)
- [2019](/2019/organizers-notebook)
#+end_export
#+TOC: headlines 2
* Starting up the conference planning process
:PROPERTIES:
:CUSTOM_ID: starting-up-the-conference-planning-process
:END:
Check in with core organizers from the previous year to see who's in.
** Create the private repository
:PROPERTIES:
:CUSTOM_ID: starting-up-the-conference-planning-process-create-the-private-repository
:END:
This repository will store submissions, contact information, etc.
   1. Create the repository on ~front0~. Ex:
      #+begin_src sh
     export YEAR=2025
     sudo su - git
		 cd repositories
		 mkdir emacsconf-$YEAR-private.git
		 cd emacsconf-$YEAR-private.git
		 git init --bare
      #+end_src
   2. In the ~gitolite-admin~ repo, edit ~conf/gitolite-conf~. Add lines for the group and the repo. Commit and push. Ex:
      #+begin_example
     @emacsconf-2024-org = bandali sachac ...
     repo emacsconf-2024-private
         RW+ = @admins @emacsconf-2024-org orga
      #+end_example
   3. Clone the private repository into the appropriate location. ~git clone git@git.emacsconf.org:emacsconf-2025-private private~
** Create the public organizers' notebook in the wiki
:PROPERTIES:
:CUSTOM_ID: starting-up-the-conference-planning-process-create-the-public-organizers-notebook-in-the-wiki
:END:
Ex: file:../2024/organizers-notebook/index.org
* Phases and lessons learned
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned
:END:
** Draft CFP
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-draft-cfp
:END:
Create linked pages
- [ ] year index: ex: [[file:../2024.md]]
- [ ] volunteer page: ex: [[file:../volunteer.md]]
- [ ] submit page:  ex: [[file:../2024/submit.md]]
*** How to mark pages as drafts
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-draft-cfp-how-to-mark-pages-as-drafts
:END:
Have a Markdown export block with the following contents. Replace { and } with [ and ].
#+begin_export md
{{!template id=pagedraft}}
#+end_export md
*** Wiki template for year index
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-draft-cfp-wiki-template-for-year-index
:END:
Replace { and } with [ and ].
#+begin_example
{{!meta copyright="Copyright © 2021-2022 Amin Bandali; 2023-2025 Sacha Chua"}}
<p class="center">EmacsConf 2025 | Online Conference<br />
<b>December 6 and 7, 2024 (Sat-Sun)</b></p>
<p class="center">{{!img /i/emacsconf-logo1-256.png
alt="EmacsConf logo"}}</p>
<p class="center">{{<b>Call for Participation</b>|cfp}} | {{Ideas}} |
{{Submit a Proposal|submit}} | {{Volunteer}} | {{Guidelines for Conduct|conduct}}</p>
<p class="center">EmacsConf is the conference about the joy of
<a href="https://www.gnu.org/software/emacs/">GNU Emacs</a> and
Emacs Lisp.</p>
We are busy putting things together for EmacsConf 2025, and we would
love to have *your* help to make EmacsConf 2025 amazing, much like the
previous EmacsConfs.  See our {{**Call for Participation**|cfp}}, get
involved, and help spread the word!
We are holding EmacsConf 2025 as an online conference again this year.
We remain fully committed to freedom, and we will continue using our
infrastructure and streaming setup consisting entirely of {free
software}{freesw}, much like previous EmacsConf conferences.
For general EmacsConf discussions, join the
{emacsconf-discuss}(https://lists.gnu.org/mailman/listinfo/emacsconf-discuss)
mailing list.  For discussions related to organizing EmacsConf, join
the
{emacsconf-org}(https://lists.gnu.org/mailman/listinfo/emacsconf-org)
mailing list.  You can email us publicly at
<mailto:emacsconf-org@gnu.org> or privately at
<mailto:emacsconf-org-private@gnu.org>.
Come hang out with us in the `#emacsconf` channel on `irc.libera.chat`
({Libera.Chat}{libera} IRC network).  You can join the chat using
{your favourite IRC client}{libera-emacsconf}, or by visiting
{chat.emacsconf.org}{chat} in your web browser.
{freesw}: https://www.gnu.org/philosophy/free-sw.html
{libera}: https://libera.chat
{libera-emacsconf}: ircs://irc.libera.chat:6697/emacsconf
{chat}: https://chat.emacsconf.org
#+end_example
*** Previous years
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-draft-cfp-previous-years
:END:
[[file:~/proj/emacsconf/wiki/2023/cfp.org][2023]]
*** Update dates
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-draft-cfp-update-dates
:END:
[[file:~/proj/emacsconf/lisp/emacsconf.el]]
[[file:~/proj/emacsconf/lisp/emacsconf-erc.el]]
*** Update the IRC topic
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-draft-cfp-update-the-irc-topic
:END:
#+begin_src emacs-lisp
(erc-cmd-OPALL)
(erc-cmd-CONFTOPIC (emacsconf-replace-plist-in-string
										`(:year ,emacsconf-year :cfp-deadline ,emacsconf-cfp-deadline)
										"Getting ready for EmacsConf ${year}! Call for proposals: https://emacsconf.org/${year}/cfp by ${cfp-deadline}, volunteer: https://emacsconf.org/volunteer/"))
(erc-cmd-DEOPALL)
#+end_src
*** Lessons learned
:PROPERTIES:
:CUSTOM_ID: draft-cfp-lessons-learned
:END:
- Maybe incentivize proper timezone specification by saying we can translate times to their local time?
- Make sure to include cfp.org as an attachment instead of inline
- bandali likes having the commitment to freedom section in the CFP as a form of activism.
- Ask for public e-mail or contact information, IRC handle in CFP.
- Nudge everyone towards 5/10 or 20 minutes, and consider < or > on a case-by-case basis.
  - In previous years, we offered 40 minutes as a
    regular choice, but that was difficult because
    we had to figure out how to squeeze lots of
    talks into the schedule and we didn't know
    what could be shortened. In 2022, we asked
    people to provide quick outlines for 10-, 20-,
    and 40-minute formats if they wanted a long
    talk slot, which was helpful in prioritizing.
    In 2023, we just suggested 5/10 and 20-minute
    slots knowing that there would probably be
    plenty of time for Q&A, with some longer talks
    approved on a case-by-case basis. Because
    talks are (ideally) prerecorded, 20 minutes
    seems to be a good length to get into
    something interesting while leaving time for
    Q&A so that people could dive deeper into
    particular things that interested them.
- Rolling acceptances were very nice. We gave
  people a week to respond, which felt a little
  quick sometimes, but gave people enough time to
  speak up to see if they had any red flags or
  suggestions.
- We didn't extend the CFP period in 2023, great!
- Two streams worked out well. Sunday morning had network congestion issues, so keep an eye out for those.
- It’s easier for us to extend beyond 5pm than to go before 9am
  (especially for Pacific time).  Extending beyond 5pm puts strain on
  European organizers and volunteers, though.
- Put the speaker introduction right after the talk description for easier web page copying.
** Announce
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-announce
:END:
- Post CFP to emacsconf-discuss, reddit.com/r/emacs, and in Emacs News
- Submit to  https://foss.events/
*** Promote the conference
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-announce-promote-the-conference
:END:
Submit to https://foss.events/
Maybe it would be good to get in touch with podcasts like
- [[https://systemcrafters.net/][System Crafters]]
- [[https://www.youtube.com/playlist?list=PLbFVcOQ-YH_LRP687N0YeN78YZmBp5wqF][This Week in Linux]]
- [[https://linuxunplugged.com/][Linux Unplugged]]
- [[http://asknoahshow.com/][Ask Noah]]
- [[https://linuxafterdark.net/][Linux After Dark]]
- [[https://anonradio.net/][Lispy Gopher Show]]
etc to give a heads up on EmacsConf before it
happens and also mention to them when videos are
available to spark more interest.
** Process proposals
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-process-proposals
:END:
1. In the private repository, create a conf.org.
2. Set ~emacsconf-org-file~ to its location.
3. Create a heading for Submissions and set ~CUSTOM_ID~ to ~submissions~.
4. Prepare the ~prepare~ and ~submit~ pages on the wiki.
When proposals come in:
  1. Acknowledge with an e-mail along the lines of:
    #+begin_example
    Hello, ....!
    <feedback> We'll wait another week in case anyone else wants to
    chime in before I add it to the wiki and send further notes. :) Thanks for
    submitting this!
     #+end_example
  2. Use ~emacsconf-mail-add-submission~ if it works, or create the entry and paste it in.
     ~org-toggle-item~ can help convert Org-style headings into a nested list.
  3. Set the following fields (~my/org-set-property~
     can be helpful): EMERGENCY, Q_AND_A,
     AVAILABILITY, NAME, PRONOUNS, TIME,
     SLUG, EMAIL, NAME_SHORT, CUSTOM_ID,
     TRACK, TIMEZONE, CATEGORY, DATE_SUBMITTED,
     PUBLIC_EMAIL
** Accept proposals   :email:
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-accept-proposals
:END:
Setup:
1. Create YYYY/talks.md.
For each talk:
1. Set up "Talk abstract" and "Talk details" sections in the conf.org talk subtree.
2. Change status to ~TO_CONFIRM~.
3. Create wiki page with ~emacsconf-publish-add-talk~.
4. Use ~emacsconf-publish-info-pages~ and ~emacsconf-publish-schedule~ as needed.
5. Send acceptance e-mail with ~emacsconf-mail-accept-talk~
After the CFP ends:
1. Change the yyyy.md page to remove the CFP and submit links.
2. Update the yyyy/sidebar.md page to remove the CFP and submit links.
3. Update the yyyy/talks.md page to remove the CFP.
4. Change the IRC channel topics.
   1. ~/opall~,
   2. ex: ~/conftopic Getting ready for EmacsConf 2025! Volunteer: https://emacsconf.org/volunteer~
   3. ~/deopall~
[[https://git.emacsconf.org/emacsconf-wiki/commit/?id=9b2c5a6f86d9e4c3faf4c7f028eabb758583fa97][Example git commit]]
** Draft schedule
:PROPERTIES:
:CUSTOM_ID: draft-schedule
:END:
- Create entries for opening and closing remarks
  - FIXED: t
  - SCHEDULED
  - TIME: 10
  - BUFFER: 0
  - CUSTOM_ID:
  - SLUG:
  - Q_AND_A: pad
- Create draft-schedule section in the public organizers notebook for the year
- Add missing items to plan
*** TODO Send draft schedule to speakers   :email:
1. Evaluate the draft schedule we want to use.
2. ~emacsconf-schedule-update-from-info~
3. ~C-u M-x emacsconf-mail-template-to-all-groups RET emacsconf-mail-draft-schedule RET~
4. If that looks good, ~M-x emacsconf-mail-template-to-all-groups~. You can use ~M-x emacsconf-mail-merge-send-all~ to send all the drafts, or send them one by one.
** Set up backstage and upload
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-set-up-backstage-and-upload
:END:
See [[emacsconf-ansible:README.org]].
Lessons learned:
- Next year, let's get upload.emacsconf.org in place as the domain name so that people don't try to FTP files to it.
*** TODO Send backstage and upload instructions  :email:
** Post the schedule
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-post-the-schedule
:END:
- [[elisp:(setq emacsconf-publishing-phase 'schedule)]]
- elisp:emacsconf-publish-info-pages
- elisp:emacsconf-publish-schedule-org-files
- elisp:emacsconf-ical-generate-all
- Update talks.md to refer to watch.md as well
** Process uploaded files
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-process-uploaded-files
:END:
Basic setup:
1. Set up the media server and symlinks: [[emacsconf-ansible:README.org]] (Media).
2. Set up the prerec processing areas on res: [[emacsconf-ansible:README.org]] (Processing prerecs).
2. Set up the caption processor on res: [[emacsconf-ansible:README.org]] (Captioning).
Process:
1. Review uploaded files with elisp:emacsconf-upload-dired
2. Open the JSON for the file you want to process and use elisp:emacsconf-upload-copy-from-json .
   If more than one file uses the same extension, provide a suffix to disambiguate them.
3. On res:
   1. Create a directory ~/current/files/$slug.
   2. Copy the uploaded file from ~/cache as =$video_slug--original.$extension=, or use =rename-original.sh $slug $file=.
   3. Call =process-prerec.sh $file=.
4. When the screens are finished, do locally:
   1. update-cache on my computer.
   2. elisp:emacsconf-publish-cache-video-data or elisp:emacsconf-cache-all-video-data
   3. elisp:emacsconf-publish-backstage-index
** Generate assets
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-generate-assets
:END:
*** In-between pages
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-generate-assets-in-between-pages
:END:
- Make the $year/assets/in-between directory and copy the template.svg from the previous year.
- elisp:emacsconf-stream-generate-in-between-pages
*** Intros
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-generate-assets-intros
:END:
- In an empty VTT file, elisp:emacsconf-subed-intro-subtitles
- Record the audio and get captions
- Splice together into a file that will be processed with subed-record-compile-video.
** Record pronunciations
*** TODO Record pronunciations
*** TODO E-mail speakers asking them to confirm the pronunciations
** Prepare the infrastructure
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-prepare-the-infrastructure
:END:
Checklist:
- [ ] IRC
  - [ ] Manual announcements
  - [ ] Automated announcements
- [ ] Web conference
- [ ] Streaming assets
  - [ ] Overlays
  - [ ] Intros
- [ ] OBS
- [ ] VNC
- [ ] Publishing to the wiki
- [ ] Publishing to the media server
- [ ] Etherpad
- [ ] Mumble
- [ ] Icecast
** Getting ready for captions
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-getting-ready-for-captions
:END:
Onboarding:
- Add captioner to conf.org with the ~:caption:~ tag, under a Volunteers heading with the ~volunteer~ tag. Make sure the ~EMAIL~ property is set.
- Add captioner to emacsconf-org mailing list.
- Send backstage information elisp:emacsconf-mail-backstage-info-to-volunteer . (Can be sent to all captioning volunteers with elisp:emacsconf-mail-backstage-info-to-captioning-volunteers)
** Getting ready for the conference
:PROPERTIES:
:CUSTOM_ID: pre-conf
:END:
elisp:emacsconf-pad-prepopulate-shift-hyperlists
*** TODO Send check-in details, schedule update, etc.  :email:
:PROPERTIES:
:CREATED:  [2024-11-27 Wed 17:34]
:CUSTOM_ID: phases-and-lessons-learned-getting-ready-for-the-conference-send-check-in-details-schedule-update-etc
:END:
*** Two days before the conference
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-getting-ready-for-the-conference-two-days-before-the-conference
:END:
Go through the :tminustwo: tags.
*** One day before the conference
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-getting-ready-for-the-conference-one-day-before-the-conference
:END:
Go through the :tminusone: tags.
- Set ~emacsconf-publishing-phase~ to ~conference~.
- Set emacsconf-publish-include-pads to t and republish the info pages.
** During the conference
:PROPERTIES:
:CUSTOM_ID: conf
:END:
elisp:emacsconf-pad-open-shift-hyperlist
** After the conference
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-after-the-conference
:END:
*** Capture stats
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-after-the-conference-capture-stats
:END:
2024 stats
Saturday:
gen: 177 peak + 14 peak lowres
dev: 226 peak + 79 peak lowres
Sunday:
gen: 89 peak + 10 peak lowres
meet peak 409% CPU (100% is 1 CPU), average 69.4%
front peak 70.66% CPU (100% is 1 CPU)
live peak 552% CPU (100% is 1 CPU) average 144%
res peak 81.54% total CPU (each OBS ~250%), mem 7GB used
so far we have used 1.2TB of transfer this month
*** Back up the data
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-after-the-conference-back-up-the-data
:END:
**** Icecast
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-after-the-conference-back-up-the-data-icecast
:END:
rsync -avze ssh live:'/data/emacsconf-2024-*' media:~/2024
rsync -avze ssh live:'/data/emacsconf-2024-*' .
**** BigBlueButton
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-after-the-conference-back-up-the-data-bigbluebutton
:END:
rsync -avze ssh root@bbb:/var/bigbluebutton/ bigbluebutton/
ssh root@66.175.208.243 'dd if=/dev/sda bs=5M ' | dd of=bbb-img-2024-12-08.img status=progress
The img can be loaded with
sudo losetup --find --show bbb-img-2024-12-08.img
sudo mount /dev/loop10 test
cd test
***** Reviewing all the Q&A durations and chat messages
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-after-the-conference-back-up-the-data-bigbluebutton-reviewing-all-the-q-a-durations-and-chat-messages
:END:
#+begin_src emacs-lisp :eval no
(let ((default-directory "/home/sacha/proj/emacsconf/2024/backups/bigbluebutton/published/video"))
	(mapconcat
	 (lambda (dir)
		 (let ((chat (xml-parse-file
									(expand-file-name "video.xml" dir)))
					 (metadata (xml-parse-file
											(expand-file-name "metadata.xml" dir))))
			 (concat
				"- "
				(dom-text (car (dom-by-tag metadata 'meetingName))) " ("
				(format-seconds  "%.2h:%z%.2m:%.2s"
												 (/ (string-to-number (dom-text (dom-by-tag metadata 'duration)))
														1000))
				")"
				"\n"
				(if (dom-by-tag chat 'chattimeline)
						(mapconcat (lambda (node)
												 (concat "  - " (dom-attr node 'name) ": "
																 (dom-attr node 'message) "\n"))
											 (dom-by-tag chat 'chattimeline)
											 "")
					"")
				"")
			 )
		 )
	 (directory-files "." nil "-"))
	)
#+end_src
- Copy IRC logs to cache and therefore to backstage: (ex: 2024-12-07-emacsconf-gen.txt)
*** Combine the IRC logs and the pads, and add them to the wiki
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-after-the-conference-combine-the-irc-logs-and-the-pads-and-add-them-to-the-wiki
:END:
(did we e-mail the speakers before or after?)
*** Process the Q&A recordings and live presentations
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-after-the-conference-process-the-q-a-recordings-and-live-presentations
:END:
- Save answers videos as --answers.webm.
- From the pad file: emacsconf-extract-copy-pad-to-wiki
- update cache
- Set ~QA_PUBLIC~ property to t as each Q&A gets processed.
- change status to ~TO_INDEX_QA~
- emacsconf-publish-media-files-on-change
- emacsconf-publish-info-pages-for-talk
Indexing
- emacsconf-extract-insert-note-with-question-heading
- emacsconf-subed-make-chapter-file-based-on-comments
- change status to ~TO_CAPTION_QA~
Also copy the YouTube comments and IRC comments
emacsconf-extract-irc-anonymize-log
*** Send thank-you emails to the speakers  :email:
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-after-the-conference-send-thank-you-emails-to-the-speakers
:END:
*** Notify emacs-discuss that the Q&A is up
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-after-the-conference-notify-emacs-discuss-that-the-q-a-is-up
:END:
https://lists.gnu.org/archive/html/emacsconf-discuss/2024-12/msg00000.html
#+begin_example
Hello, everyone!
https://emacsconf.org/2024/talks and https://media.emacsconf.org/2024
should have the talks and Q&A sessions now, hooray, including chapter
indices for the Q&A. I've also copied over notes from Etherpad and IRC
on the talk pages, and I've e-mailed them to the speakers so they can
update the wiki directly or send in additional answers.
BigBlueButton audio mixing is kinda iffy, so I'm holding off on
uploading the Q&A videos (and the live talk for secrets) to
YouTube/Toobnix until Leo and other volunteers have a listen to see
whether the audio needs to be tweaked, and maybe even to do some kind of
normalization. Unfortunately, recordings with separate audio tracks per
participant aren't available--it would be cool to figure that out next
year--so some talks might need some manual processing. (Please feel free
to volunteer if that's up your alley!) In the meantime, you can check
out the Q&A videos from the talk pages on the wiki. Please let us know
if there's anything that needs tweaking.
Enjoy!
Sacha
#+end_example
*** Write a report
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-after-the-conference-write-a-report
:END:
Sample: https://emacsconf.org/2023/report/
*** Send thank-you emails to the volunteers  :email:
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-after-the-conference-send-thank-you-emails-to-the-volunteers
:END:
emacsconf-mail-template-ask-volunteer-for-mailing-address
*** Process the lessons learned
:PROPERTIES:
:CUSTOM_ID: phases-and-lessons-learned-after-the-conference-process-the-lessons-learned
:END:
* Ideas for improvement
:PROPERTIES:
:CUSTOM_ID: ideas
:END:
How can we make EmacsConf better for participants? Speakers? Volunteers? People who come across the videos afterwards?
- Emacs:
  - view Etherpad (read-only): might be able to query something like https://pad.emacsconf.org/2024/export/html or https://pad.emacsconf.org/2024/export/txt
  - view upcoming talks, countdown?
  - resources, past talks
  - ??: Collaborative real-time editing? Not sure crdt.el or collab-mode can scale up as far as we like; how would we test this?
- HTML/CSS/JS:
  - general design improvements?
    - [[https://web.archive.org/web/20240806134541/https://emacsconf.org/2024/talks/][This is what the talks page looks like when there's no schedule yet]]
    - [[https://web.archive.org/web/20241108132608/https://emacsconf.org/2024/talks/][This is what the schedule page looks like before the conference]]
    - [[https://web.archive.org/web/20241208042046/https://emacsconf.org/2024/talks/literate/][This is what a talk page looks like before the conference]]
    - [[https://web.archive.org/web/20241208034535/https://emacsconf.org/2024/watch/gen/][This is the watch page for the general track]]
    - [[https://web.archive.org/web/20241212145433/https://emacsconf.org/2024/talks/literate][This is the same talk page after the conference, with the videos, notes, and captions]]
    - [[https://emacsconf.org/2024/talks/][This is what the talks page looks like after the conference]] - list of resources
  - timezone translations in the schedule SVG, on the schedule page, etc.
  - countdown on talk pages?
  - prettier viewers for videos, captions
  - make it easier to see the talk/pad/IRC at the same time?
  - easy timestamp jumping
- Volunteers:
  - better documentation
  - share to OBS from local? Maybe vdo.ninja?
    - how do we manage the fallback/switchover in case we need to go back to shared VNC?
  - meeting layout?
  - countdown to switch over to the next talk, or easier manual control; web or command-line interface to control it?
  - make it easier for people to join as hosts or check-in volunteers?
  - improve backstage experience?
  - automate or cross-train more people in what Sacha does (coordination, infrastructure) to reduce bus factor and increase awesomeness
- Processing:
  - audio normalization: better workflow, more people helping
  - noise removal (many speakers don't have external mics)
  - Makefile improvements
  - captioning:
    - simplify common edits
    - reflowing? check out [[https://gitlab.com/jun8git/sub-seg][sub-seg]]?
  - handle last-minute uploads
  - validation: make sure audio, video, and caption times agree
- Infrastructure:
  - document media processing pipeline
  - make media processing pipeline more hands-off; ideally, just copy the video to the directory and that kicks off everything including eventually republishing the backstage index
  - add read-only non-JS links to pads; make the pads viewable through the web instead of being downloaded (.../export/html)
  - upgrade to latest versions
    - front0 and live0: currently Debian 10.13
      - [2025-09-21 Sun] bandali will look into upgrades, cleaning up
      - [2025-09-19 Fri] sachac: e-mailed bandali to ask if I can do the upgrades or if he wants to
    - ffmpeg 6.0.1, latest is 8
      - 7 has demuxing, decoding, filtering, encoding, and muxing in the ffmpeg CLI now all run in parallel
    - OBS on res? Currently 29.1.2
      - probably no must-haves up to version 32, okay to stay with current version
      - Do we want to go back to having hosts stream from their local computers?
        - local: better performance
        - via VNC:
          - easier to switch in a different host or manage multiple streams
          - easier to move files around
          - consistent setup for profiles, overlays
    - DONE Etherpad (upgrade 1.9.7 to 2.5.0)
    - DONE BigBlueButton (deployed 3.0.12, which is the latest as of 2025-08-02)
      - Consider 3.1 beta? new interface, probably new bugs; see if it's worth it?
    - DONE Icecast (deployed 2.4.4-1) - decided to stick with current version
      - [2025-09-21 Sun] Decision: stick with Icecast
      - Leaning towards sticking with [[https://icecast.org/][Icecast]]
        - 2.5.0-rc1? health reporting, bugfixes; probably not essential
      - [[https://antmedia.io/][Ant Media Server]] community edition, to enable adaptive bitrate streaming, lower latency, and HLS for wider support?
      - [[https://owncast.online/][Owncast]]? Automatic downscaling, Fediverse support; might need two instances to support two tracks
      - [[https://github.com/ossrs/srs][SRS]]? record, replay? more of a building block?
      - Nginx RTMP? More of a building block
  - customize BigBlueButton welcome, slides, title, branding
    - change the default presentation (maybe someone can make a PDF?) https://docs.bigbluebutton.org/administration/customize/#change-the-default-presentation
    - modify the default landing page https://docs.bigbluebutton.org/administration/customize/#modify-the-default-landing-page
    - change the default welcome messages https://docs.bigbluebutton.org/administration/customize/#change-the-default-welcome-message
    - change the favicon https://docs.bigbluebutton.org/administration/customize/#change-favicon
    - change the default logo https://docs.bigbluebutton.org/administration/customize/#changing-the-default-logo
  - check out BigBlueButton live captions?
  - figure out if we can connect to or reuse the etherpad in BigBlueButton?
  - figure out how to record separate audio streams in BigBlueButton because the audio mixing is sometimes terrible (some people's audio streams end up much louder than others). Related: https://github.com/bigbluebutton/bigbluebutton/issues/12302 , but not sure how to actually do it...
  - replicate BBB setup in a virtual machine so that it's easy to re-deploy
  - replicate streaming setup (OBS+VNC) in a virtual machine so that it's easy to re-deploy
  - replicate video processing workflow on my computer and/or a virtual machine
- Other:
  - panel? some thoughts: https://pad.emacsconf.org/emacsconf-panel
  - unconference?
* General infrastructure
:PROPERTIES:
:CUSTOM_ID: general-infrastructure
:END:
** Linode instance sizes
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-linode-instance-sizes
:END:
*** Production
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-linode-instance-sizes-production
:END:
- front0 shared Linode 32GB
- live0 shared Linode 64GB
- meet Dedicated CPU 16GB
*** Dormant
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-linode-instance-sizes-dormant
:END:
Resize disk to 25GB, copying large files to media if needed
- nanode front0
- nanode live0
- delete meet after downloading all the recordings, or resize down to nanode
** File uploads
:PROPERTIES:
:CUSTOM_ID: upload
:END:
[[https://github.com/psi-4ward/psitransfer][psi-4ward/psitransfer: Simple open source self-hosted file sharing solution]]
Before the conference:
1. Set ~upload_enabled~ to ~true~ in ~prod-vars.yml~ and run ~ansible-playbook -i inventory.yml prod-playbook.yml --tags upload~.
2. Confirm that https://upload.emacsconf.org has the upload interface and works with the password. If it's not up yet, use ~sudo service upload start~.
3. Use ~emacsconf-mail-template-to-all-groups~ and ~emacsconf-mail-upload-and-backstage-info~ to e-mail the upload information to all speakers.
After the conference:
1. Set ~upload_enabled~ to ~false~ in ~prod-vars.yml~ and run ~ansible-playbook -i inventory.yml prod-playbook.yml --tags upload~.
2. Confirm that https://upload.emacsconf.org shows the in-between page.
** Media processing
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-media-processing
:END:
1. Make sure ~group_vars/all.yml~ has the correct setting for ~emacsconf_year~.
2. ~ansible-playbook -i inventory.yml prod-playbook.yml --tags prerec~
3. Set up the ~update-cache~ script.
   #+begin_src sh :eval no :tangle ~/proj/emacsconf/2025/update-cache
#!/bin/bash
# export CONF_PUBLIC=1
rsync -avzue ssh --exclude .lock-\* res:~/cache/ ~/proj/emacsconf/2025/cache/ --exclude .git
chmod ugo+r . -R
rsync -avzue ssh ~/proj/emacsconf/2025/cache/ res:~/cache/ $* --exclude .git
rsync -avzue ssh ~/proj/emacsconf/2025/cache/ orga@media:/var/www/media.emacsconf.org/2025/backstage/ $* --exclude .git
ssh orga@media "cd ~/backstage; chmod ugo+r -- *"
if [ ! -z "$CONF_PUBLIC" ]; then
		echo "Updating public media"
		rsync -avzue ssh --exclude \*--original\* --exclude \*--reencoded\* ~/proj/emacsconf/2025/cache/ orga@media:/var/www/media.emacsconf.org/2025/ 3--exclude .git
fi
   #+end_src
When a talk comes in:
1. Update the talk status to ~PROCESSING~. Re-evaluate the schedule draft.
2. Set the file prefix with ~emacsconf-set-file-prefix-if-needed~ or use ~emacsconf-set-file-prefixes~.
3. Download the talk's files to your local cache (as specified by ~emacsconf-cache-dir~).
4. Rename the files with ~emacsconf-rename-files~.
5. Use ~../update-cache~ to update res and backstage.
6. SSH to res. Go to the ~~/cache~ directory.
   1. Start or reuse a ~screen~ session.
   2. Use ~make~ to convert the file to WEBM and caption the file.
7. On your local computer, use ~../update-cache~ to move files around.
8. ~emacsconf-publish-cache-video-data~ to save the file size and length.
9. ~emacsconf-publish-backstage-index~
** Icecast
:PROPERTIES:
:CUSTOM_ID: icecast
:END:
Success: You can use [[#obs-instructions][OBS+VNC to record]], and the results can be viewed by mpv.
- [X] Gen
- [X] Dev
Also, recordings are available in /data.
New year:
1. Reprovision with
   #+begin_src sh :eval no
   ansible-playbook -i inventory.yml prod-playbook.yml --tags stream
   #+end_src
   so that the year is updated in the configuration.
2. SSH to live0.emacsconf.org and run ~/etc/init.d/emacsconf stop~. Confirm that icecast has stopped with ~ps | grep emacsconf~; if not, kill the process.
   Start it again with ~/etc/init.d/emacsconf start~
3. To test, you can use FFmpeg like this for the gen stream:
   #+begin_src sh
   ffmpeg -y -f lavfi -i testsrc=size=1280x720:rate=10 -i background-music.opus \
                            -c:v libvpx -b:v 500K -crf 25  -b:a 128k \
                            -content_type video/webm "icecast://emacsconf:$EMACSCONF_ICECAST_SOURCE_PASSWORD@live0.emacsconf.org:8001/gen.webm"
   #+end_src
   For dev:
   #+begin_src sh
   ffmpeg -y -f lavfi -i testsrc=size=1280x720:rate=10 -i background-music.opus \
                            -c:v libvpx -b:v 500K -crf 25  -b:a 128k \
                            -content_type video/webm "icecast://emacsconf:$EMACSCONF_ICECAST_SOURCE_PASSWORD@live0.emacsconf.org:8001/dev.webm"
   #+end_src
   and then view it with
   #+begin_src sh
   mpv https://live0.emacsconf.org/gen.webm
   #+end_src
** Watching pages
:PROPERTIES:
:CUSTOM_ID: watch
:END:
Success: You can watch at https://live.emacsconf.org.
- [X] https://live.emacsconf.org goes to the current year's page.
- [X] gen stream works in the browser
- [X] dev stream works in the browser
- [X] Schedule is correct
New year:
1. ~ansible-playbook -i inventory.yml prod-playbook.yml --tags live~
2. Republish with elisp:emacsconf-publish-watch-pages.
3. Update front:/var/www/live.emacsconf.org.
Set up test streams (see ffmpeg instructions from [[#icecast][Icecast]]) and then:
** VNC
:PROPERTIES:
:CUSTOM_ID: vnc
:END:
We use VNC to connect to the X servers on res.emacsconf.org so that we can stream from it.
Success:
- [X] Confirm that you can connect to emacsconf-gen via VNC
- [X] Confirm that you can connect to emacsconf-dev via VNC
Setting up
- elisp:emacsconf-publish-res-index
*** Instructions
:PROPERTIES:
:CUSTOM_ID: vnc-instructions
:END:
NOTE: VNC+OBS doesn't work well if you have a window manager that
automatically resizes windows, like i3. Please configure your window
manager so that the VNC window is not resized.
  1. Install a VNC viewer on your system (ex: tigervnc-viewer).
  2. Set up your local environment:
     - gen: ~export TRACK=gen; export TRACK_PORT=5905; export SSH_PORT=46668~
     - dev: ~export TRACK=dev; export TRACK_PORT=5906; export SSH_PORT=46668~
  3. Copy the password:
     scp emacsconf-$TRACK@res.emacsconf.org:~/.vnc/passwd vnc-passwd-$TRACK -p $SSH_PORT
  4. Forward your local ports and connect via VNC viewer to the
     appropriate forwarded port from your laptop:
     #+begin_example
     ssh emacsconf-$TRACK@res.emacsconf.org -N -L $TRACK_PORT:127.0.0.1:$TRACK_PORT -p $SSH_PORT &
     sleep 5   # Give it time to establish the tunnels
     xvncviewer 127.0.0.1:$TRACK_PORT -shared -geometry 1280x720 -passwd vnc-passwd-$TRACK &
     #+end_example
If you get the following error:
#+begin_example
channel 2: open failed: connect failed: Connection refused
CConn:       End of stream
CConn:       The connection was dropped by the server before the session could
             be established.
#+end_example
then the VNC server hasn't started yet. You can start it with
#+begin_src sh :eval no
ssh emacsconf-$TRACK@res.emacsconf.org -p $SSH_PORT /home/emacsconf-$TRACK/bin/track-vnc
#+end_src
and then connect with:
#+begin_src sh :eval no
xvncviewer 127.0.0.1:$TRACK_PORT -shared -geometry 1280x720 -passwd vnc-passwd-$TRACK &
#+end_src
** Streaming with OBS
:PROPERTIES:
:CUSTOM_ID: obs
:END:
Success: Confirm that you can stream
- [X] gen
- [X] dev
New year: reprovision with
#+begin_src sh :eval no
ansible-playbook -i inventory.yml prod-playbook.yml --tags obs
#+end_src
so that the year is updated in the shell scripts.
*** Instructions
:PROPERTIES:
:CUSTOM_ID: obs-instructions
:END:
1. [[#vnc-instructions][Connect to the VNC session for the track.]]
2. Start *recording* (not streaming). If you don't see OBS when you connect, it's probably on workspace 2, so you can switch with Alt-2. If you still don't see it there, you can open a terminal with Alt-Enter and then run ~track-obs~. After you start recording, confirm that it is now broadcasting to the stream.
3. Verify with MPV on your local system:
   #+begin_example
   mpv https://live0.emacsconf.org/$TRACK.webm &
   #+end_example
*** Icecast
:PROPERTIES:
:CUSTOM_ID: icecast
:END:
Success: You can use [[#obs-instructions][OBS+VNC to record]], and the results can be viewed by mpv.
- [ ] gen
- [ ] dev
New year: reprovision with
#+begin_src sh :eval no
ansible-playbook -i inventory.yml prod-playbook.yml --tags stream
#+end_src
so that the year is updated in the configuration.
This is on live.emacsconf.org and can be restarted with =/etc/init.d/emacsconf restart=.
** Shell scripts
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-shell-scripts
:END:
Success: From the commandline, hosts can:
- [X] play just the intro: intro $SLUG
- [X] play a file without an intro: play $SLUG
- [X] play a file with an intro: play-with-intro $SLUG (hmm, this didn't show the subtitles)
  ah, it's because the intros need to be in the cache dir?
- [X] open the Q&A for a talk: handle-qa $SLUG
  - [X] open the pad: pad $SLUG
  - [X] open BBB: bbb $SLUG
- [ ] do the whole thing: handle-session $SLUG
- [ ] rebroadcast the other stream:
  - rebroadcast gen
  - rebroadcast dev
- [ ] control background music: music, stop-music
Setup:
- OBS must be streaming from the stream you're testing. [[#obs][Streaming with OBS]]
- You may want to generate test assets and copy them over to the assets/stream directory.
- Generate all the overlays and copy them to assets/overlays
- Set up the assets/music directory
** Backstage
:PROPERTIES:
:CUSTOM_ID: backstage
:END:
Update this with elisp:emacsconf-publish-backstage-index
Explanation of files:
| ~--original.mp4/mov/webm~ | original file as uploaded by the speaker                 |
| ~--silence.mp4/mov/webm~ | silence sample if uploaded by speaker                    |
| ~--reencoded.webm~  | converted to .webm format and compressed                 |
| ~--reencoded.opus~  | audio only                                               |
| ~--normalized.opus~  | normalized audio                                         |
| ~--reencoded.vtt~  | WhisperX captions, WebVTT format                         |
| ~--reencoded.json~      | WhisperX word data                                       |
| ~--reencoded.srt~       | WhisperX captions, SRT format                            |
| ~--reencoded.txt~       | WhisperX captions, plain text                            |
| ~--main.vtt~            | edited captions                                          |
| ~--main--chapters.vtt~  | chapter markers                                          |
| ~--main.txt~            | captions as text (optional)                              |
| ~--main.webm~           | version for streaming based on the most recent resources |
Other files might also have been uploaded by the speaker, such as slides or notes.
** IRC web client
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-irc-web-client
:END:
Success:
- [X] You can join from https://chat.emacsconf.org
- [X] You can join from https://live.emacsconf.org and the channels end up as the latest ones
Remember to schedule a task to ask libera.chat to increase the number of users it will accept from chat.emacsconf.org to avoid connection exhaustion errors.
Message I've posted to support@libera.chat:
Thank you for running libera.chat. We're looking forward to using IRC
(#emacsconf-gen, #emacsconf-dev) for the discussions for the upcoming
EmacsConf (Dec 7-8, https://emacsconf.org). In the past, we've needed to
coordinate with Libera staff to increase the number of connections
allowed from chat.emacsconf.org during conference days in order to avoid
connection exhaustion errors. Is that something we can plan now or would
you like me to bring it up a few days before the conference?
** Etherpad
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-etherpad
:END:
Success:
- [X] pad.emacsconf.org redirects to this year's entry
- [X] Each talk has its own Etherpad
Lessons learned:
- After 2024: Added pronouns and pronunciation to the pad template since that's what the hosts will be looking at
The pad is at front0.emacsconf.org
Non-JS way to get plain text or HTML of a pad: ex:
- https://pad.emacsconf.org/orgmeetup/export/txt
- https://pad.emacsconf.org/orgmeetup/export/html
** Publishing media to the server and to the wiki
:PROPERTIES:
:CUSTOM_ID: media
:END:
Start of year:
1. Set =media_protect_root= to true in Ansible =group_vars/all.yml=.
2. =ansible-playbook -i inventory.yml prod-playbook.yml --tags media=
3. Generate the index with =emacsconf-publish-update-media=
Confirm by setting a submitted talk to =PLAYING= and testing with
elisp:emacsconf-publish-media-files-on-change . The public media
directory should have the files and the entry should be in the index.
Switching it back to =TO_STREAM= and calling
elisp:emacsconf-publish-media-files-on-change should remove it.
*** TODO Switch public media to unprotected root before the conference  :tminustwo:
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-publishing-media-to-the-server-and-to-the-wiki-switch-public-media-to-unprotected-root-before-the-conference
:END:
1. Clear public media directory.
2. Set =media_protect_root= to false in Ansible =group_vars/all.yml=.
3. =ansible-playbook -i inventory.yml prod-playbook.yml --tags media=
You can generate the index with =emacsconf-publish-update-media=.
** Automated IRC announcements
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-automated-irc-announcements
:END:
Success:
- [ ] When a talk starts playing, it is announced in the relevant channel
** BigBlueButton
:PROPERTIES:
:CUSTOM_ID: bbb
:END:
ssh orga@media.emacsconf.org "~/bin/bbb-before sat-open"
https://media.emacsconf.org/2024/current/bbb-sat-open.html
ssh orga@media.emacsconf.org "~/bin/bbb-open sat-open"
After restarting, and in case of "Firefox can’t establish a connection to the server at wss://bbb.emacsverse.org/graphql."
ssh root@bbb
cd greenlight-v3
docker compose restart
Sizes:
- dormant: 1 GB nanode
- testing: 4 core 8 GB shared CPU
- production: 8 core 16 GB dedicated CPU   (roughly half CPU load for 107 simultaneous users, 2024)
*** Installing BigBlueButton
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-bigbluebutton-installing-bigbluebutton
:END:
1. Create the instance.
   - Linode 4core 8GB shared CPU
   - Image: Ubuntu 22.04
2. Update the DNS for bbb.emacsverse.org with its IP address.
3. Download the BBB installer and make it executable.
4. ufw allow 16384:32768/udp
5. Run the BBB installer: ~./bbb-install.sh -v jammy-300 -s bbb.emacsverse.org -e emacsconf@sachachua.com -g~
6. ~sudo apt install bbb-playback-video~ and then follow the instructions at [[https://docs.bigbluebutton.org/3.0/administration/customize/#install-additional-recording-processing-formats][Server Customization | BigBlueButton]] .
   - /usr/local/bigbluebutton/core/scripts/bigbluebutton.yml:
     #+begin_example
     steps:
       archive: 'sanity'
       sanity: 'captions'
       captions:
         - 'process:presentation'
         - 'process:video'
       'process:presentation': 'publish:presentation'
       'process:video': 'publish:video'
     #+end_example
   - systemctl restart bbb-rap-resque-worker.service
7. docker exec -it greenlight-v3 bundle exec rake admin:create['name','email','password']
*** System audio limitations
:PROPERTIES:
:CUSTOM_ID: bbb-audio-limitations
:END:
Sharing system audio by changing the audio device to "Built-in Audio Analog Stereo" is very choppy, only gets captured in the recording if I'm using Firefox (not Chrome) AND there's at least one listener, and doesn't allow simultaneous narration from the speaker.
Using pulseaudio to change the app's recording device to the audio monitor results in smoother audio (because it's pretending to be the microphone), but still doesn't allow simultaneous narration from the speaker.
Combining microphone + system audio into a new virtual microphone source is probably more complicated than we want to walk speakers through.
BBB says sharing system audio works only if you use Chrome on Mac OS X or Microsoft Windows (https://support.bigbluebutton.org/hc/en-us/articles/1500005315642-Can-I-play-a-video-using-screen-sharing). I tested it on Linux and sharing system audio is not an option. If you happen to know of any more elegant way to do this, I'd love to hear it.
Related: https://github.com/bigbluebutton/bigbluebutton/issues/8632
*** Creating talk BBB rooms
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-bigbluebutton-creating-talk-bbb-rooms
:END:
- =docker exec -it greenlight-v3 /bin/bash=
- =bundle exec rails console=
- =user_id = User.find_by_email("sacha@sachachua.com").id=
#+begin_src emacs-lisp :results replace
(mapconcat (lambda (group)
					(format
					 "Room.create(user_id: user_id, name: \"%s - %s\")\n"
					 (plist-get (cadr group) :speakers)
					 (string-join (mapcar (lambda (talk) (plist-get talk :slug))
																			 (cdr group)))))
				(emacsconf-mail-groups (emacsconf-active-talks (emacsconf-get-talk-info)))
				"")
#+end_src
- elisp:emacsconf-publish-bbb-static-redirects
Print out the room IDs with
#+begin_src ruby
Room.all.each { |x| puts x.friendly_id + " " + x.name }; nil
#+end_src
It's possible to change the friendly_id and then use ~x.save!~.
*** Setting up moderator access codes
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-bigbluebutton-setting-up-moderator-access-codes
:END:
#+begin_src emacs-lisp
(dolist (talk (seq-filter (lambda (o)
														(and (plist-get o :bbb-room)
																 (not (plist-get o :bbb-mod-code))))
													(emacsconf-publish-prepare-for-display (emacsconf-get-talk-info))))
	(spookfox-js-injection-eval-in-active-tab
	 (format "window.location.href = \"%s\""
					 (replace-regexp-in-string "/join" "" (plist-get talk :bbb-room)))
	 t)
	(sleep-for 3)
	(spookfox-js-injection-eval-in-active-tab
	 "document.querySelector('button[data-rr-ui-event-key=\"settings\"]').click()" t)
	(spookfox-js-injection-eval-in-active-tab
	 "document.querySelector('input#glAnyoneCanStart').checked = true")
	(spookfox-js-injection-eval-in-active-tab
	 "document.querySelector('input#muteOnStart').checked = true")
	(spookfox-js-injection-eval-in-active-tab
	 "document.querySelectorAll('.border-end button')[2].click()" t)
	(let ((code (spookfox-js-injection-eval-in-active-tab
							 "document.querySelector('.access-code-input input').value" t)))
		(message "Setting %s to %s" (plist-get talk :slug) code)
		(emacsconf-set-property-from-slug
		 talk "BBB_MOD_CODE"
		 code)
		(sit-for 2)))
#+end_src
#+begin_src emacs-lisp
(dolist (talk (seq-filter (lambda (o)
														(plist-get o :bbb-room))
													(emacsconf-publish-prepare-for-display (emacsconf-get-talk-info))))
	(spookfox-js-injection-eval-in-active-tab
	 (format "window.location.href = \"%s\""
					 (replace-regexp-in-string "/join" "" (plist-get talk :bbb-room)))
	 t)
	(sleep-for 3)
	(spookfox-js-injection-eval-in-active-tab
	 "document.querySelector('button[data-rr-ui-event-key=\"settings\"]').click()" t)
	(sleep-for 3))
#+end_src
*** Backing up BBB                                                 :backup:
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-bigbluebutton-backing-up-bbb
:END:
rsync -avze ssh root@bbb:/var/bigbluebutton/ bigbluebutton/
ssh root@bbb 'tar zcvf - /var/bigbluebutton /etc/bigbluebutton /root/greenlight-v3 /usr/local/bigbluebutton /usr/share/bbb-web' > bbb-backup-$(date "+%Y-%m-%d").tar.gz
ssh root@bbb 'dd if=/dev/sda bs=5M ' | dd of=bbb-img-$(date "+%Y-%m-%d").img status=progress
*** Spinning BBB up again
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-bigbluebutton-spinning-bbb-up-again
:END:
[2025-01-22 Wed] ... actually, this ran into some issues with the certificate, so I'm just going to do a reinstall.
Previous notes
1. Create a Nanode.
2. Update the DNS for bbb.emacsverse.org with its IP address. (dns.he.net)
3. Reboot into Rescue mode. In Lish:
   #+begin_src sh :eval  no
   passwd  # set interactively
   sed -i -e 's/#PasswordAuthentication yes/PasswordAuthentication yes/g' /etc/ssh/sshd_config
   echo 'PermitRootLogin yes' >> /etc/ssh/sshd_config
   service ssh start
   #+end_src
4. From the backup directory:
   gunzip -c bbb-img-2024-12-08.img.gz | ssh root@bbb.emacsconf.org "dd of=/dev/sda bs=4M status=progress oflag=direct iflag=fullblock"
5. After I resized to 4core 8GB RAM, I couldn't log in with SSH, so I used the Linode shell. ~sshd -t~ said no host keys available. Fix:
   #+begin_src sh :eval no
   ssh-keygen -A
   service ssh --full-restart
   #+end_src
6. ./bbb-install.sh -v jammy-300 -s bbb.emacsverse.org -e emacsconf@sachachua.com
Resources:
- https://overto.eu/posts/gunzip-into-dd/
- https://www.linode.com/community/questions/20386/how-do-i-ssh-to-linode-from-the-finnix-boot-in-order-to-copy-my-local-vm-over-to
- https://github.com/bigbluebutton/bigbluebutton/issues/9485
** Manual IRC announcements
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-manual-irc-announcements
:END:
Success:
- [X] You can /opall, /conftopic, and /broadcast
** Low-res stream
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-low-res-stream
:END:
Should be automatic, handled by Icecast
backup on live:
- /usr/local/bin/emacsconf-lowres-gen-on-connect
- /usr/local/bin/emacsconf-lowres-dev-on-connect
** Upload talks to YouTube
SCHEDULED: <2024-11-30 Sat>
:PROPERTIES:
:CREATED:  [2024-11-27 Wed 17:33]
:CUSTOM_ID: general-infrastructure-upload-talks-to-youtube
:END:
[[https://studio.youtube.com/channel/UCwuyodzTl_KdEKNuJmeo99A/videos/upload?filter=%5B%5D&sort=%7B%22columnType%22%3A%22date%22%2C%22sortOrder%22%3A%22DESCENDING%22%7D][Channel videos]]
#+begin_src emacs-lisp :results table replace
(seq-keep
 (lambda (o)
	 (when (and (string= (plist-get o :status) "TO_STREAM")
							(not (plist-get o :youtube)))
		 (list
			(plist-get o :slug)
			(org-link-make-string
			 (concat "copy:"
							 )
			 "video file")
			(org-link-make-string
			 (format "elisp:(emacsconf-publish-video-description \"%s\" t)"
							 (plist-get o :slug))
			 "desc")
			(if (emacsconf-talk-file o "--main.vtt")
					(org-link-make-string
					 (concat "copy:"
									 (emacsconf-talk-file o "--main.vtt"))
					 "sub file")
				"")
			(org-link-make-string
			 (concat "elisp:(emacsconf-set-property-from-slug \""
							 (plist-get o :slug)
							 "\" \"YOUTUBE\" (read-string \"YouTube URL: \"))"
							 )
			 "save")
			(plist-get o :scheduled))))
 (emacsconf-publish-prepare-for-display (emacsconf-get-talk-info)))
#+end_src
#+RESULTS:
:results:
| shell     | [[copy:/home/sacha/proj/emacsconf/2024/cache/emacsconf-2024-shell--emacs-as-a-shell--christopher-howard--main.webm][video file]] | [[elisp:(emacsconf-publish-video-description "shell" t)][desc]] | [[copy:/home/sacha/proj/emacsconf/2024/cache/emacsconf-2024-shell--emacs-as-a-shell--christopher-howard--main.vtt][sub file]] | [[elisp:(emacsconf-set-property-from-slug "shell" "YOUTUBE" (read-string "YouTube URL: "))][save]] | <2024-12-07 Sat 13:55-14:35> |
| writing   | [[copy:/home/sacha/proj/emacsconf/2024/cache/emacsconf-2024-writing--emacs-writing-studio--peter-prevos--main.webm][video file]] | [[elisp:(emacsconf-publish-video-description "writing" t)][desc]] | [[copy:/home/sacha/proj/emacsconf/2024/cache/emacsconf-2024-writing--emacs-writing-studio--peter-prevos--main.vtt][sub file]] | [[elisp:(emacsconf-set-property-from-slug "writing" "YOUTUBE" (read-string "YouTube URL: "))][save]] | <2024-12-07 Sat 16:05-16:15> |
| sat-close | [[copy:][video file]] | [[elisp:(emacsconf-publish-video-description "sat-close" t)][desc]] |          | [[elisp:(emacsconf-set-property-from-slug "sat-close" "YOUTUBE" (read-string "YouTube URL: "))][save]] | <2024-12-07 Sat 17:00-17:10> |
| links     | [[copy:/home/sacha/proj/emacsconf/2024/cache/emacsconf-2024-links--unlocking-linked-data-replacing-specialized-apps-with-an-orgbased-semantic-wiki--abhinav-tushar--main.webm][video file]] | [[elisp:(emacsconf-publish-video-description "links" t)][desc]] | [[copy:/home/sacha/proj/emacsconf/2024/cache/emacsconf-2024-links--unlocking-linked-data-replacing-specialized-apps-with-an-orgbased-semantic-wiki--abhinav-tushar--main.vtt][sub file]] | [[elisp:(emacsconf-set-property-from-slug "links" "YOUTUBE" (read-string "YouTube URL: "))][save]] | <2024-12-08 Sun 09:10-09:20> |
| blee      | [[copy:/home/sacha/proj/emacsconf/2024/cache/emacsconf-2024-blee--about-blee-towards-an-integrated-emacs-environment-for-enveloping-our-own-autonomy-directed-digital-ecosystem--mohsen-banan--main.webm][video file]] | [[elisp:(emacsconf-publish-video-description "blee" t)][desc]] | [[copy:/home/sacha/proj/emacsconf/2024/cache/emacsconf-2024-blee--about-blee-towards-an-integrated-emacs-environment-for-enveloping-our-own-autonomy-directed-digital-ecosystem--mohsen-banan--main.vtt][sub file]] | [[elisp:(emacsconf-set-property-from-slug "blee" "YOUTUBE" (read-string "YouTube URL: "))][save]] | <2024-12-08 Sun 10:30-11:15> |
| hyperbole | [[copy:/home/sacha/proj/emacsconf/2024/cache/emacsconf-2024-hyperbole--fun-things-with-gnu-hyperbole--mats-lidell--main.webm][video file]] | [[elisp:(emacsconf-publish-video-description "hyperbole" t)][desc]] | [[copy:/home/sacha/proj/emacsconf/2024/cache/emacsconf-2024-hyperbole--fun-things-with-gnu-hyperbole--mats-lidell--main.vtt][sub file]] | [[elisp:(emacsconf-set-property-from-slug "hyperbole" "YOUTUBE" (read-string "YouTube URL: "))][save]] | <2024-12-08 Sun 11:30-11:45> |
| pgmacs    | [[copy:/home/sacha/proj/emacsconf/2024/cache/emacsconf-2024-pgmacs--pgmacs-browsing-and-editing-postgresql-databases-from-emacs--eric-marsden--main.webm][video file]] | [[elisp:(emacsconf-publish-video-description "pgmacs" t)][desc]] | [[copy:/home/sacha/proj/emacsconf/2024/cache/emacsconf-2024-pgmacs--pgmacs-browsing-and-editing-postgresql-databases-from-emacs--eric-marsden--main.vtt][sub file]] | [[elisp:(emacsconf-set-property-from-slug "pgmacs" "YOUTUBE" (read-string "YouTube URL: "))][save]] | <2024-12-08 Sun 13:40-13:55> |
| literate  | [[copy:/home/sacha/proj/emacsconf/2024/cache/emacsconf-2024-literate--literate-programming-for-the-21st-century--howard-abrams--main.webm][video file]] | [[elisp:(emacsconf-publish-video-description "literate" t)][desc]] | [[copy:/home/sacha/proj/emacsconf/2024/cache/emacsconf-2024-literate--literate-programming-for-the-21st-century--howard-abrams--main.vtt][sub file]] | [[elisp:(emacsconf-set-property-from-slug "literate" "YOUTUBE" (read-string "YouTube URL: "))][save]] | <2024-12-08 Sun 14:15-14:35> |
| sun-close | [[copy:][video file]] | [[elisp:(emacsconf-publish-video-description "sun-close" t)][desc]] |          | [[elisp:(emacsconf-set-property-from-slug "sun-close" "YOUTUBE" (read-string "YouTube URL: "))][save]] | <2024-12-08 Sun 16:50-17:00> |
:end:
** Restream to YouTube
:PROPERTIES:
:CUSTOM_ID: general-infrastructure-restream-to-youtube
:END:
* Other process notes
:PROPERTIES:
:CUSTOM_ID: other
:END:
** Adding another user to BBB
:PROPERTIES:
:CUSTOM_ID: bbb-user
:END:
#+begin_src ssh :eval no
ssh bbb.emacsverse.org
docker exec -it greenlight-v2 bundle exec rake user:create["USERNAME","EMAIL","PASSWORD","user"]
#+end_src
** When a talk is added after the schedule has already been drafted
:PROPERTIES:
:CUSTOM_ID: other-process-notes-when-a-talk-is-added-after-the-schedule-has-already-been-drafted
:END:
- [X] Add the talk to conf.org
- [X] Add the talk ID to the draft schedule
- [X] Run the draft schedule block
- [X] elisp:emacsconf-schedule-update-from-info
- [X] elisp:emacsconf-publish-talks-json-to-files
- [X] Generate pads with ~ansible-playbook -i inventory.yml prod-playbook.yml --tags pad~
- [X] elisp:emacsconf-set-file-prefixes
- [X] elisp:emacsconf-update-schedule
- [X] elisp:emacsconf-stream-generate-overlays
- [X] elisp:emacsconf-stream-generate-test-videos
- [X] ~rsync -avze ssh ~/proj/emacsconf/2024/assets/ res:/data/emacsconf/shared/2024/assets/~
- [X] Send the upload instructions
- [X] Generate the intro text
- [ ] Record the intro
** When a talk is cancelled
:PROPERTIES:
:CUSTOM_ID: cancel-talk
:END:
1. Update the status to CANCELLED. Update that specific talk with elisp:emacsconf-publish-info-pages-for-talk.
2. Rejig the schedule if needed, and update with elisp:emacsconf-schedule-update-from-info
3. Update the published schedule with [[elisp:emacsconf-update-schedule]] and push the wiki.
4. Regenerate the intros (before, after). elisp:emacsconf-stream-generate-in-between-pages, then use elisp:subed-record-compile-video in the intros file.
5. Resync the cache directory.
6. Consider updating the screenshots for sat-open and sun-open.
** When a talk changes title
:PROPERTIES:
:CUSTOM_ID: other-process-notes-when-a-talk-changes-title
:END:
1. Update the title in conf.org.
2. Delete the FILE_PREFIX property.
3. Call elisp:emacsconf-set-file-prefix-if-needed.
4. Rename existing files with elisp:emacsconf-update-file-prefixes.
5. Update the intro VTT file with the new title.
6. Update the wiki page for the talk.
7. Regenerate the in-between images with elisp:emacsconf-stream-generate-in-between-pages
8. Rerecord and recompile the intro, and recompile the intro for the talk after it.
9. elisp:emacsconf-update-schedule
10. elisp:emacsconf-pad-prepopulate-hyperlists
** When a talk Q&A changes method
:PROPERTIES:
:CUSTOM_ID: change-talk-qa
:END:
1. Update the talk property.
2. Update the schedule with [[elisp:emacsconf-update-schedule]]
3. Regenerate the intros (before, after). elisp:emacsconf-stream-generate-in-between-pages, then use elisp:subed-record-compile-video in the intros file.
4. Sync the new intros to the /data/emacsconf/shared/$YEAR/assets/intros directory.
5. Regenerate the pads: elisp:emacsconf-pad-prepopulate-all-talks
6. Regenerate talks.json: elisp:emacsconf-publish-talks-json-to-files
** To play the other stream
:PROPERTIES:
:CUSTOM_ID: other-process-notes-to-play-the-other-stream
:END:
- ~mpv --profile=full https://live0.emacsconf.org/gen.webm~
- Change the channel topic to note that discussion can be in the other channel
** When a system is down
:PROPERTIES:
:CUSTOM_ID: other-process-notes-when-a-system-is-down
:END:
Let people know in #emacsconf and #emacsconf-org
Update the status page:
[[file:/ssh:orga@front0.emacsconf.org:/var/www/status.emacsconf.org/index.html]]
/broadcast <message> may also be helpful
** When we need to bring on a last-minute volunteer
:PROPERTIES:
:CUSTOM_ID: other-process-notes-when-we-need-to-bring-on-a-last-minute-volunteer
:END:
/backstage nick
will give them the backstage credentials and links to the index
** Checking people in
:PROPERTIES:
:CUSTOM_ID: other-process-notes-checking-people-in
:END:
/checkin nick
/room nick   (should be automatic if live, but there just in case)
** Ansible
:PROPERTIES:
:CUSTOM_ID: other-process-notes-ansible
:END:
#+begin_src sh :eval no
git clone git@git.emacsconf.org:pub/emacsconf-ansible
#+end_src
 |