-
Notifications
You must be signed in to change notification settings - Fork 4
/
Copy pathshared.js
4776 lines (3999 loc) · 180 KB
/
shared.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
/*
* Simple Context (v2.0.0-alpha)
*/
/* global info, state, worldInfo, addWorldEntry, updateWorldEntry, removeWorldEntry */
/*
* START SECTION - Configuration
*
* Various configuration that can be set to change the look and feel of the script, along
* with determining the shortcuts used to control the menus and the placement of injected
* context blocks.
*
* This section is intended to be modified for user preference.
*/
// Shortcut commands used to navigate the various menu UI
const SC_UI_SHORTCUT = { PREV: "<", NEXT: ">", PREV_PAGE: "<<", NEXT_PAGE: ">>", EXIT: "!", DELETE: "^", GOTO: "#", HINTS: "?", SAVE_EXIT: "y!", EXIT_NO_SAVE: "n!" }
// Control over UI icons and labels
const SC_UI_ICON = {
// Tracking Labels
TRACK: " ",
TRACK_MAIN: "✔️ ",
TRACK_OTHER: "⭕ ",
TRACK_EXTENDED: "🔗 ",
// Find Labels
FIND_SCENES: "🎬 ",
FIND_ENTRIES: "🎭 ",
FIND_TITLES: "🏷️ ",
// Main HUD Labels
HUD_POV: "🕹️ ",
HUD_NOTES: "✒️ ",
HUD_BANNED: "❌ ",
// Config Labels
CONFIG: "⚙️ ",
CONFIG_SPACING: "Paragraph Spacing Enabled",
CONFIG_SIGNPOSTS: "Signposts Enabled",
CONFIG_PROSE_CONVERT: "Convert Prose to Futureman",
CONFIG_HUD_MAXIMIZED: "HUD Maximized",
CONFIG_HUD_MINIMIZED: "HUD Minimized",
CONFIG_REL_SIZE_LIMIT: "Relations Size Limit",
CONFIG_ENTRY_INSERT_DISTANCE: "Entry Insert Distance",
CONFIG_SIGNPOSTS_DISTANCE: "Signposts Distance",
CONFIG_SIGNPOSTS_INITIAL_DISTANCE: "Signposts Initial Distance",
CONFIG_DEAD_TEXT: "Dead Text",
CONFIG_SCENE_BREAK: "Scene Break Text",
// Entry Labels
LABEL: "🔖 ",
TRIGGER: "🔍 ",
MAIN: "📑 ",
SEEN: "👁️ ",
HEARD: "🔉 ",
TOPIC: "💬 ",
// Relationship Labels
AREAS: "🗺️ ",
EXITS: "🚪 ",
THINGS: "📦 ",
COMPONENTS: "⚙️ ",
CONTACTS: "👋 ",
PARENTS: "🧬 ",
CHILDREN: "🧸 ",
PROPERTY: "💰 ",
OWNERS: "🙏 ",
// Title Labels
TITLE: "🏷️ ",
MATCH: "🔍 ",
SCOPE: "🧑🤝🧑 ",
CATEGORY: "🎭 ",
DISP: "🤩 ",
TYPE: "🥊 ",
MOD: "💥 ",
PRONOUN: "🔱 ",
STATUS: "💀 ",
ENTRY: "📌 ",
// Scene Labels
PROMPT: "📝 ",
NOTES: "✒️ ",
// Title options
CATEGORY_OPTIONS: "🎭🗺️📦👑💡 ",
DISP_OPTIONS: "🤬😒😐😀🤩 ",
TYPE_OPTIONS: "🤝💞✊💍🥊 ",
MOD_OPTIONS: "👍👎💥 ",
STATUS_OPTIONS: "❤️💀🧟 ",
PRONOUN_OPTIONS: "🎗️➰🔱 ",
// Injected Icons
INJECTED_SEEN: "👁️",
INJECTED_HEARD: "🔉",
INJECTED_TOPIC: "💬",
// Relationship Disposition: 1-5
HATE: "🤬",
DISLIKE: "😒",
NEUTRAL: "😐",
LIKE: "😀",
LOVE: "🤩",
// Relationship Modifier: +-x
MORE: "👍",
LESS: "👎",
EX: "💥",
// Relationship Type: FLAME
FRIENDS: "🤝",
LOVERS: "💞",
ALLIES: "✊",
MARRIED: "💍",
ENEMIES: "🥊",
// Extended Relationships
SIBLINGS: "(s) ",
SIBLINGS_CHILDREN: "(sc) ",
PARENTS_SIBLINGS: "(ps) ",
GRANDPARENTS: "(gp) ",
GRANDCHILDREN: "(gc) ",
// Character Pronoun Icons
YOU: "🕹️",
HER: "🎗️",
HIM: "➰",
UNKNOWN: "🔱",
// Character Status Icons
ALIVE: "❤️",
DEAD: "💀",
UNDEAD: "🧟",
// Entry Category Icons
CHARACTER: "🎭",
LOCATION: "🗺️",
THING: "📦",
FACTION: "👑",
OTHER: "💡",
SCENE: "🎬",
// Character can have relationships
// Location has many areas, location has layout to traverse areas, each area is a WI, can have owner, can have faction ownership
// Faction has many roles, each role is subordinate to a role above, top role is faction leader
// Thing can have location/area, can have owner, can have faction ownership
// Other generic entry
// General Icons
ON: "✔️",
OFF: "❌",
CONFIRM: "✔️",
SUCCESS: "🎉",
INFO: "💡",
SEARCH: "🔍",
WARNING: "⚠️",
ERROR: "💥",
SEPARATOR: " ∙∙ ",
SELECTED: "🔅 ",
EMPTY: "❔ ",
MEASURE: "📏",
TOGGLE: "🔲",
TEXT: "✒️",
BREAK: "〰️〰️〰️〰️〰️〰️〰️〰️〰️〰️"
}
// Control over UI colors
const SC_UI_COLOR = {
// Tracking UI
TRACK: "chocolate",
TRACK_MAIN: "chocolate",
TRACK_EXTENDED: "dimgrey",
TRACK_OTHER: "brown",
// Find UI
FIND_SCENES: "indianred",
FIND_ENTRIES: "chocolate",
FIND_TITLES: "dimgrey",
// Story UI
HUD_NOTES: "seagreen",
HUD_POV: "dimgrey",
HUD_BANNED: "indianred",
// Config UI
CONFIG: "indianred",
CONFIG_SPACING: "seagreen",
CONFIG_SIGNPOSTS: "seagreen",
CONFIG_PROSE_CONVERT: "seagreen",
CONFIG_HUD_MAXIMIZED: "steelblue",
CONFIG_HUD_MINIMIZED: "steelblue",
CONFIG_REL_SIZE_LIMIT: "slategrey",
CONFIG_ENTRY_INSERT_DISTANCE: "slategrey",
CONFIG_SIGNPOSTS_DISTANCE: "slategrey",
CONFIG_SIGNPOSTS_INITIAL_DISTANCE: "slategrey",
CONFIG_DEAD_TEXT: "dimgrey",
CONFIG_SCENE_BREAK: "dimgrey",
// Entry UI,
LABEL: "indianred",
TRIGGER: "seagreen",
MAIN: "steelblue",
SEEN: "slategrey",
HEARD: "slategrey",
TOPIC: "slategrey",
// Relationship UI
CONTACTS: "steelblue",
AREAS: "seagreen",
EXITS: "seagreen",
THINGS: "seagreen",
COMPONENTS: "seagreen",
CHILDREN: "steelblue",
PARENTS: "steelblue",
PROPERTY: "slategrey",
OWNERS: "slategrey",
// Title Labels
TITLE: "indianred",
MATCH: "seagreen",
CATEGORY: "steelblue",
DISP: "steelblue",
TYPE: "steelblue",
MOD: "steelblue",
STATUS: "steelblue",
PRONOUN: "steelblue",
ENTRY: "steelblue",
SCOPE: "slategrey",
// Scene UI
YOU: "seagreen",
PROMPT: "slategrey",
NOTES: "indianred"
}
// Control over page titles
const SC_UI_PAGE = {
CONFIG: "Configuration",
NOTES: "Currently Active Notes",
SCENE: "Scene",
SCENE_NOTES: "Scene Notes",
ENTRY: "Entry",
ENTRY_RELATIONS: "Relations",
ENTRY_NOTES: "Notes",
TITLE_TARGET: "Title ∙∙ Target Entry",
TITLE_SOURCE: "Title ∙∙ Source Entry"
}
/*
* END SECTION - Configuration
*/
/*
* START SECTION - Hardcoded Settings - DO NOT EDIT THIS SECTION OR YOU WILL BREAK THE SCRIPT!
*
* DISPOSITION
* 1 hate
* 2 dislike
* 3 neutral
* 4 like
* 5 love
*
* MODIFIER
* x ex
*
* TYPE
* F friends/extended family
* L lovers
* A allies
* M married
* E enemies
*
* [1-5][FLAME][-+x]
*
* eg: Jill:1 Jack:4F, Mary:2Lx, John:3A+
*
*/
const SC_DATA = {
// General
LABEL: "label", TRIGGER: "trigger", REL: "rel",
// Scene
YOU: "you", PROMPT: "prompt", NOTES: "notes",
// Title
TARGET: "target", SOURCE: "source",
// Entry
CATEGORY: "category", STATUS: "status", PRONOUN: "pronoun", MAIN: "main", SEEN: "seen", HEARD: "heard", TOPIC: "topic",
// Relationships
CONTACTS: "contacts", AREAS: "areas", EXITS: "exits", THINGS: "things", COMPONENTS: "components", CHILDREN: "children", PARENTS: "parents", PROPERTY: "property", OWNERS: "owners",
// Config
CONFIG_SPACING: "spacing",
CONFIG_SIGNPOSTS: "signposts",
CONFIG_PROSE_CONVERT: "prose_convert",
CONFIG_SIGNPOSTS_DISTANCE: "signposts_distance",
CONFIG_SIGNPOSTS_INITIAL_DISTANCE: "signposts_initial_distance",
CONFIG_REL_SIZE_LIMIT: "rel_size_limit",
CONFIG_SCENE_BREAK: "scene_break",
CONFIG_DEAD_TEXT: "dead_text",
CONFIG_HUD_MAXIMIZED: "hud_maximized",
CONFIG_HUD_MINIMIZED: "hud_minimized"
}
const SC_SCOPE = {
CONTACTS: SC_DATA.CONTACTS, AREAS: SC_DATA.AREAS, EXITS: SC_DATA.EXITS, THINGS: SC_DATA.THINGS, COMPONENTS: SC_DATA.COMPONENTS, CHILDREN: SC_DATA.CHILDREN, PARENTS: SC_DATA.PARENTS, PROPERTY: SC_DATA.PROPERTY, OWNERS: SC_DATA.OWNERS,
SIBLINGS: "siblings", GRANDPARENTS: "grandparents", GRANDCHILDREN: "grandchildren", PARENTS_SIBLINGS: "parents siblings", SIBLINGS_CHILDREN: "siblings children"
}
const SC_SCOPE_OPP = { CONTACTS: SC_SCOPE.CONTACTS, EXITS: SC_SCOPE.EXITS, CHILDREN: SC_SCOPE.PARENTS, PARENTS: SC_SCOPE.CHILDREN, PROPERTY: SC_SCOPE.OWNERS, OWNERS: SC_SCOPE.PROPERTY }
const SC_CATEGORY = { CHARACTER: "character", LOCATION: "location", THING: "thing", FACTION: "faction", OTHER: "other" }
const SC_CATEGORY_CMD = {"@": SC_CATEGORY.CHARACTER, "#": SC_CATEGORY.LOCATION, "$": SC_CATEGORY.THING, "%": SC_CATEGORY.FACTION, "^": SC_CATEGORY.OTHER}
const SC_STATUS = { ALIVE: "alive", DEAD: "dead", UNDEAD: "undead" }
const SC_PRONOUN = { YOU: "you", HIM: "him", HER: "her", UNKNOWN: "unknown" }
const SC_RELATABLE = [ SC_CATEGORY.CHARACTER, SC_CATEGORY.FACTION, SC_CATEGORY.OTHER ]
const SC_NOTE_TYPES = { SCENE: "scene", ENTRY: "entry", CUSTOM: "custom" }
const SC_DISP = { HATE: 1, DISLIKE: 2, NEUTRAL: 3, LIKE: 4, LOVE: 5 }
const SC_TYPE = { FRIENDS: "F", LOVERS: "L", ALLIES: "A", MARRIED: "M", ENEMIES: "E" }
const SC_MOD = { LESS: "-", EX: "x", MORE: "+" }
const SC_ENTRY_ALL_KEYS = [ SC_DATA.MAIN, SC_DATA.SEEN, SC_DATA.HEARD, SC_DATA.TOPIC ]
const SC_REL_ALL_KEYS = [ SC_DATA.AREAS, SC_DATA.EXITS, SC_DATA.THINGS, SC_DATA.COMPONENTS, SC_DATA.CONTACTS, SC_DATA.PARENTS, SC_DATA.CHILDREN, SC_DATA.PROPERTY, SC_DATA.OWNERS ]
const SC_REL_CHARACTER_KEYS = [ SC_DATA.CONTACTS, SC_DATA.PARENTS, SC_DATA.CHILDREN, SC_DATA.PROPERTY, SC_DATA.OWNERS ]
const SC_REL_FACTION_KEYS = [ SC_DATA.CONTACTS, SC_DATA.PARENTS, SC_DATA.CHILDREN, SC_DATA.PROPERTY, SC_DATA.OWNERS ]
const SC_REL_LOCATION_KEYS = [ SC_DATA.AREAS, SC_DATA.EXITS, SC_DATA.THINGS, SC_DATA.COMPONENTS, SC_DATA.OWNERS ]
const SC_REL_THING_KEYS = [ SC_DATA.COMPONENTS, SC_DATA.OWNERS ]
const SC_REL_OTHER_KEYS = [ ...SC_REL_ALL_KEYS ]
const SC_REL_RECIPROCAL_KEYS = [ SC_DATA.CONTACTS, SC_DATA.PARENTS, SC_DATA.CHILDREN, SC_DATA.PROPERTY, SC_DATA.OWNERS ]
const SC_TITLE_KEYS = [ "targetCategory", "targetDisp", "targetType", "targetMod", "targetStatus", "targetPronoun", "targetEntry", "scope" ]
const SC_TITLE_SOURCE_KEYS = [ "sourceCategory", "sourceDisp", "sourceType", "sourceMod", "sourceStatus", "sourcePronoun", "sourceEntry" ]
const SC_SCENE_PROMPT_KEYS = [ "scenePrompt", "sceneYou" ]
const SC_CONFIG_KEYS = [ "config_spacing", "config_signposts", "config_prose_convert", "config_hud_maximized", "config_hud_minimized", "config_rel_size_limit", "config_signposts_distance", "config_signposts_initial_distance", "config_dead_text", "config_scene_break" ]
const SC_VALID_SCOPE = Object.values(SC_SCOPE)
const SC_VALID_STATUS = Object.values(SC_STATUS)
const SC_VALID_PRONOUN = Object.values(SC_PRONOUN).filter(p => p !== SC_PRONOUN.YOU)
const SC_VALID_DISP = Object.values(SC_DISP).map(v => `${v}`)
const SC_VALID_TYPE = Object.values(SC_TYPE)
const SC_VALID_MOD = Object.values(SC_MOD)
const SC_VALID_CATEGORY = Object.values(SC_CATEGORY)
const SC_SCOPE_REV = Object.assign({}, ...Object.entries(SC_SCOPE).map(([a,b]) => ({ [`${b}`]: a })))
const SC_DISP_REV = Object.assign({}, ...Object.entries(SC_DISP).map(([a,b]) => ({ [`${b}`]: a })))
const SC_TYPE_REV = Object.assign({}, ...Object.entries(SC_TYPE).map(([a,b]) => ({ [b]: a })))
const SC_MOD_REV = Object.assign({}, ...Object.entries(SC_MOD).map(([a,b]) => ({ [b]: a })))
const SC_FLAG_DEFAULT = `${SC_DISP.NEUTRAL}`
const SC_FEATHERLITE = "•"
const SC_SIGNPOST = "<<●>>>>"
const SC_SIGNPOST_BUFFER = 6
const SC_WI_SIZE = 500
const SC_WI_CONFIG = "#sc:config"
const SC_WI_REGEX = "#sc:regex"
const SC_WI_ENTRY = "#entry:"
const SC_WI_TITLE = "#title:"
const SC_WI_SCENE = "#scene:"
const SC_DEFAULT_CONFIG = {
[SC_DATA.CONFIG_SPACING]: 1,
[SC_DATA.CONFIG_SIGNPOSTS]: 1,
[SC_DATA.CONFIG_PROSE_CONVERT]: 0,
[SC_DATA.CONFIG_HUD_MAXIMIZED]: "pov/track/banned, notes",
[SC_DATA.CONFIG_HUD_MINIMIZED]: "track/banned",
[SC_DATA.CONFIG_REL_SIZE_LIMIT]: 800,
[SC_DATA.CONFIG_ENTRY_INSERT_DISTANCE]: 0.6,
[SC_DATA.CONFIG_SIGNPOSTS_DISTANCE]: 300,
[SC_DATA.CONFIG_SIGNPOSTS_INITIAL_DISTANCE]: 50,
[SC_DATA.CONFIG_SCENE_BREAK]: "〰️",
[SC_DATA.CONFIG_DEAD_TEXT]: "(dead)"
}
const SC_DEFAULT_TITLES = [{"title":"parent","trigger":"/parent/","scope":"parents","target":{"category":"character, faction","pronoun":"unknown"},"source":{"category":"character, faction"}},{"title":"mother","trigger":"/mother|m[uo]m(m[ya])?/","scope":"parents","target":{"category":"character","pronoun":"her"},"source":{"category":"character"}},{"title":"father","trigger":"/father|dad(dy|die)?|pa(pa)?/","scope":"parents","target":{"category":"character","pronoun":"him"},"source":{"category":"character"}},{"title":"child","trigger":"/child/","scope":"children","target":{"category":"character, faction","pronoun":"unknown"},"source":{"category":"character, faction"}},{"title":"daughter","trigger":"/daughter/","scope":"children","target":{"category":"character","pronoun":"her"},"source":{"category":"character"}},{"title":"son","trigger":"/son/","scope":"children","target":{"category":"character","pronoun":"him"},"source":{"category":"character"}},{"title":"sibling","trigger":"/sibling/","scope":"siblings","target":{"category":"character, faction","pronoun":"unknown"},"source":{"category":"character, faction"}},{"title":"sister","trigger":"/sis(ter)?/","scope":"siblings","target":{"category":"character","pronoun":"her"},"source":{"category":"character"}},{"title":"brother","trigger":"/bro(ther)?/","scope":"siblings","target":{"category":"character","pronoun":"him"},"source":{"category":"character"}},{"title":"niece","trigger":"/niece/","scope":"siblings children","target":{"category":"character","pronoun":"her"},"source":{"category":"character"}},{"title":"nephew","trigger":"/nephew/","scope":"siblings children","target":{"category":"character","pronoun":"him"},"source":{"category":"character"}},{"title":"aunt","trigger":"/aunt/","scope":"parents siblings","target":{"category":"character","pronoun":"her"},"source":{"category":"character"}},{"title":"uncle","trigger":"/uncle/","scope":"parents siblings","target":{"category":"character","pronoun":"him"},"source":{"category":"character"}},{"title":"grandmother","trigger":"/gran(dmother|dma|ny)/","scope":"grandparents","target":{"category":"character","pronoun":"her"},"source":{"category":"character"}},{"title":"grandfather","trigger":"/grand(father|pa|dad)/","scope":"grandparents","target":{"category":"character","pronoun":"him"},"source":{"category":"character"}},{"title":"granddaughter","trigger":"/granddaughter/","scope":"grandchildren","target":{"category":"character","pronoun":"her"},"source":{"category":"character"}},{"title":"grandson","trigger":"/grandson/","scope":"grandchildren","target":{"category":"character","pronoun":"him"},"source":{"category":"character"}},{"title":"spouse","trigger":"/spouse/","target":{"category":"character","pronoun":"unknown","type":"M"},"source":{"category":"character"}},{"title":"wife","trigger":"/wife/","target":{"category":"character","pronoun":"her","type":"M"},"source":{"category":"character"}},{"title":"ex wife","trigger":"/ex wife/","target":{"category":"character","pronoun":"her","type":"M","mod":"x"},"source":{"category":"character"}},{"title":"husband","trigger":"/husband/","target":{"category":"character","pronoun":"him","type":"M"},"source":{"category":"character"}},{"title":"ex husband","trigger":"/ex husband/","target":{"category":"character","pronoun":"him","type":"M","mod":"x"},"source":{"category":"character"}},{"title":"friend","trigger":"/friend/","target":{"category":"character, faction","type":"F","mod":"-+"},"source":{"category":"character, faction"}},{"title":"best friend","trigger":"/best friend|bff|bestie/","target":{"category":"character, faction","type":"F","mod":"+"},"source":{"category":"character, faction"}},{"title":"lover","trigger":"/lover/","target":{"category":"character","type":"L"},"source":{"category":"character"}},{"title":"ally","trigger":"/ally/","target":{"category":"character, faction","type":"A"},"source":{"category":"character, faction"}},{"title":"enemy","trigger":"/enemy/","target":{"category":"character, faction","type":"E"},"source":{"category":"character, faction"}},{"title":"master","trigger":"/master/","scope":"owners","target":{"category":"character"},"source":{"category":"character"}},{"title":"slave","trigger":"/slave/","scope":"property","target":{"category":"character"},"source":{"category":"character"}},{"title":"feature","scope":"areas, things","target":{"category":"location"},"source":{"category":"location"}},{"title":"exit","scope":"exits","target":{"category":"location"},"source":{"category":"location"}},{"title":"consists","scope":"components","target":{"category":"location, thing"},"source":{"category":"location, thing"}},{"title":"owns","scope":"owners","target":{"category":"thing"},"source":{"category":"character, faction"}},{"title":"owner","scope":"owners","target":{"category":"character, faction"},"source":{"category":"thing"}},{"title":"rules","scope":"owners","target":{"category":"location"},"source":{"category":"character, faction"}},{"title":"ruler","scope":"owners","target":{"category":"character, faction"},"source":{"category":"location"}},{"title":"leads","target":{"category":"faction","type":"M","mod":"+"},"source":{"category":"character"}},{"title":"leader","target":{"category":"character"},"source":{"category":"faction","type":"M","mod":"+"}},{"title":"align","target":{"category":"faction","type":"M","mod":"-+"},"source":{"category":"character"}},{"title":"member","target":{"category":"character"},"source":{"category":"faction","type":"M","mod":"-+"}},{"title":"likes","source":{"category":"character","disp":5}},{"title":"hates","source":{"category":"character","disp":1}}]
const SC_DEFAULT_REGEX = {
YOU: "you(r|rself)?",
HER: "she|her(self|s)?",
HIM: "he|him(self)?|his",
FEMALE: "♀|female|woman|lady|girl|gal|chick|wife|mother|m[uo]m(m[ya])?|daughter|aunt|gran(dmother|dma|ny)|queen|princess|duchess|countess|baroness|empress|maiden|witch",
MALE: "♂|male|man|gentleman|boy|guy|lord|lad|dude|husband|father|dad(dy|die)?|pa(pa)?|son|uncle|grand(father|pa|dad)|king|prince|duke|count|baron|emperor|wizard",
DEAD: "dead|deceased|departed|died|expired|killed|lamented|perished|slain|slaughtered",
UNDEAD: "banshee|draugr|dullahan|ghost|ghoul|grim reaper|jiangshi|lich|mummy|phantom|poltergeist|revenant|shadow person|skeleton|spectre|undead|vampire|vrykolakas|wight|wraith|zombie",
SEEN_AHEAD: "describ(e)?|display|examin(e)?|expos(e)?|glimps(e)?|imagin(e)?|notic(e)?|observ(e)?|ogl(e)?|peek|see|spot(t)?|view|watch",
SEEN_AHEAD_ACTION: "frown|gaz(e)?|glanc(e)?|glar(e)?|leer|look|smil(e)?|star(e[ds]?|ing)",
SEEN_BEHIND: "appears|arrives|comes out|emerges|looms|materializes",
SEEN_BEHIND_ACTION: "checked|displayed|examined|exposed|glimpsed|inspected|noticed|observed|regarded|scanned|scrutinized|seen|spotted|sprawl(ed|ing)|viewed|watched|wearing",
HEARD_AHEAD: "accent|amplification|babbl(e)?|bang|beep|bleep|buzz|chord|clank|clatter|crash|crunch|cry|decibels|din|dron(e)?|echo|fizz|grumbl(e)?|hiss|hubbub|hum(m)?|intonation|jangl(e)?|jingl(e)?|loudness|modulation|murmur|music|mutter|noise|note|pitch|purr|racket|report|resonance|reverberat(ion)?|ringing|row|rumbl(e)?|softness|sonance|sonancy|sonority|sonorousness|sound|splash|squeak|static|swish|tenor|thud|tinkl(e)?|tone|undertone|utterance|vibration|voice|volume|whi(r|z)|whisper",
HEARD_BEHIND: "accent|babbl|bang|beep|bleep|buzz|clank|clatter|crash|crunch|cry|dron|echo|fizz|grumbl|hiss|hubbub|hum(m)?|intonation|jangl(e)?|jingl(e)?|loudness|modulation|murmur|music|mutter|noise|pitch|purr|racket|resonance|reverberat|ringing|rumbl|sonance|sonancy|sonority|sonorousness|sound|splash|squeak|swish|tenor|thud|tinkl|tone|undertone|utterance|voice|volume|whi(r|z)|whisper",
STOP_WORDS: "'ll|'ve|a|able|about|above|abst|accordance|according|accordingly|across|act|actually|added|adj|affected|affecting|affects|after|afterwards|again|against|ah|all|almost|alone|along|already|also|although|always|am|among|amongst|an|and|announce|another|any|anybody|anyhow|anymore|anyone|anything|anyway|anyways|anywhere|apparently|approximately|are|aren|arent|arise|around|as|aside|ask|asking|at|auth|available|away|awfully|b|back|be|became|because|become|becomes|becoming|been|before|beforehand|begin|beginning|beginnings|begins|behind|being|believe|below|beside|besides|between|beyond|biol|both|brief|briefly|but|by|c|ca|came|can|can't|cannot|cause|causes|certain|certainly|co|com|come|comes|contain|containing|contains|could|couldnt|d|date|did|didn't|different|do|does|doesn't|doing|don't|done|down|downwards|due|during|e|each|ed|edu|effect|eg|eight|eighty|either|else|elsewhere|end|ending|enough|especially|et|et-al|etc|even|ever|every|everybody|everyone|everything|everywhere|ex|except|f|far|few|ff|fifth|first|five|fix|followed|following|follows|for|former|formerly|forth|found|four|from|further|furthermore|g|gave|get|gets|getting|give|given|gives|giving|go|goes|gone|got|gotten|h|had|happens|hardly|has|hasn't|have|haven't|having|he|hed|hence|her|here|hereafter|hereby|herein|heres|hereupon|hers|herself|hes|hi|hid|him|himself|his|hither|home|how|howbeit|however|hundred|i|i'll|i've|id|ie|if|im|immediate|immediately|importance|important|in|inc|indeed|index|information|instead|into|invention|inward|is|isn't|it|it'll|itd|its|itself|j|just|k|keep\tkeeps|kept|kg|km|know|known|knows|l|largely|last|lately|later|latter|latterly|least|less|lest|let|lets|like|liked|likely|line|little|look|looking|looks|ltd|m|made|mainly|make|makes|many|may|maybe|me|mean|means|meantime|meanwhile|merely|mg|might|million|miss|ml|more|moreover|most|mostly|mr|mrs|much|mug|must|my|myself|n|na|name|namely|nay|nd|near|nearly|necessarily|necessary|need|needs|neither|never|nevertheless|new|next|nine|ninety|no|nobody|non|none|nonetheless|noone|nor|normally|nos|not|noted|nothing|now|nowhere|o|obtain|obtained|obviously|of|off|often|oh|ok|okay|old|omitted|on|once|one|ones|only|onto|or|ord|other|others|otherwise|ought|our|ours|ourselves|out|outside|over|overall|owing|own|p|page|pages|part|particular|particularly|past|per|perhaps|placed|please|plus|poorly|possible|possibly|potentially|pp|predominantly|present|previously|primarily|probably|promptly|proud|provides|put|q|que|quickly|quite|qv|r|ran|rather|rd|re|readily|really|recent|recently|ref|refs|regarding|regardless|regards|related|relatively|research|respectively|resulted|resulting|results|right|run|s|said|same|saw|say|saying|says|sec|section|see|seeing|seem|seemed|seeming|seems|seen|self|selves|sent|seven|several|shall|she|she'll|shed|shes|should|shouldn't|show|showed|shown|showns|shows|significant|significantly|similar|similarly|since|six|slightly|so|some|somebody|somehow|someone|somethan|something|sometime|sometimes|somewhat|somewhere|soon|sorry|specifically|specified|specify|specifying|still|stop|strongly|sub|substantially|successfully|such|sufficiently|suggest|sup|sure\tt|take|taken|taking|tell|tends|th|than|thank|thanks|thanx|that|that'll|that've|thats|the|their|theirs|them|themselves|then|thence|there|there'll|there've|thereafter|thereby|thered|therefore|therein|thereof|therere|theres|thereto|thereupon|these|they|they'll|they've|theyd|theyre|think|this|those|thou|though|thoughh|thousand|throug|through|throughout|thru|thus|til|tip|to|together|too|took|toward|towards|tried|tries|truly|try|trying|ts|twice|two|u|un|under|unfortunately|unless|unlike|unlikely|until|unto|up|upon|ups|us|use|used|useful|usefully|usefulness|uses|using|usually|v|value|various|very|via|viz|vol|vols|vs|w|want|wants|was|wasnt|way|we|we'll|we've|wed|welcome|went|were|werent|what|what'll|whatever|whats|when|whence|whenever|where|whereafter|whereas|whereby|wherein|wheres|whereupon|wherever|whether|which|while|whim|whither|who|who'll|whod|whoever|whole|whom|whomever|whos|whose|why|widely|willing|wish|with|within|without|wont|words|world|would|wouldnt|www|x|y|yes|yet|z|zero",
INFLECTED: "(?:ing|ed)?",
PLURAL: "(?:es|s|'s|e's)?",
}
const SC_DEFAULT_NOTE_POS = 300
const SC_OCCURRENCE_DEAD = 0.1
const SC_OCCURRENCE_MAX = 8
const SC_WEIGHTS = {
CATEGORY: {
CHARACTER: 1,
FACTION: 0.8,
LOCATION: 0.6,
THING: 0.4,
OTHER: 0.2
},
STRENGTH: {
REL: 1,
MAIN: 0.8,
SEEN: 0.8,
HEARD: 0.8,
TOPIC: 0.6,
MAIN_NOTE: 0.8,
SEEN_NOTE: 0.8,
HEARD_NOTE: 0.8,
TOPIC_NOTE: 0.6
},
QUALITY: {
DIRECT: 1,
PRONOUN: 0.5,
EXPANDED_PRONOUN: 1
}
}
const SC_RE = {
INPUT_CMD: /^> You say "\/([\w!]+)\s?(.*)?"$|^> You \/([\w!]+)\s?(.*)?[.]$|^\/([\w!]+)\s?(.*)?$/,
QUICK_CREATE_CMD: /^([@#$%^])([^:]+)(:[^:]+)?(:[^:]+)?(:[^:]+)?(:[^:]+)?/,
QUICK_UPDATE_CMD: /^([@#$%^])([^+=]+)([+=])([^:]+):([^:]+)/,
QUICK_NOTE_CMD: /^[+]+([^!:#]+)(#(-?\d+)(?:\s+)?)?(!)?(:(?:\s+)?([\s\S]+))?/,
QUICK_ENTRY_NOTE_CMD: /^(📑|👁️|🔉|💬|[msht]|main|seen|heard|topic)?(?:\s+)?([+]+)([^!:#]+)(#(\d+)(?:\s+)?)?(!)?(:(?:\s+)?([\s\S]+))?/i,
WI_REGEX_KEYS: /.?\/((?![*+?])(?:[^\r\n\[\/\\]|\\.|\[(?:[^\r\n\]\\]|\\.)*])+)\/((?:g(?:im?|mi?)?|i(?:gm?|mg?)?|m(?:gi?|ig?)?)?)|[^,]+/g,
BROKEN_ENCLOSURE: /(")([^\w])(")|(')([^\w])(')|(\[)([^\w])(])|(\()([^\w])(\))|({)([^\w])(})|(<)([^\w])(>)/g,
ENCLOSURE: /([^\w])("[^"]+")([^\w])|([^\w])('[^']+')([^\w])|([^\w])(\[[^]]+])([^\w])|([^\w])(\([^)]+\))([^\w])|([^\w])({[^}]+})([^\w])|([^\w])(<[^<]+>)([^\w])/g,
SENTENCE: /([^!?.]+[!?.]+[\s]+?)|([^!?.]+[!?.]+$)|([^!?.]+$)/g,
ESCAPE_REGEX: /[.*+?^${}()|[\]\\]/g,
DETECT_FORMAT: /^[•\[{<]|[\]}>]$/g,
REL_KEYS: /([^,:]+)(:([1-5][FLAME]?[+\-x]?))|([^,]+)/gi
}
/*
* END SECTION - Hardcoded Settings
*/
/*
* Simple Context Cache
*/
const getCache = () => { try { return simpleContextCache } catch { return { regex: {} } } }
const simpleContextCache = getCache()
/*
* Simple Context Plugin
*/
class SimpleContextPlugin {
// Plugin control commands
systemCommands = ["enable", "disable", "show", "hide", "min", "max", "debug"]
// Plugin configuration
configCommands = ["config"]
// Global notes
notesCommands = ["notes", "n"]
// Find scenes, entries and titles
findCommands = ["find", "f"]
// Create/Edit scenes, entries, relationships and titles
sceneCommands = ["scene", "s"]
entryCommands = ["entry", "e"]
relationsCommands = ["rel", "r"]
titleCommands = ["title", "t"]
// Entry status commands
killCommands = ["kill", "k"]
reviveCommands = ["revive"]
// Change scene and pov
loadCommands = ["load", "l", "load!", "l!"]
povCommands = ["you", "y"]
// Ban entries from injection
banCommands = ["ban", "b"]
// Command to fix bugged displayStats
flushCommands = ["flush", "flush!"]
constructor() {
// All state variables scoped to state.simpleContextPlugin
// for compatibility with other plugins
if (!state.simpleContextPlugin) this.reloadPlugin()
this.state = state.simpleContextPlugin
this.queue = []
this.addQueue = []
this.removeQueue = []
this.cache = simpleContextCache
}
reloadPlugin() {
state.simpleContextPlugin = {
you: "",
scene: "",
sections: {},
creator: {},
banned: [],
notes: {},
context: this.getContextTemplate(),
info: { maxChars: 0, memoryLength: 0 },
lastMessage: "",
exitCreator: false,
isDebug: false,
isHidden: false,
isDisabled: false,
isMinimized: false,
showHints: true
}
}
initialize() {
// Create master lists of commands
this.controlCommands = [
...this.systemCommands,
...this.povCommands,
...this.loadCommands,
...this.banCommands,
...this.flushCommands,
...this.killCommands,
...this.reviveCommands
]
this.creatorCommands = [
...this.configCommands,
...this.notesCommands,
...this.sceneCommands,
...this.entryCommands,
...this.relationsCommands,
...this.titleCommands,
...this.findCommands
]
// Initialize displayStats if not already done
if (!state.displayStats) state.displayStats = []
// Clear messages that are no longer required
if (this.state.lastMessage && state.message) {
state.message = state.message.replace(this.state.lastMessage, "")
this.state.lastMessage = ""
}
// Tracking of modified context length to prevent 85% lockout
this.originalSize = 0
this.modifiedSize = 0
// Check exit creator flag and do next turn exiting
if (this.state.exitCreator) {
this.menuExit(false)
this.state.exitCreator = false
}
// Cache expanded world info
this.loadWorldInfo()
}
finalize(text) {
// Leave early if no WI changes
const requiresProcessing = this.removeQueue.length || this.addQueue.length
if (!requiresProcessing) return text
// Process world info changes
this.removeQueue = this.removeQueue.sort((a, b) => b - a)
for (const idx of this.removeQueue) removeWorldEntry(idx)
for (const [keys, entry] of this.addQueue) addWorldEntry(keys, entry)
// Reset queues
this.removeQueue = []
this.addQueue = []
// Load new changes
this.loadWorldInfo()
this.parseContext()
return text
}
loadWorldInfo() {
// Various cached copies of world info entries for fast access
this.worldInfo = {}
this.entries = {}
this.entriesList = []
this.titles = {}
this.titlesList = []
this.scenes = {}
this.scenesList = []
// Other configuration data saved to world info
this.config = {}
this.regex = {}
this.icons = {}
// Main loop over worldInfo creating new entry objects with padded data
for (let i = 0, l = worldInfo.length; i < l; i++) {
const info = worldInfo[i]
const entry = this.mergeWorldInfo(info, i)
// Add system config mapping
if (info.keys === SC_WI_CONFIG) this.config = entry
// Add regex text mapping
else if (info.keys === SC_WI_REGEX) this.regex = entry
// Add to main pool
this.worldInfo[info.keys] = entry
}
// Secondary loop that pads with missing information
let foundTitle = false
for (const entry of Object.values(this.worldInfo)) {
// Cache regex
if (entry.data.trigger) {
entry.regex = this.getEntryRegex(entry.data.trigger)
entry.pattern = this.getRegexPattern(entry.regex)
}
// Merge notes
const notesFields = Object.keys(entry.data).filter(f => f.startsWith(SC_DATA.NOTES))
if (notesFields.length) {
notesFields.sort()
for (const field of notesFields) {
if (!entry.data[SC_DATA.NOTES]) entry.data[SC_DATA.NOTES] = []
entry.data[SC_DATA.NOTES] = entry.data[SC_DATA.NOTES].concat(entry.data[field])
delete entry.data[field]
}
}
// Merge prompts
const promptFields = Object.keys(entry.data).filter(f => f.startsWith(SC_DATA.PROMPT))
if (promptFields.length) {
promptFields.sort()
for (const field of promptFields) {
if (!entry.data[SC_DATA.PROMPT]) entry.data[SC_DATA.PROMPT] = ""
entry.data[SC_DATA.PROMPT] += entry.data[field]
delete entry.data[field]
}
}
// Create entry lists
if (entry.keys.startsWith(SC_WI_ENTRY)) {
this.entries[entry.data.label] = entry
this.entriesList.push(entry)
if (entry.data.icon) this.icons[entry.data.icon] = true
}
// Create scene lists
else if (entry.keys.startsWith(SC_WI_SCENE)) {
this.scenes[entry.data.label] = entry
this.scenesList.push(entry)
if (entry.data.icon) this.icons[entry.data.icon] = true
}
// Create title lists
else if (entry.keys.startsWith(SC_WI_TITLE)) {
foundTitle = true
this.titles[entry.data.title] = entry
this.titlesList.push(entry)
if (entry.data.icon) this.icons[entry.data.icon] = true
}
}
// If no config loaded, reload from defaults
let finalize = false
if (!this.config.data) {
this.config.keys = SC_WI_CONFIG
this.config.data = Object.assign({}, SC_DEFAULT_CONFIG)
this.saveWorldInfo(this.config, true)
}
// Ensure all config is loaded
else {
for (const key of Object.keys(SC_DEFAULT_CONFIG)) {
if (this.config.data[key] === undefined) this.config.data[key] = SC_DEFAULT_CONFIG[key]
}
}
// If invalid regex mapping data, reload from defaults
if (!this.regex.data) {
this.regex.keys = SC_WI_REGEX
this.regex.data = Object.assign({}, SC_DEFAULT_REGEX)
this.saveWorldInfo(this.regex, true)
}
// Ensure all regex is loaded
else {
for (const key of Object.keys(SC_DEFAULT_REGEX)) {
if (!this.regex.data[key]) this.regex.data[key] = SC_DEFAULT_REGEX[key]
}
}
// If invalid title mapping data, reload from defaults
if (!foundTitle) {
const rules = SC_DEFAULT_TITLES.reduce((result, rule) => {
if (rule.trigger) rule.trigger = rule.trigger.toString()
if (rule.title) result.push(rule)
return result
}, [])
for (const rule of rules) {
this.saveWorldInfo({ keys: `${SC_WI_TITLE}${rule.title}`, data: rule }, true)
finalize = true
}
}
// Keep track of all icons so that we can clear display stats properly
for (const note of Object.values(this.state.notes)) this.icons[this.getNoteDisplayLabel(note)] = true
const { creator } = this.state
if (creator.data && creator.data.notes) for (const note of creator.data.notes) this.icons[this.getNoteDisplayLabel(note)] = true
this.icons = Object.keys(this.icons)
}
mergeWorldInfo(info, idx) {
const existing = this.worldInfo[info.keys]
const merged = Object.assign(existing || { idx: [] }, info)
const data = this.getJson(info.entry)
if (this.isObject(data)) merged.data = this.deepMerge(merged.data || {}, data)
else if (Array.isArray(data)) merged.data = (merged.data && merged.data.length) ? merged.data.concat(data) : data
else merged.data = Object.assign(merged.data || {}, {[SC_DATA.MAIN]: info.entry})
merged.entry = JSON.stringify(merged.data)
merged.idx.push(idx)
return merged
}
saveWorldInfo(entry, force=false) {
// Don't do the same entry twice!
if (!force && this.queue.includes(entry.data.label)) return
this.queue.push(entry.data.label)
// Remove old entries
this.removeWorldInfo(entry)
// Handle array data
if (Array.isArray(entry.data)) {
let chunk = []
for (const item of entry.data) {
const test = JSON.stringify([...chunk, item])
if (test.length > SC_WI_SIZE) {
this.addQueue.push([entry.keys, JSON.stringify(chunk)])
chunk = []
}
chunk.push(item)
}
this.addQueue.push([entry.keys, JSON.stringify(chunk)])
}
// Handle object data
else {
let promptText
let notesArray
let chunk = {}
for (const key of Object.keys(entry.data)) {
const value = entry.data[key]
if (key === SC_DATA.PROMPT) {
promptText = value
continue
}
if (key === SC_DATA.NOTES) {
notesArray = value
continue
}
const test = JSON.stringify(Object.assign({}, chunk, { [key]: value }))
if (test.length > SC_WI_SIZE) {
this.addQueue.push([entry.keys, JSON.stringify(chunk)])
chunk = {}
}
chunk[key] = value
}
this.addQueue.push([entry.keys, JSON.stringify(chunk)])
// Handle notes separation
if (notesArray) {
const maxSize = SC_WI_SIZE - SC_DATA.NOTES.length - 8
let chunk = 1
let charCount = 0
const notes = notesArray.reduce((result, note) => {
charCount += JSON.stringify(note).length + 1
if (charCount >= maxSize) {
chunk += 1
charCount = 0
}
const field = `${SC_DATA.NOTES}${chunk}`
if (!result[field]) result[field] = []
result[field].push(note)
return result
}, {})
for (const field of Object.keys(notes)) {
if (!notes[field].length) break
this.addQueue.push([entry.keys, JSON.stringify({[field]: notes[field]})])
}
}
// Handle prompt separation
if (promptText) {
const sentences = this.getSentences(promptText)
const maxSize = SC_WI_SIZE - SC_DATA.PROMPT.length - 8
let chunk = 1
let charCount = 0
const prompts = sentences.reduce((result, sentence) => {
charCount += sentence.length
if (charCount >= maxSize) {
chunk += 1
charCount = 0
}
const field = `${SC_DATA.PROMPT}${chunk}`
if (!result[field]) result[field] = []
result[field].push(sentence)
return result
}, {})
for (const field of Object.keys(prompts)) {
if (!prompts[field].length) break
this.addQueue.push([entry.keys, JSON.stringify({[field]: prompts[field].join("")})])
}
}
}
}
removeWorldInfo(entry) {
if (entry.idx) for (const idx of entry.idx) this.removeQueue.push(idx)
entry.idx = []
}
convertWorldInfo(category, regex, dryRun=true, keepOriginals=true) {
const conversions = []
// Only process if world info keys match convert pattern
for (let idx = 0, l = worldInfo.length; idx < l; idx++) {
const info = worldInfo[idx]
if (info.keys.startsWith("#") || !info.keys.match(regex)) continue
// Skip entries that already have a SC2 equiv
const label = info.keys.split(",")[0].trim()
const convertedKey = `${SC_WI_ENTRY}${label}`
if (this.entries[convertedKey]) continue
conversions.push(info.keys)
if (!dryRun) {
const trigger = this.getEntryRegex(info.keys).toString()
const status = this.getStatus(info.entry)
const pronoun = this.getPronoun(info.entry)
const main = info.entry
this.saveWorldInfo({ keys: convertedKey, data: { label, category, trigger, status, pronoun, main } })
if (!keepOriginals) this.removeWorldInfo({ idx: [idx] })
}
}
return conversions
}
syncEntry(entry) {
// WARNING: Does full check of World Info. Only use this sparingly!
// Currently used to get all World Info that references `entry`
const processedLabels = [entry.data.label]
// Updated associations after an entries relations is changed
for (let rel of this.getRelAllKeys(entry.data)) {
const targetEntry = this.entries[rel.label]
if (!targetEntry) continue
// Save for later
processedLabels.push(targetEntry.data.label)
// Determine the reverse scope of the relationship
const revScope = SC_SCOPE_OPP[rel.scope.toUpperCase()]
if (!revScope) continue
if (!targetEntry.data[revScope]) targetEntry.data[revScope] = ""
// Attempt to find existing relationship
let targetKeys = this.getRelKeys(revScope, targetEntry.data)
const foundSelf = targetKeys.find(r => r.label === entry.data.label)
// Reciprocal entry found, sync relationship flags
if (foundSelf) {
if (foundSelf.flag.mod === rel.flag.mod && foundSelf.flag.type === rel.flag.type) continue
const mod = rel.flag.mod === SC_MOD.EX ? rel.flag.mod : (foundSelf.flag.mod === SC_MOD.EX ? "" : foundSelf.flag.mod)
foundSelf.flag = this.getRelFlag(foundSelf.flag.disp, rel.flag.type, mod)
}
// No reciprocal entry found, create new entry
else {
const flag = this.getRelFlag(SC_DISP.NEUTRAL, rel.flag.type, rel.flag.mod === SC_MOD.EX ? rel.flag.mod : "")
targetKeys.push(this.getRelTemplate(revScope, targetEntry.data.label, entry.data.label, flag))
// Ensure entry label isn't in other scopes
for (let scope of SC_REL_ALL_KEYS.filter(k => k !== revScope)) {
this.exclusiveRelations([{label: entry.data.label}], targetEntry.data, scope)
}
}
// Create final text, remove if empty and update World Info
targetEntry.data[revScope] = this.getRelCombinedText(targetKeys)
if (!targetEntry.data[revScope]) delete targetEntry.data[revScope]
this.saveWorldInfo(targetEntry)
}
for (let i = 0, l = this.entriesList.length; i < l; i++) {
const checkEntry = this.entriesList[i]
if (checkEntry.id === entry.id || processedLabels.includes(checkEntry.data.label)) continue
let update = false
for (let scope of SC_REL_RECIPROCAL_KEYS) {
const rel = this.getRelKeys(scope, checkEntry.data)
const modifiedRel = rel.filter(r => r.label !== entry.data.label && r.scope === scope)
if (rel.length !== modifiedRel.length) {
checkEntry.data[scope] = this.getRelCombinedText(modifiedRel)
if (!checkEntry.data[scope]) delete checkEntry.data[scope]
update = true
}
}
if (update) this.saveWorldInfo(checkEntry)
}
}
getJson(text) {
try { return JSON.parse(text) }
catch (e) {}
}
getRegex(patterns, flags) {
patterns = Array.isArray(patterns) ? patterns : [patterns]
const pattern = patterns.join("|")
const id = `/${pattern}/${flags}`
if (!this.cache[id]) this.cache[id] = new RegExp(pattern, flags)
return this.cache[id]
}
getEntryRegex(text, wrapOr=true, insensitive=false) {
let flags = "g" + (insensitive ? "i" : "")
let brokenRegex = false
let pattern = [...text.matchAll(SC_RE.WI_REGEX_KEYS)].map(match => {
if (!match[1] && match[0].startsWith("/")) brokenRegex = true
if (match[2]) flags = match[2].includes("g") ? match[2] : `g${match[2]}`
return match[1] ? (wrapOr && match[1].includes("|") ? `(${match[1]})` : match[1]) : this.getEscapedRegex(match[0].trim())
})
if (brokenRegex) return
return this.getRegex(pattern, flags)
}
getEscapedRegex(text) {
return text.replace(SC_RE.ESCAPE_REGEX, '\\$&'); // $& means the whole matched string
}
getRegexPattern(regex) {
const string = regex instanceof RegExp ? regex.toString() : regex
return string.split("/").slice(1, -1).join("/")
}
getSentences(text) {
// Add temporary space to each end of the string for matching start and end enclosures
let modifiedText = ` ${text} `
// Fix enclosures with less than 2 characters between them
modifiedText = modifiedText.replace(SC_RE.BROKEN_ENCLOSURE, "$1$2@$3")
// Insert all enclosures found into an array and replace existing text with a reference to it's index
let enclosures = []
modifiedText = modifiedText.replace(SC_RE.ENCLOSURE, (_, prefix, match, suffix) => {
if (!prefix || !match || !suffix) return _
enclosures.push(match)
return `${prefix === "@" ? "" : prefix}{${enclosures.length - 1}}${suffix}`
})
// Remove temporary space at start and end
modifiedText = modifiedText.slice(1, -1)
// Split into sentences and insert enclosures to return
let sentences = modifiedText.match(SC_RE.SENTENCE) || []
return sentences.map(s => enclosures.reduce((a, c, i) => a.replace(`{${i}}`, c), s))
}
getInfoMatch(text) {
// WARNING: Only use this sparingly!
// Currently in use for entry lookup on the `/you Jack` command
for (let i = 0, l = this.entriesList.length; i < l; i++) {
const entry = this.entriesList[i]
if (!entry.regex) continue
if (text.match(entry.regex)) return entry
}
}
getPronoun(text) {
if (!text) return SC_PRONOUN.UNKNOWN
if (!text.includes(":")) text = text.split(".")[0]
if (text.match(this.getRegex(`\\b(${this.regex.data.FEMALE})\\b`, "gi"))) return SC_PRONOUN.HER
if (text.match(this.getRegex(`\\b(${this.regex.data.MALE})\\b`, "gi"))) return SC_PRONOUN.HIM
return SC_PRONOUN.UNKNOWN
}
getStatus(text) {
if (!text) return SC_STATUS.ALIVE
if (!text.includes(":")) text = text.split(".")[0]
if (text.match(this.getRegex(`\\b(${this.regex.data.UNDEAD})\\b`, "gi"))) return SC_STATUS.UNDEAD
if (text.match(this.getRegex(`\\b(${this.regex.data.DEAD})\\b`, "gi"))) return SC_STATUS.DEAD
return SC_STATUS.ALIVE
}