-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path20210227
7768 lines (6433 loc) · 776 KB
/
20210227
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
Log uploaded on Friday, February 26, 2021, 2:38:21 PM
Loaded mods:
Harmony(brrainz.harmony)[mv:1.0.4.0]: 0Harmony(2.0.2), HarmonyMod(1.0.4)
Prepatcher(zetrith.prepatcher): Prepatcher(0.0.0)
Core(Ludeon.RimWorld): (no assemblies)
Royalty(Ludeon.RimWorld.Royalty): (no assemblies)
HugsLib(UnlimitedHugs.HugsLib)[ov:8.0.1]: 0Harmony(av:2.0.2,fv:1.2.0.1), HugsLib(av:1.0.0,fv:8.0.1)
ModCheck (Continued)(Mlie.ModCheck)[mv:1.0.2.0]: 0Harmony(av:2.0.2,fv:1.2.0.1), ModCheck(2.0.0)
Mod Manager(fluffy.modmanager)[mv:3.8.1038]: 0ColourPicker(2.0.0.43090), FluffyUI(1.0.0.41636), ModManager(av:3.0.0,fv:3.8.1038), SemVer(1.2.2), YamlDotNet(av:8.0.0,fv:8.1.0)
All your base(RimWorldCCLReborn.AllYourBase): Assembly(av:0.1.0.1,fv:1.0.0)
Bug Finder: Better ReportProbablyMissingAttributes(Revolus.BetterReportProbablyMissingAttributes)[mv:2020.5.29.0]: Revolus.BetterReportProbablyMissingAttributes(2020.5.29)
Dubs Performance Analyzer(Dubwise.DubsPerformanceAnalyzer): 0Harmony(av:2.0.2,fv:2.0.4), PerformanceAnalyzer(av:1.0.0,fv:1.0.0)
ModDiff(name.krypt.rimworld.moddiff): 0Cassowary(4.0.0), 0RWLayout(1.0.0), ModDiff(1.0.0)
RimSaves(aRandomKiwi.RimSaves): RimSaves(2020.1.4)
What's That Mod(co.uk.epicguru.whatsthatmod): 0ColourPicker(av:2.0.0.43090,fv:2.0.0.22137), WhatsThatMod(1.0.0)
[NTS] [EXPERIMENTAL] RocketMan(NotooShabby.RocketMan): RocketMan(1.0.0), Soyuz(1.0.7649.24425 [no FileVersionInfo])
----- SYSTEM -----(SortingGroups.System): LoadOnDemand(1.0.7401.39015)
Vanilla Expanded Framework(OskarPotocki.VanillaFactionsExpanded.Core): 0Harmony(av:2.0.2,fv:2.0.4), HeavyWeapons(1.0.0), KCSG(1.0.0), MVCF(1.0.0), VanillaStorytellersExpanded(1.0.0), VFECore(av:1.1.7,fv:1.1.9)
Vanilla Achievements Expanded(vanillaexpanded.achievements): AchievementsExpanded(1.0.8)
Humanoid Alien Races 2.0(erdelf.HumanoidAlienRaces): 0Harmony(2.0.2), AlienRace(1.0.0)
D9 Framework(dninemfive.d9framework)[mv:1.3.1]: D9Framework(1.0.0)
[D] Interests Framework(dame.interestsframework): DInterests(1.0.0)
JecsTools (Unofficial)(jecrell.jecstools)[mv:1.1.2.2]: 0JecsTools(1.1.2.2), AbilityUser(1.1.2.2), AbilityUserAI(1.1.2.2), CompActivatableEffect(1.1.2.2), CompAnimated(1.1.2.2), CompBalloon(1.1.2.2), CompBigBox(1.1.2.2), CompDeflector(1.1.2.2), CompDelayedSpawner(1.1.2.2), CompExtraSounds(1.1.2.2), CompInstalledPart(1.1.2.2), CompLumbering(1.1.2.2), CompOverlays(1.1.2.2), CompOversizedWeapon(1.1.2.2), CompSlotLoadable(1.1.2.2), CompToggleDef(1.1.2.2), CompVehicle(1.1.2.1), PawnShields(1.1.2.2), ThinkNodes(1.1.2.2)
MoHAR framework(goudaquiche.MoharFramework): CheckModActive(0.15.1), ConPoDra(1.0.7674.36463), CustomLifeSpan(1.0.7630.11559), DefGen(0.15.1), DisplayITab(0.15.1), DUDOD(1.0.7494.134), FuPoSpa(1.0.7489.41475), HediffReplacerHediffGiver(1.0.7706.35983), MoharAiJob(0.15.1), MoharCustomHAR(1.0.0), MoharDamage(1.0.0 [no FileVersionInfo]), MoharGamez(1.0.7636.14318), MoharGfx(0.15.1), MoharHediffs(0.0.0), MoharJoy(1.0.7647.26113), MoHarRegeneration(1.0.7679.5318), MoharThoughts(0.15.1), OHFP(1.0.7692.21380), OLB(1.0.7674.36286), OneHediffPerGender(1.0.7543.27830), OneHediffPerLifeStage(1.0.7692.10215), ShieldApparel(0.15.1), YourOwnRaceHediffGiver(1.0.7543.24319)
Save Our Ship 2(kentington.saveourship2): ShipsHaveInsides(0.0.0)
[O21] Toolbox(neronix17.toolbox): O21Toolbox(1.0.0)
[O21] Alien Race Toolbox(neronix17.har.toolbox): O21Aliens(1.0.0)
Camera+(brrainz.cameraplus)[mv:2.1.1.0]: 0Harmony(2.0.2), CameraPlus(2.1.1)
RIMMSqol(MalteSchulze.RIMMSqol): 0Harmony(av:2.0.2,fv:1.2.0.1), Priority Queue(av:4.1.1,fv:4.1.1), RIMMSqol(1.0.7725.31244)
4M Mehni's Misc Modifications [1.2](Mehni.Misc.Modifications): 4M(1.2.0)
ED-EnhancedOptions(Jaxxa.ED.EnhancedOptions): ED-EnhancedOptions(1.0.0)
TD Enhancement Pack(Uuugggg.TDPack): TD_Enhancement_Pack(av:1.0.0,fv:1.3.8)
ToolBox(Nif.ToolBox)[mv:1.0.0.0]: ToolBox(1.0.0)
[SYR] Universal Fermenter(syrchalis.universalfermenter): 0MultiplayerAPI(av:0.2.0,fv:0.1.0), UniversalFermenter(1.0.0)
----- USER INTERFACE -----(SortingGroups.UI): (no assemblies)
Apparel Organizer (Continued)(Mlie.ApparelOrganizer)[mv:1.0.17.0]: (no assemblies)
Architect Icons(com.bymarcin.ArchitectIcons): ArchitectIcons(1.2.0)
Optional Icons for Architect Icons(proxyer.optionalicons4ai)[mv:1.2.13]: (no assemblies)
Auto links(automatic.autolinks): 0Harmony(2.0.2), Autolinks(1.0.379.18)
Awesome Inventory(NotooShabby.AwesomeInventory): AwesomeInventory.Base(av:1.0.7572.33255,fv:1.0.0), NotooShabby.RimWorldUtility(av:1.0.7572.33255,fv:1.0.0), AwesomeInventoryCommon1.1(av:1.0.7572.33255,fv:1.0.0), AwesomeInventoryVanilla1.1(av:1.0.7572.33256,fv:1.0.0)
Begone, Message!(lbmaian.begonemessage)[mv:1.4]: Begone-Message(1.0.0)
Clothing Sorter(Mlie.ClothingSorter)[mv:1.0.16.0]: 1SettingsHelper(av:0.19.1.36477,fv:0.19.1), ClothingSorter(1.0.0)
[LTO] Colony Groups(DerekBickley.LTOColonyGroupsFinal): 0Harmony(av:2.0.2,fv:2.0.4), TacticalGroups(av:1.0.0,fv:1.0.6)
Caravan Sorting(pointfeev.caravansorting): CaravanSorting(1.0.0)
Compact Hediffs(PeteTimesSix.CompactHediffs): PeteTimesSix.CompactHediffs(1.0.0)
[NL] Custom Portraits(Nals.CustomPortraits): CustomPortraits(1.0.0)
Dubs Mint Menus(Dubwise.DubsMintMenus)[mv:1.2.790]: 0Harmony(av:2.0.2,fv:2.0.3), DubsMintMenus(av:1.2.7647.31219,fv:1.0.0)
Dubs Mint Minimap(dubwise.dubsmintminimap)[mv:1.3.754]: 0Harmony(2.0.2), DubsMintMinimap(av:1.0.0,fv:1.0.0)
Dynamic Message Positioning(pointfeev.dynamicmessages): DynamicMessages(1.0.0)
Food Alert (Continued)(Mlie.FoodAlert)[mv:1.0.12.0]: 1SettingsHelper(av:0.19.1.36477,fv:0.19.1), FoodAlert(av:0.1.1,fv:0.1.1.1)
Heat Map(falconne.HeatMap): HeatMap(1.1.14)
Incident Person Stat(Vanya.Tools.IncidentPersonStat): ForceRewardsDetails(1.0.0)
InventoryTab (Continued)(Mlie.InventoryTab)[mv:1.0.4.0]: InventoryTab(1.0.0)
LetterReorder(legodude17.letterreorder): LetterReorder(1.0.0)
Medical Tab(fluffy.medicaltab)[mv:3.4.91]: DynamicPawnTable(1.0.0), FluffyExperiment(av:3.0.0,fv:3.8.1063), MedicalInfo(av:3.0.0,fv:3.4.94)
Micro Designations(avilmask.MicroDesignations): MicroDesignations(1.0.0)
More Filters(Jaxe.MoreFilters): MoreFilters(1.4.0)
More Planning(com.github.alandariva.moreplanning): 0MultiplayerAPI(av:0.2.0,fv:0.1.0), MorePlanning(av:7.0.0,fv:7.0.0)
Numbers(Mehni.Numbers)[mv:1.0.4]: 0Harmony(av:2.0.2,fv:1.2.0.1), Numbers(av:1.0.0,fv:1.1.0)
Numbers Trait AddOn(telardo.NumbersTraitAddOn): 1SettingsHelper(av:0.19.1.36477,fv:0.19.1), Numbers_Trait_AddOn(1.0.0)
Power Indicators - Improved(bg.PIIMP): 0Harmony(av:2.0.2,fv:2.0.0.5), ShowMeThePower(1.0.7707.26535)
PreciseTime(reiquard.precisetime): PreciseTime(1.0.0)
Predator Hunt Alert(tammybee.predatorhuntalert): 0Harmony(av:2.0.2,fv:1.2.0.1), PredatorHuntAlert(1.0.0)
RaiderInfo(tammybee.raiderinfo): 0Harmony(av:2.0.2,fv:1.2.0.1), RaiderInfo(1.0.0)
Range Finder(brrainz.rangefinder)[mv:2.0.1.0]: 0Harmony(av:2.0.2,fv:1.2.0.1), RangeFinder(2.0.1)
Reminders(MadaraUchiha.Reminders): Reminders(1.0.0)
Research Info(reiquard.researchinfo): ResearchInfo(1.0.0)
ResearchPal - Forked(VinaLx.ResearchPalForked)[mv:1.2.1.0]: 0MultiplayerAPI(av:0.2.0,fv:0.1.0), ResearchTree(av:3.0.0,fv:3.13.503)
RimHUD(Jaxe.RimHUD): RimHUD(1.6.8)
Settlement Inventory(nmeijer.settlementinventory): 0Harmony(av:2.0.2,fv:2.0.0.10), SettlementInventory(1.0.0)
Simple Search Bar(gguake.ui.simplesearchbar): 0Harmony(av:2.0.2,fv:1.2.0.2), SimpleSearchBar(1.0.0.3)
StuffCount(ruyan.stuffcount): StuffCount(1.1.0)
TicksPerSecond(tickspersecond.sparr.rw): TicksPerSecond(1.0.0)
Too Many Areas(MrChimick.TooManyAreas)[mv:1.0]: TooManyAreas(1.0.0)
Tooltipped Long Names(reiquard.tooltippedlongnames): TooltippedLongNames(1.0.0)
We Had a Trader? (Continued)(Mlie.WeHadATrader)[mv:1.0.11.0]: WeHadATrader(0.0.0)
Weapons Sorter(Mlie.WeaponsSorter)[mv:1.0.1.0]: 1SettingsHelper(av:0.19.1.36477,fv:0.19.1), WeaponsSorter(0.0.0)
WeaponStats(bodlosh.WeaponStats): 0Harmony(av:2.0.2,fv:1.2.0.1), WeaponsTab(1.0.7569.35930)
What's Missing?(Revolus.WhatsMissing)[mv:2020.4.25.1]: Revolus.WhatsMissing(2020.4.25.1)
Work Tab(fluffy.worktab)[mv:3.21.303]: FluffyExperiment(av:3.0.0,fv:3.8.1063), FluffyUI(av:1.0.0.41636,fv:1.0.0.34310), WorkTab(av:3.0.0,fv:3.21.308)
----- FUNCTIONALITY -----(SortingGroups.Functionality): (no assemblies)
Vanilla Weapons Expanded(VanillaExpanded.VWE)[mv:1.0.5.0]: 0Harmony(av:2.0.2,fv:2.0.0.7), CompOversizedWeapon(av:1.1.2.2,fv:1.18.0), ExplosiveTrailsEffect(1.0.7140.31563), NoCamShakeExplosions(1.0.0), OPToxic(1.0.0), SmokingGun(1.0.0), Submunition(1.0.0)
Achtung!(brrainz.achtung)[mv:3.1.3.0]: 0Harmony(av:2.0.2,fv:2.0.4), 0MultiplayerAPI(av:0.2.0,fv:0.1.0), AchtungMod(3.1.3)
Allow Tool(UnlimitedHugs.AllowTool): AllowTool(av:3.6.0,fv:3.10.1)
Auto Seller(Supes.AutoSeller.Core): RWASFilterLib(1.0.0), RWASWidgets(1.0.0), RWAutoSell(2.0.4.5)
Auto Caravan Equip (Autoseller Extension)(Supes.AutoSeller.CaravanEquip): RWAutoCaravanEquip(1.0.2)
Auto Notify (Autoseller Extension)(Supes.AutoSeller.Notify): RWAutoNotify(1.0.0.4)
Blueprints(fluffy.blueprints)[mv:2.17.133]: BetterKeybinding(1.0.0), Blueprints(av:2.0.0,fv:2.17.137), FluffyExperiment(av:3.0.0,fv:3.8.1063)
Character Editor(void.charactereditor): 0Harmony(av:2.0.2,fv:1.1.0), CharacterEditor(1.2.926)
Colony Manager(fluffy.colonymanager)[mv:4.33.649]: FluffyExperiment(av:3.0.0,fv:3.8.1063), Fluffy_ColonyManager(av:4.0.0,fv:4.33.653)
Configurable Mental Breaks(nmeijer.configurablementalbreaks): 0Harmony(av:2.0.2,fv:2.0.0.10), ConfigurableMentalBreaks(1.0.0)
De-generalize Work(Alias.DegeneralizeWork): (no assemblies)
Dub's Paint Shop(Dubwise.DubsPaintShop)[mv:1.1.562]: 0Harmony(2.0.2), DubsPaintShop(1.0.0)
Empire(Saakra.Empire)[mv:0.354]: FactionColonies(1.0.0)
Expanded Prosthetics and Organ Engineering - Forked(vat.epoeforked)[mv:3.3.12]: EPIA(1.0.0)
A Dog Said... Animal Prosthetics(spoonshortage.ADogSaidAnimalProsthetics): (no assemblies)
Fluffy Breakdowns(fluffy.fluffybreakdowns)[mv:4.4.54]: FluffyExperiment(av:3.0.0,fv:3.8.1063), Fluffy_Breakdowns(av:4.0.0,fv:4.4.57)
Genetic Rim(sarg.geneticrim): GeneticAnimalRangeUnlocker(1.0.7440.17503), GeneticRim(1.0.0)
Give up your building(LingLuo.GUYB): GiveUpYourBuilding(1.0.0)
Incident Tweaker(automatic.incidenttweaker): 0Harmony(2.0.2), IncidentTweaker(1.0.379.18)
Loading In Progress(smashphil.loadinginprogress)[mv:1.0.0]: 0Harmony(av:2.0.2,fv:2.0.0.8), DropPodsInProgress(1.0.0)
[KV] RimFridge(rimfridge.kv.rw)[ov:1.2.1.2]: RimFridge(1.2.1), SaveStorageSettingsUtil(1.0.0)
LWM's Deep Storage(LWM.DeepStorage)[mv:1.2.0.7]: IHoldMultipleThings(av:0.1.0,fv:1.0.0), LWM.DeepStorage(1.0.0.29481)
MendAndRecycle(notfood.MendAndRecycle)[mv:1.0.1.0]: MendAndRecycle(0.0.0)
Mending Medieval(bishop.mendingmedieval)[mv:1.2.0]: (no assemblies)
MinifyEverything(erdelf.MinifyEverything): 0Harmony(av:2.0.2,fv:2.0.0.2), MinifyEverything(1.0.7393.34550)
BetterWeight(ArchieV.BetterWeight)[mv:2.1.2]: 0Harmony(av:2.0.2,fv:2.0.1), BetterWeight(1.0.0)
Don't Steal My Walls!(Ronco.DontStealMyWalls): Ronco.DontStealMyWalls(1.0.0)
Pawnmorpher(tachyonite.pawnmorpherpublic)[mv:1.10.0]: 0Harmony(av:2.0.2,fv:2.0.1), 0MultiplayerAPI(av:0.2.0,fv:0.1.0), Pawnmorph(av:1.10.0,fv:1.10.0)
Prison Labor(avius.prisonlabor): PrisonLabor(0.10.7660.40384)
Replace Stuff(Uuugggg.ReplaceStuff): Replace_Stuff(1.0.0)
Rimatomics(Dubwise.Rimatomics)[mv:1.7.2342]: 0Harmony(2.0.2), 0MultiplayerAPI(av:0.2.0,fv:0.1.0), Rimatomics(av:1.0.0,fv:1.0.0)
Rimefeller(Dubwise.Rimefeller)[mv:1.2.965]: 0Harmony(2.0.2), 0MultiplayerAPI(av:0.2.0,fv:0.1.0), Rimefeller(av:1.2.7175.25675,fv:1.0.0)
Simple sidearms(PeteTimesSix.SimpleSidearms): SimpleSidearms(1.4.5)
TechBlock(fridgeBaron.TechBlock): 0Harmony(av:2.0.2,fv:2.0.0.6), TechBlock 1.2(1.0.0)
What the hack?!(roolo.whatthehack)[ov:3.0.0]: $HugsLibChecker(0.5.0), WhatTheHack(1.0.0)
Yayo's Combat 3(com.yayo.combat3): $HugsLibChecker(0.5.0), yayoCombat(1.0.0)
----- PAWNS - ANIMALS -----(SortingGroups.PawnsAnimals): (no assemblies)
Vanilla Animals Expanded — Arid Shrubland(VanillaExpanded.VAEAS)[mv:1.1.0]: 0Harmony(av:2.0.2,fv:2.0.0.7), VAEShrubland(1.0.0)
Vanilla Animals Expanded — Australia(VanillaExpanded.VAEAU)[mv:1.0.2]: 0Harmony(av:2.0.2,fv:2.0.0.7), ModCheck(av:2.0.0,fv:0.0.0), NocturnalAnimals(1.0.0)
Vanilla Animals Expanded — Boreal Forest(VanillaExpanded.VAEBF)[mv:1.0.0]: 0Harmony(av:2.0.2,fv:2.0.0.7), ModCheck(av:2.0.0,fv:0.0.0)
Vanilla Animals Expanded — Cats and Dogs(VanillaExpanded.VAECD)[mv:1.0.1]: 0Harmony(av:2.0.2,fv:2.0.0.3), ModCheck(av:2.0.0,fv:0.0.0)
Vanilla Animals Expanded — Desert(VanillaExpanded.VAED)[mv:1.0.0]: (no assemblies)
Vanilla Animals Expanded — Endangered(VanillaExpanded.VAEEndAndExt): AEXPAnimalBehaviours(1.0.0), NocturnalAnimals(1.0.0), VanillaAnimalsExpandedEndangered(1.0.0)
Vanilla Animals Expanded — Extreme Desert(VanillaExpanded.VAEED)[mv:1.0.0]: (no assemblies)
Vanilla Animals Expanded — Ice Sheet(VanillaExpanded.VAEIS)[mv:1.0.1]: 0Harmony(av:2.0.2,fv:2.0.0.7), AEXPAnimalBehaviours(1.0.0), ModCheck(av:2.0.0,fv:0.0.0)
Vanilla Animals Expanded — Temperate Forest(VanillaExpanded.VAETF): NocturnalAnimals(1.0.0), VAEShrubland(1.0.0)
Vanilla Animals Expanded — Tropical Rainforest(VanillaExpanded.VAETR)[mv:1.0.2]: 0Harmony(av:2.0.2,fv:2.0.0.7), ModCheck(av:2.0.0,fv:0.0.0), NocturnalAnimals(1.0.0)
Vanilla Animals Expanded — Tropical Swamp(VanillaExpanded.VAETS)[mv:1.0.1]: 0Harmony(av:2.0.2,fv:2.0.0.7), ModCheck(av:2.0.0,fv:0.0.0), NocturnalAnimals(1.0.0)
Vanilla Animals Expanded — Tundra(VanillaExpanded.VAET)[mv:1.0.3]: 0Harmony(av:2.0.2,fv:2.0.0.7), ModCheck(av:2.0.0,fv:0.0.0)
Alpha Animals(sarg.alphaanimals): AchievementsExpanded(av:1.0.8,fv:1.0.7), AlphaBehavioursAndEvents(1.0.0), NocturnalAnimals(1.0.0)
Alpha Animals - Metal and Milk ReTextures(bg.aammt): (no assemblies)
Dinosauria(spincrus.dinosauria): (no assemblies)
Dragon's Descent(onyxae.dragonsdescent): CompOversizedWeapon(av:1.1.2.2,fv:1.18.0), DDLib(1.0.0)
[RWY]Dragon's Descent: Void Dwellers(ravvy.DD.Void.Addon): (no assemblies)
Frilleus(Bichang.Frilleus): DragonsRangeUnlocker(1.0.7369.21702 [no FileVersionInfo]), IncidentWorker_Frilleus(1.0.0)
Huri(Bichang.Huri): (no assemblies)
Kyulen - NinetailFox(Bichang.Kyulen): AnimalMultiPostures(1.0.0), DragonsRangeUnlocker(1.0.7369.21702 [no FileVersionInfo]), HardworkingKemomimi(1.0.0), IncidentWorker_Ninetail(1.0.0)
Magical Menagerie(sarg.magicalmenagerie): AchievementsExpanded(av:1.0.8,fv:1.0.7), MagicalAnimalBehavioursAndEvents(1.0.0), NocturnalAnimals(1.0.0)
Race to the Rim(sargoskar.racetotherim): AchievementsExpanded(av:1.0.8,fv:1.0.7), RttRAnimalBehaviours(1.0.0)
RimBees(sarg.rimbees): AchievementsExpanded(av:1.0.8,fv:1.0.7), RimBees(1.0.0)
Royal Thrumbos(Andross.RoyalThrumbos)[mv:1.2.1.1]: RoyalThrumbos(1.2.1)
Sacred WhiteFox(Bichang.WhiteFox): (no assemblies)
HC_Animal_1(HC.Animal.1): (no assemblies)
HC_Animal_2(HC.Animal.2): (no assemblies)
HC_Animal_3(HC.Animal.3): (no assemblies)
HC_Animal_4(HC.Animal.4): (no assemblies)
Rim of Madness - Arachnophobia (Continued)(Mlie.RimofMadnessArachnophobia)[mv:1.0.4.0]: Arachnophobia(1.18.0)
Anima Animals(xrushha.AnimaAnimals): AnimaAnimals(1.0.0)
Call of Cthulhu - Cosmic Horrors (Continued)(Mlie.CallofCthulhuCosmicHorrors)[mv:1.0.7.0]: CosmicHorror(1.17.0.4)
Forsakens: Fauna(forsakens.fauna): AlphaAnimalRangeUnlocker(1.0.7353.22233), ForsakensFF(1.0.0), NocturnalAnimals(1.0.0)
Horrors (Continued)(Mlie.Horrors)[mv:1.0.10.0]: Horrors(1.0.0)
kemomimihouse(psyche.kemomimihouse): AnimalMultiPostures(1.0.0), InfoCardPortrait(1.0.0), UKKARI(1.0.0)
Hardworking KEMOMIMIHOUSE(velc.HardworkingKemomimihouse): HardworkingKemomimi(1.0.0)
L-Slimes(Leonapp.LSlimes): (no assemblies)
Let's Have a Cat! - Version avoiding duplication with "VAE — Cats and Dogs"(akairo.LetsHaveaCat.vad.VAECatsandDogs): (no assemblies)
Mamuffalo(dismarzero.VGP.Mamuffalo): (no assemblies)
----- GAMEPLAY - ANIMALS -----(SortingGroups.GameplayAnimals): (no assemblies)
Thrumbo Extension(leafzxg.ThrumboExtension): (no assemblies)
Animals Logic(Oblitus.AnimalsLogic): AnimalsLogic(1.0.7710.27937)
Bo's Milkable Animals(Bos.MilkableAnimals): (no assemblies)
Giddy-up! Core(roolo.giddyupcore)[ov:3.0.0]: 0MultiplayerAPI(av:0.2.0,fv:0.1.0), GiddyUpCore(av:0.0.0,fv:0.0.0)
Giddy-up! Battle Mounts(roolo.giddyupbattlemounts)[ov:1.0.3]: DependencyChecker(1.0.0), 0MultiplayerAPI(av:0.2.0,fv:0.1.0), Battlemounts(av:1.2.0,fv:1.2.0)
Giddy-up! Caravan(roolo.giddyupcaravan)[ov:2.0.3]: DependencyChecker(1.0.0), 0MultiplayerAPI(av:0.2.0,fv:0.1.0), GiddyUpCaravan(av:0.0.0,fv:0.0.0)
Giddy-up! Mechanoids(roolo.giddyupmechanoids): $HugsLibChecker(0.5.0), DependencyChecker(1.0.0), GiddyUpMechanoids(1.1.0)
[Kit] Graze up(kittahkhan.grazeup): 0Harmony(2.0.2), GrazeUp(1.0.0)
Hunt for Me(aRandomKiwi.HuntForMe): aRandomKiwi_HuntForMe(3.5.0)
Kill For Me(aRandomKiwi.KillForMe): aRandomKiwi_KillForMe(1.6.0)
[XND] Nocturnal Animals (Continued)(Mlie.XNDNocturnalAnimals)[mv:1.0.2.0]: NocturnalAnimals(av:1.0.0,fv:1.0.2)
BoomMod Expanded(Mlie.BoomModExpanded)[mv:1.0.1.0]: BoomModExpanded(0.0.0)
----- PAWNS - HUMANOIDS -----(SortingGroups.PawnsHumanoids): (no assemblies)
Apparel BodyType Resolver(gguake.apparelbodyresolver): ApparelBodyTypeResolver(1.0.0)
FemaleBB BodyType Support(ssulunge.BBBodySupport): 0Harmony(av:2.0.2,fv:2.0.0.8), BBBodySupport(1.0.0)
FemaleBB BodyType for Alien Races (ssulunge.BBBodyAlienRaces): AlienBBBody(1.0.0)
FemaleBB BodyType for Human(ssulunge.BBBodyHuman): 0Harmony(av:2.0.2,fv:2.0.0.8), HumanBBBody(1.0.0)
Gloomy Face mk2(Gloomy.GloomyFaceMk2): 0Harmony(av:2.0.2,fv:2.0.0.1), GloomyFace(1.0.0)
Hats Display Selection(velc.HatsDisplaySelection): HatDisplaySelection(1.0.0)
Gloomy Hair mk2(Gloomy.GloomyHairMk2): (no assemblies)
Gradient Hair(automatic.gradienthair): 0Harmony(2.0.2), GradientHair(1.0.350.854)
Ponytail is Kawaii (Continued)(Mlie.PonytailIsKawaii)[mv:1.0.1.0]: (no assemblies)
[CP] Detailed Body Textures II(CP.Detailed.Body.Textures.II): (no assemblies)
[NL] Facial Animation - WIP(Nals.FacialAnimation): FacialAnimation(1.0.0)
----- FACTIONS -----(SortingGroups.Factions): (no assemblies)
Vanilla Factions Expanded - Insectoids(OskarPotocki.VFE.Insectoid): CompOversizedWeapon(av:1.1.2.2,fv:1.18.0), InsectoidBioengineering(1.0.0), VFEI(1.2.0)
Pawnmorpher: Insectoids(tachyonite.pawnmorpher.insects)[mv:0.1]: PawnmorphInsects(1.0.0)
Vanilla Factions Expanded - Mechanoids(OskarPotocki.VFE.Mechanoid): 0Harmony(av:2.0.2,fv:2.0.4), VFEM(1.0.0)
Vanilla Factions Expanded - Mechanoids - Auto-Mortar Shell Choice Patch(legodude17.vfemechscp): AutoMortarShellChoice(1.0.0)
Vanilla Factions Expanded - Medieval(OskarPotocki.VanillaFactionsExpanded.MedievalModule)[mv:1.0.5.0]: CompOversizedWeapon(av:1.1.2.2,fv:1.18.0), LoadOnDemand(1.0.7401.39015), VFEMedieval(1.0.6)
Vanilla Factions Expanded - Settlers(OskarPotocki.VanillaFactionsExpanded.SettlersModule)[mv:1.1.0.0]: VFE_Settlers(1.0.0), VanillaFactionsExpandedSettlers(1.0.0 [no FileVersionInfo])
Vanilla Factions Expanded - Vikings(OskarPotocki.VFE.Vikings): CompOversizedWeapon(av:1.1.2.2,fv:1.18.0), VFEV(1.0.0)
Ancient Species(Haduki.AncientSpecies): WHE(1.0.0)
Androids(ChJees.Androids): 0Harmony(2.0.2), Androids(1.0.0)
Androids Expanded(neceros.androidsexpanded): AndroidsExpanded(1.0.0)
Anty the war ant race(Roo.AntyRaceMod): ContDamAnty(1.0.0), FuPoSpaAnty(1.0.7489.41475), MoharHediffsAnty(1.0.7631.35092), OneHediffPerLifeStageAnty(1.0.7629.42224), SYS(1.0.0.1), TorgueAnty(1.0.0), YourOwnRaceHediffGiverAnty(1.0.7643.20067)
Bun Race(SpankyH.BunRace.core): (no assemblies)
Bun Facial Animation Patch(Duck.BunFacialAnimPatch): (no assemblies)
Medieval Buns(SpankyH.BunRace.medieval): (no assemblies)
Dragonian Race(GloomyLynx.DragonianRace): Dragonian(1.0.0)
Dragonian Race Classic Color Patch(ApertureStaff.DragonianRaceClassicColor): (no assemblies)
Additional Dragonian Backstories(ADB.FlareFluffsune)[mv:1.2.0.0]: (no assemblies)
Dragonian Race Factions and Scenarios(ApertureStaff.DragonianRaceFactions)[mv:1.2.1]: (no assemblies)
LDv's Race Mods personal Graphic Retouch - for Dragonian Race(RaceModspersonalGraphicRetouch.forDragonian): (no assemblies)
[1.2]Idhale Race(Ayameduki.HARIdhale): (no assemblies)
[1.2]Idhale Race (English Patch)(Toyama.HARIdhale): (no assemblies)
Kijin Race 2.0(ssulunge.KijinRace2): 0Harmony(2.0.2), Kijin2(1.0.0)
Moyo-From the depth(Nemonian.MY)[mv:1.1.3]: Freezing(1.0.0), FuPoSpa(1.0.7489.41475), HPF(1.0.0), MoharHediffsNE(av:1.0.0,fv:1.0.7577.26397), Nemonian_Commission(1.0.0 [no FileVersionInfo]), OLBNE(av:1.0.0,fv:1.0.7503.28469)
[1.2]Nearmare Race(Ayameduki.HARNearmare): BuildingEffect(1.0.0), CompSummonSlave(1.0.0)
Nearmare [ENG Translation](Nif.Nearmare.ENGTranslation): (no assemblies)
[1.2]Neclose Race(Ayameduki.HARNeclose): BuildingEffect(1.0.0), CompSummonSlave(1.0.0)
[1.2]Neclose Race (English translation)(Toyama.Neclose): (no assemblies)
NewRatkinPlus(Solaris.RatkinRaceMod): AdditionalVerb(1.0.0), NewRatkin(1.0.0), SYS(1.0.0.1)
NewRatkinVanillaFace(Solaris.RatkinVanillaFace): (no assemblies)
Nyaron race(Farmradish.Nyaron): Nyaron(1.0.0)
Rabbie The Moonrabbit - English Patch(OverlordSoS.RabbieEnglishPatch): (no assemblies)
Rabbie The Moonrabbit race(RunneLatki.RabbieRaceMod): (no assemblies)
Rabbie Vanilla face patch(RunneLatki.RabbieVanillafacepatch): (no assemblies)
Rakkle the rattle snake Race mod(jkviolet.rakkleracemode.copy): MoharHediffs(av:0.0.0,fv:1.0.7528.25772), Rakkle(1.0.0), Rakkle(1.0.0)
Revia Race(FS.ReviaRace): 0Harmony(av:2.0.2,fv:2.0.0.7), ReviaRace(1.0.0)
[1.2]Silkiera Race(Ayameduki.HARSilkiera): Building_MailOrderTerminal(1.0.0)
[1.2]Silkiera Race(English)(Toyama.HARSilkiera): (no assemblies)
[1.2]Xenoorca Race(Ayameduki.HARXenoorca): (no assemblies)
[1.2]Xenoorca Race(English)(Toyama.Xenoorca): (no assemblies)
----- MATERIALS -----(SortingGroups.Materials): (no assemblies)
Ceramics(n7huntsman.ceramics): Ceramics(1.0.0)
[RF] Concrete (Continued)(Mlie.Concrete)[mv:1.0.5.0]: RFF Concrete(1.0.7422.35835)
Glass+Lights(NanoCE.GlassLights)[mv:1.1.7]: 0Harmony(av:2.0.2,fv:2.0.0.8), Glass+Lights(1.0.0)
RimPlas (Continued)(Mlie.RimPlas)[mv:1.0.6.0]: 0MultiplayerAPI(av:0.2.0,fv:0.1.0), PelShield(1.0.0), RimPlas(1.0.0)
Terraform Rimworld(void.terraformrimworld): 0Harmony(av:2.0.2,fv:1.1.0), TerraformRimworld(1.2.926)
----- ITEMS + WEAPONS-----(SortingGroups.ItemsWeapons): (no assemblies)
Vanilla Apparel Expanded(VanillaExpanded.VAPPE)[mv:1.2.0]: (no assemblies)
Vanilla Armour Expanded(VanillaExpanded.VARME)[mv:1.2.0]: 0Harmony(av:2.0.2,fv:2.0.0.7), AdvancedShieldBelts(1.0.0), Camouflage(1.0.0)
Vanilla Weapons Expanded - Coilguns(VanillaExpanded.VWEC): 0Harmony(av:2.0.2,fv:2.0.0.7), CompOversizedWeapon(1.1.2.2)
Vanilla Weapons Expanded - Grenades(VanillaExpanded.VWEG): (no assemblies)
Vanilla Weapons Expanded - Heavy Weapons(VanillaExpanded.VWEHW): CompOversizedWeapon(av:1.1.2.2,fv:1.18.0)
Vanilla Weapons Expanded - Heavy - Reloading Patch(legodude17.heavyweaponsreloading): Reloading(1.0.0)
Vanilla Weapons Expanded - Laser(VanillaExpanded.VWEL)[mv:1.1.0]: 0Harmony(av:2.0.2,fv:2.0.0.7), CompOversizedWeapon(av:1.1.2.2,fv:1.18.0), RRO(1.0.0), VanillaWeaponsExpandedLaser(1.0.0)
Vanilla Weapons Expanded - Quickdraw(VanillaExpanded.VWEQ)[mv:1.1.0]: 0Harmony(av:2.0.2,fv:2.0.0.1), CompOversizedWeapon(av:1.1.2.2,fv:1.18.0)
Advanced Shield Belts(dninemfive.advancedshieldbelts)[mv:1.1.3]: AdvancedShieldBelts(1.0.0)
Better Jump pack(com.yayo.BetterJumpPack): betterJumpPack(1.0.0)
Craftable Royalty Weapons(Misha.CraftableRoyaltyWeapons): (no assemblies)
Fire Extinguisher (Continued)(Mlie.FireExtinguisher)[mv:1.0.4.0]: 0MultiplayerAPI(av:0.2.0,fv:0.1.0), FireExt(1.0.0), FESSFix(1.0.0)
Industrial Components(xedos.industrialcomp): (no assemblies)
[CP] Prisoner Outfit(CP.Prisoner.Outfit): (no assemblies)
Slave Outfits [1.2](Usgiyi.SlaveOutfits): (no assemblies)
----- GAMEPLAY - UNIVERSAL -----(SortingGroups.GameplayUniversal): (no assemblies)
Vanilla Books Expanded(VanillaExpanded.VBooksE): VanillaBooksExpanded(1.0.0)
Vanilla Brewing Expanded(VanillaExpanded.VBrewE): VanillaBrewingExpanded(1.0.0)
Vanilla Brewing Expanded - Coffees and Teas(VanillaExpanded.VBrewECandT): (no assemblies)
Vanilla Cooking Expanded(VanillaExpanded.VCookE): AchievementsExpanded(av:1.0.8,fv:1.0.7), VanillaCookingExpanded(1.0.0)
Vanilla Cooking Expanded - Stews(VanillaExpanded.VCookEStews): (no assemblies)
Vanilla Cooking Expanded - Sushi(VanillaExpanded.VCookESushi): VanillaSushiExpanded(1.0.0)
Vanilla Events Expanded(VanillaExpanded.VEE)[mv:1.1.0]: 0Harmony(av:2.0.2,fv:2.0.0.7), VEE(1.0.0)
Vanilla Fishing Expanded(VanillaExpanded.VCEF): AchievementsExpanded(av:1.0.8,fv:1.0.7), VCE-Fishing(1.0.0)
Vanilla Traits Expanded(VanillaExpanded.VanillaTraitsExpanded): 0Harmony(av:2.0.2,fv:2.0.4), VanillaTraitsExpanded(1.0.0)
[KV] Adjustable Trade Ships(adjustabletradeships.kv.rw)[ov:1.2.0.0]: 0Harmony(av:2.0.2,fv:1.2.0.1), AdjustableTradeShips(1.0.0)
Ambrosial Longevity(dninemfive.ambrosiallongevity): AmbrosiaLongevity(1.0.0)
Aurora Orbital Trade Station(Beto.InfiniteTrader): InfiniteTrader(1.0.0)
Backup Power(fluffy.backuppower)[mv:1.10.175]: BackupPower(av:1.0.0,fv:1.10.180), FluffyExperiment(av:3.0.0,fv:3.8.1063)
[FSF] Better Spike Traps(FrozenSnowFox.BetterSpikeTraps): (no assemblies)
Better Workbench Management(falconne.BWM): $HugsLibChecker(0.5.0), ImprovedWorkbenches(1.2.24)
Bricks Don't Vanish(ratys.bricksdontvanish)[mv:1.2.0.0]: 0Harmony(av:2.0.2,fv:1.2.0.1), BricksDontVanish(1.0.0)
Build From Inventory(Uuugggg.BuildFromInventory): Build_From_Inventory(1.0.0)
Call For Intel(8Z.CallForIntel): CallForIntel(1.0.0)
Carry Capacity Fixed(smashphil.carrycapacityfixed)[mv:1.2.1.0]: 0Harmony(2.0.2), CarryCapacityFixed(1.0.0)
Chatting on Comms(5katz.CommsChat): (no assemblies)
Choice Of Psycasts(azuraal.choiceofpsycasts): ChoiceOfPsycasts(1.0.0)
Close Cryptos(neceros.closecryptos): (no assemblies)
Crafting Quality Rebalanced(phomor.CraftingQualityRebalanced): 0Harmony(av:2.0.2,fv:2.0.0.8), CraftingQualityRebalanced(av:0.18.0,fv:1.0.0)
Craftsmanship(jelly.craftsmanship): Craftsmanship(av:1.2.0,fv:1.2.0)
[1.2] DE Surgeries Color(Proxyer.DESurgeries.DESurgeriesColor)[mv:1.2.2]: (no assemblies)
DocPawnOverhaul(drzhivago.docpawnoverhaul)[mv:1.2.1.1]: (no assemblies)
DontBlockDoor[1.0-1.2](tikubonn.DontBlockDoor): DontBlockDoor(0.0.0)
Door Claim Stuff(tobs.claimdoors)[mv:1.1.1]: ClaimDoors(1.1.0)
Doors Close Fast Again(phomor.DoorsCloseFastAgain): 0Harmony(av:2.0.2,fv:2.0.0.8), DoorsCloseFastAgain(1.0.7365.25937)
Dress Patients(eagle0600.dressPatients): 0Harmony(av:2.0.2,fv:2.0.0.8), DressPatient(1.0.0)
[KIR]Drop Pod Raids are Spacer Tech(Kirby.DropPodsAreSpacerTech): (no assemblies)
Drug Response (Continued)(Mlie.DrugResponse)[mv:1.0.6.0]: 0MultiplayerAPI(av:0.2.0,fv:0.1.0), MSPainless(1.0.0)
Dubs Bad Hygiene(Dubwise.DubsBadHygiene)[mv:2.9.2021]: 0Harmony(av:2.0.2,fv:2.0.3), 0MultiplayerAPI(av:0.2.0,fv:0.1.0), BadHygiene(av:2.7.7273.33335,fv:1.0.0)
Common Sense(avilmask.CommonSense)[mv:1.1.23]: CommonSense(1.0.7530.11716)
Dubs Apparel Tweaks(Dubwise.DubsApparelTweaks): 0Harmony(av:2.0.2,fv:2.0.4), QuickFast(1.0.0)
Dubs Break Mod(Dubwise.DubsBreakMod): 0Harmony(2.0.2), DubsBreakMod(av:1.0.7592.3805,fv:1.0.0)
EPOE-Forked: Royalty DLC expansion(vat.epoeforkedroyalty): (no assemblies)
EPOE-Forked: Allow direct crafting(tarojun.epoeforked.AllowDirectCrafting): (no assemblies)
Forced March(ari.forcedmarch): ForcedMarch(1.0.0), 0Harmony(2.0.2), 0MultiplayerAPI(av:0.2.0,fv:0.1.0), ForcedMarch(1.0.0)
Friendly Fire Tweaks(Alex.FriendlyFireTweaks): Friendly Fire Tweaks(1.0.0)
Glitter Tech (No Surgery)(GT.Sam.GlitterTechNS): (no assemblies)
GlitterTech AddOn - Craft Weapons and Apparels - Vanilla Style(gB.GTcraftvanilla): (no assemblies)
Glitter Tech Nanosuit Buff (1.0-1.2)(magicalliopleurodon.glittersuitbuff): (no assemblies)
Guards For Me(aRandomKiwi.GuardsForMe): GuardsForMe(3.0.2)
Hold Open Opens Doors(Schalasoft.HoldOpenOpensDoors)[mv:1.0.0.12]: Hold_Open_Opens_Doors(1.0.0.12)
Home Mover(NotooShabby.HomeMover): NotooShabby.RimWorldUtility(av:1.0.7572.31480,fv:1.0.0), MoveBase(1.0.0)
Ignite Everything(Undone.IgniteEverything): IgniteEverything(1.0.0)
1.2 - Imprisonment On The Go! (Make Pawns Prisoners Without Beds)(AgentBlac.MakePawnsPrisoners): MakePawnsPrisoners(1.0.0)
[SYR] Individuality(syrchalis.individuality): SyrTraits(1.0.0)
Just Ignore Me Passing(brrainz.justignoremepassing)[mv:2.0.1.0]: 0Harmony(av:2.0.2,fv:1.2.0.1), JustIgnoreMePassing(2.0.1)
Let's Trade! [Continued](zhrocks11.letstrade): 0Harmony(av:2.0.2,fv:2.0.0.7), LetsTradeSettings(1.0.0)
Lulu's Drop All(LoonyLadle.RimWorld.DropAll)[mv:1.2.1]: LuluDropAll(1.0.0)
Mad Skills(ratys.madskills)[mv:2.4.0.0]: 0Harmony(av:2.0.2,fv:1.2.0.1), MadSkills(1.0.0)
Meals On Wheels(Uuugggg.MealsOnWheels): Meals_On_Wheels(1.0.0)
[FSF] Meditation Freedom(FrozenSnowFox.MeditationFreedom): (no assemblies)
Mercenaries For Me(aRandomKiwi.MercenariesForMe): MercenariesForMe(1.5.27)
Mining Priority(Uuugggg.MiningPriority): Mining_Priority(1.0.0)
No Job Authors(Doug.NoJobAuthors): NoJobAuthors(1.0.0)
No Random Relations(Bar0th.NoRandomRelations): NoRandomRelations(1.0.0)
Non uno Pinata(avilmask.NonUnoPinata): 0MultiplayerAPI(av:0.2.0,fv:0.1.0), NonUnoPinata(1.0.0)
Outfitted(notfood.Outfitted): 0MultiplayerAPI(av:0.2.0,fv:0.1.0), Outfitted(1.0.7523.36246)
[KV] Path Avoid(pathavoid.kv.rw)[ov:1.2.0.3]: PathAvoid(1.0.0)
Pharmacist(fluffy.pharmacist)[mv:2.9.140]: FluffyExperiment(av:3.0.0,fv:3.8.1063), Pharmacist(av:2.0.0,fv:2.9.143)
Pick Up And Haul (Continued)(Mlie.PickUpAndHaul)[mv:1.0.6.0]: IHoldMultipleThings(av:0.1.0,fv:1.0.0), PickUpAndHaul(av:0.1.0.5,fv:0.1.1)
PowerSwitch(Haplo.PowerSwitch)[mv:1.2.0]: PowerSwitch(1.2.0)
[XND] Profitable Weapons (Continued)(Mlie.XNDProfitableWeapons)[mv:1.0.1.0]: ProfitableWeapons(1.2.9.1)
Prospecting (Continued)(Mlie.Prospecting)[mv:1.0.1.0]: 0MultiplayerAPI(av:0.2.0,fv:0.1.0), Prospecting(1.0.0)
QualitySurgeon(hatti.qualitysurgeon): 0Harmony(av:2.0.2,fv:1.2.0.1), QualitySurgeon(av:1.0.4,fv:1.0.4)
Roads of the Rim (Continued)(Mlie.RoadsOfTheRim)[mv:1.0.4.0]: RoadsOfTheRim(2.1.7682.24755)
Room Size Tolerance(neceros.roomsizetolerance): RoomSize(1.0.0)
RT Power Switch(ratys.rtpowerswitch)[mv:1.3.0.0]: RT_PowerSwitch(1.0.0)
RunAndGun(roolo.RunAndGun)[ov:2.0.1]: RunAndGun(av:2.0.0,fv:2.0.0)
[O21] Seamless Embrasures(neronix17.embrasures): O21Embrasures(1.0.0)
Search and Destroy(roolo.SearchAndDestroy): SearchAndDestroy(1.1.0)
Selected Reconnector(Supes.SelectedReconnector): SupesReconnector(1.0.0.1)
[SYR] Set Up Camp(syrchalis.setupcamp): 0MultiplayerAPI(av:0.2.0,fv:0.1.0), SetUpCamp(1.0.0)
Short Circuit Blues(blues.shortcircuit): ShortCircuitBlues(1.0.0)
Smart Medicine(Uuugggg.SmartMedicine): SmartMedicine(1.0.0)
Smarter Construction(dhultgren.smarterconstruction): SmarterConstruction(1.2.9)
Smarter Deconstruction(legodude17.smartdecon): Setttings(1.0.0), SmartDeconstruct(1.0.0)
Snap Out!(weilbyte.snapout): 0MultiplayerAPI(av:0.2.0,fv:0.1.0), SnapOut(av:0.7.3,fv:0.7.3)
Sometimes Raids Go Wrong(marvinkosh.sometimesraidsgowrong): SometimesRaidsGoWrong(1.0.7603.566)
Sparkling Worlds - Full Mod(Albion.SparklingWorlds.Full)[mv:2.6.0]: SparklingWorldsBlueMoon(1.0.0), SparklingWorldsCore(1.0.0), SparklingWorldsEvents(1.0.0), SparklingWorldsMAD(1.0.0), SparklingWorldsMechanites(1.0.0)
Stabilize(Linkolas.Stabilize): Stabilize(1.17.0)
Supply and Demand(supplyanddemand.rw): 0Harmony(av:2.0.2,fv:1.2.0.1), SupplyAndDemand(1.0.0)
Suppression(com.yayo.suppression): SuppressionMod(1.0.0)
The Price Is Right(Uuugggg.ThePriceIsRight): The_Price_Is_Right(1.0.0)
Trader ships(automatic.traderships): 0Harmony(2.0.2), TraderShips(1.0.350.854)
Traders Have Money(neceros.tradershavemoney): (no assemblies)
TVForPrison (Continued)(Mlie.TVForPrison)[mv:1.0.0.0]: TVForPrison(1.0.0)
Ugh You Got Me(marvinkosh.ughyougotme): UghYouGotMe(1.0.7468.14677)
Undraft After Tucking(madarauchiha.undraftaftertucking): UndraftAfterTucking(1.0.0)
Use Bedrolls(Uuugggg.UseBedrolls): UseBedrolls(1.0.0)
Use Minified Buildings(dhultgren.useminifiedbuildings): UseMinifiedBuildings(1.0.1)
Un-Limited(Grimm.Unlimited)[mv:0.1.2.5]: (no assemblies)
Chill the F*** Out(CaptainMuscles.ChillOut)[mv:1.0.0]: CM_Chill_Out(1.0.0)
Do Your F****** Research(CaptainMuscles.PrioritizeResearch)[mv:1.0.0]: CM_Prioritize_Research(1.0.0)
Go the F*** to Sleep(CaptainMuscles.GoToSleep)[mv:1.0.0]: CM_Go_To_Sleep(1.0.0)
Party Your F****** Ass Off(CaptainMuscles.PartyYourAssOff)[mv:1.0.0]: CM_Party_Your_Ass_Off(1.0.0)
----- BUILDABLES -----(SortingGroups.Buildables): (no assemblies)
Vanilla Furniture Expanded(VanillaExpanded.VFECore)[mv:1.1.0]: 0Harmony(av:2.0.2,fv:2.0.0.7), AOMoreFurniture(1.0.0)
Vanilla Furniture Expanded - Art(VanillaExpanded.VFEArt)[mv:1.0.3]: (no assemblies)
Vanilla Furniture Expanded - Farming(VanillaExpanded.VFEFarming)[mv:1.0.1.0]: VFEF(1.0.0)
Vanilla Furniture Expanded - Medical Module(VanillaExpanded.VFEMedical)[mv:1.1.0]: 0Harmony(av:2.0.2,fv:2.0.0.7), AOMoreMedical(1.0.0)
Vanilla Furniture Expanded - Power(VanillaExpanded.VFEPower): 0Harmony(2.0.2), VanillaPowerExpanded(1.0.0)
Vanilla Furniture Expanded - Production(VanillaExpanded.VFEProduction)[mv:1.0.3.0]: 0Harmony(av:2.0.2,fv:2.0.0.7), VFEProduction(1.0.0)
Vanilla Furniture Expanded - Props and Decor(VanillaExpanded.VFEPropsandDecor): (no assemblies)
Vanilla Furniture Expanded - Security(VanillaExpanded.VFESecurity)[mv:1.1.1.0]: ExplosiveTrailsEffect(1.0.7140.31563), NoCamShakeExplosions(1.0.0), VFESecurity(1.1.2.2)
Vanilla Furniture Expanded - Spacer Module(VanillaExpanded.VFESpacer): MFSpacer(1.0.0)
Architect Expanded - Fences(Nif.ArchitectExpanded.Fences): BuildLib(1.0.0)
Armor Racks(khamenman.armorracks): ArmorRacks(1.0.0)
Bridgello(Shinzy.Bridgello): (no assemblies)
Centralized Climate Control (Continued)(Mlie.CentralizedClimateControl)[mv:1.0.18.0]: CentralizedClimateControl(1.5.0)
ClutterDoors(ruyan.doors): (no assemblies)
Doors Expanded (Dev)(jecrell.doorsexpanded)[mv:1.3.2.1]: DoorsExpanded(1.3.2.1)
Locks 2: Lock Them Out!(krkr.locks2): Locks2(1.0.7627.17616)
[SYR] Doormats(syrchalis.doormats): SyrDoorMats(1.0.0)
Fermenter (Continued)(Mlie.Fermenter)[mv:1.0.5.0]: 0MultiplayerAPI(av:0.2.0,fv:0.1.0), CookOil(1.0.0), Fermenter(1.0.0)
Highway Restoration(Owlchemist.HighwayRestoration): (no assemblies)
Life Support Continued [1.1][1.2](Troopersmith1.LifeSupport)[mv:1.0.2]: LifeSupport(0.0.0)
LinkableDoors (unofficial)(Linkolas.LinkableDoors): LinkableDoors(1.0.0)
Deep Storage Plus(im.skye.rimworld.deepstorageplus): deepstorageplus(1.0.0)
Little Storage 2(Sixdd.LittleStorage2): (no assemblies)
[JDS] Simple Storage(JangoDsoul.SimpleStorage)[mv:1.1.19]: (no assemblies)
[JDS] Simple Storage - Refrigeration(JangoDsoul.SimpleStorage.Ref): (no assemblies)
Medical IV's(Knight.MedicalIVs): 0Harmony(av:2.0.2,fv:2.0.0.3), IV(1.4.0)
Pawn Rules(Jaxe.PawnRules): PawnRules(1.4.4)
Polyamory Beds (Vanilla Edition)(Meltup.PolyamoryBeds.Vanilla): (no assemblies)
Advanced Polyamory Beds(Inggo.AdvancedPolyBeds): AdvancedPolyBeds(1.0.0), MFSpacer(1.0.0)
Project RimFactory Revived(spdskatr.projectrimfactory)[mv:2.5.51]: 0Harmony(av:2.0.2,fv:2.0.1), 0NoMessySpawns(1.0.0), ProjectRimFactory(1.0.0)
Project RimFactory - Drones(spdskatr.projectrimfactory.drones): (no assemblies)
Project RimFactory - Insanity(com.spdskatr.projectrimfactory.insanity): (no assemblies)
PRF-More Machines(Daemon976.PRF-MoreMachines): (no assemblies)
Project Rimfactory - Training System(daemon976.prftraining): (no assemblies)
Quarry 1.1(Ogliss.TheWhiteCrayon.Quarry): 0Harmony(av:2.0.2,fv:2.0.0.10), 0MultiplayerAPI(av:0.2.0,fv:0.1.0), Quarry(1.0.0)
Raise The Roof 1.2(machine.rtr): 0Harmony(av:2.0.2,fv:1.2.0.1), RaiseTheRoof(1.0.0)
[WD] Reinforced Doors(Wemd.ReinforcedDoors): (no assemblies)
Reinforced Walls(neceros.reinforcedwalls): ReinforcedWalls(1.0.0)
[WD] Reinforced Doors + Reinforced Walls Patch(tidal.reinforcedstructurespatch): (no assemblies)
RT Fuse(ratys.rtfuse)[mv:1.4.0.0]: 0Harmony(av:2.0.2,fv:1.2.0.1), RT_Fuse(1.0.0)
RT Solar Flare Shield(ratys.rtsolarflareshield)[mv:1.5.0.0]: 0Harmony(av:2.0.2,fv:1.2.0.1), RT_SolarFlareShield(1.0.0)
Shield Generators by Frontier Developments(captinjoehenry.FrontierShields)[mv:1.2.3.2408]: Core(0.0.1.2231), FrontierDevelopments-Shields(1.2.3.2408)
Simple Turrets(neceros.simpleturrets): SimpleTazing(1.0.0)
Standalone Hot Spring(balistafreak.StandaloneHotSpring): 0Harmony(2.0.2), ClassLibrary1(1.0.0 [no FileVersionInfo])
Statue of Animal(tammybee.statueofanimal): StatueOfAnimal(1.0.0)
Statue of Colonist(tammybee.statueofcolonist): StatueOfColonist(1.0.0)
Statue Of Colonist Alien Race Patch(tammybee.statueofcolonist.alienracepatch): 0Harmony(av:2.0.2,fv:1.2.0.1), StatueOfColonistAlienRacePatch(1.0.0)
Tables+(Hanhinen.TablesPlus): (no assemblies)
Trade Ships Drop Spot(smashphil.dropspot)[mv:1.0.0]: 0Harmony(av:2.0.2,fv:1.2.0.1), DropSpot(1.0.0)
Trading Control(TradingControl.Common.Core): TradingControl(2.2021.2.17)
Utility Columns(nephlite.orbitaltradecolumn): RimWorldColumns(1.0.0)
Vault(SickBoyWi.Vault.OnePointOne): (no assemblies)
Wall Light(Murmur.WallLight): WallLight(1.0.0)
Wall Torches Expanded(Hauvega.RetroMod.WallTorchesExpanded): WallTorch(1.0.0)
Auto Flicker(Mlie.AutoFlicker)[mv:1.0.0.0]: AutoFlicker(1.0.0)
Fortifications - Neolithic(Aoba.Fortress.Neolithic): (no assemblies)
----- FLOORS -----(SortingGroups.Floors): (no assemblies)
Natural Paths(RadZerp.naturalPaths): (no assemblies)
Tilled Soil(zilla.tilledsoil): TilledSoil(1.0.0)
----- GROWABLES -----(SortingGroups.Growables): (no assemblies)
Vanilla Plants Expanded(VanillaExpanded.VPlantsE): VanillaPlantsExpanded(1.0.0)
Vanilla Plants Expanded - Succulents(VanillaExpanded.VPlantsESucculents): (no assemblies)
CaveworldFlora (Continued)(Mlie.CaveworldFlora)[mv:1.0.2.0]: CaveworldFlora(1.0.0)
[FSF] Growable Ambrosia(FrozenSnowFox.GrowableAmbrosia): (no assemblies)
Growable Neutroamine(neceros.growableneutroamine): (no assemblies)
More Hydroponics Crops(archer.modding.morehydro)[mv:1.2]: (no assemblies)
----- MAP/BIOME CONDITIONS -----(SortingGroups.MapBiomeConditions): (no assemblies)
Change map edge limit(kapitanoczywisty.changemapedge): ChangeMapEdge(1.0.0)
Biomes! Core(BiomesTeam.BiomesCore): BiomesCore(2.0.0), BiomesKit(1.2.0)
Biomes! Islands(BiomesTeam.BiomesIslands): BiomesIslands(2.0.0), Swimming(1.2.0), TerrainMovementKit(1.2.0.7)
Alpha Biomes(sarg.alphabiomes): AlphaBiomes(1.0.0)
Alpha Biomes: Mycotic Jungle vegetation patch(robogerbil.mycoticjunglevegetationpatch): (no assemblies)
CaveBiome (Continued)(Mlie.CaveBiome)[mv:1.0.5.0]: CaveBiome(1.0.0)
More Vanilla Biomes(zylle.MoreVanillaBiomes)[mv:0.1.4.1]: VanillaBiomes(1.0.0)
Real Ruins(Woolstrand.RealRuins)[mv:2.2.0.0]: 0Harmony(av:2.0.2,fv:1.2.0.1), RealRuins(2.1.0.34710 [no FileVersionInfo])
[HLX] ReGrowth - Core(ReGrowth.BOTR.Core): 0Harmony(2.0.2), 0MultiplayerAPI(av:0.2.0,fv:0.1.0), ReGrowthCore(1.0.0)
[HLX] ReGrowth - Boreal Forest Expansion(ReGrowth.BOTR.BorealForestExpansion): (no assemblies)
[HLX] ReGrowth - Cold Bog Expansion(ReGrowth.BOTR.ColdBogExpansion): (no assemblies)
[HLX] ReGrowth - Extinct Animals Pack(ReGrowth.BOTR.ExtinctAnimalsPack): (no assemblies)
[HLX] ReGrowth - Temperate Forest Expansion(ReGrowth.BOTR.TemperateForestExpansion): ReGrowthTemperateForest(1.0.0)
[HLX] ReGrowth - Tundra Expansion(ReGrowth.BOTR.TundraExpansion): (no assemblies)
[HLX] ReGrowth - Volcanic Ice Sheet - Beta(ReGrowth.BOTR.VolcanicIceSheet): VolcanicIceSheet(1.0.0)
[HLX] ReGrowth - Wasteland(ReGrowth.BOTR.Wasteland): RGW_Wasteland(1.0.0)
[HLX] ReGrowth - Mutated Animals Pack(ReGrowth.BOTR.WastelandFauna): WastelandAnimals(1.0.0)
RimCities - Citadel Update(Cabbage.RimCities): 0Harmony(av:2.0.2,fv:2.0.0.8), RimCities(1.0.0)
Map Designer(zylle.MapDesigner): MapDesigner(1.0.0)
Map Reroll(UnlimitedHugs.MapReroll): MapReroll(av:2.4.0,fv:2.6.0)
----- AUDIO -----(SortingGroups.Audio): (no assemblies)
P-Music(Peppsen.PMusic): (no assemblies)
Realistic Human Sounds (Continued)(Mlie.RealisticHumanSounds)[mv:1.0.9.0]: 1SettingsHelper(av:0.19.1.36477,fv:0.19.1), RealisticHumanSounds(0.0.0)
----- VISUALS -----(SortingGroups.Visuals): (no assemblies)
Graphics Settings+(telefonmast.graphicssettings)[mv:1.0.0.0]: 0Harmony(av:2.0.2,fv:2.0.0.8), GraphicSetter(1.0.0)
Vanilla Textures Expanded(VanillaExpanded.VTEXE)[mv:1.0.0]: VanillaTexturesExpanded(1.0.1)
Royalty Textures Expanded(deon.royaltytexturesexpanded): (no assemblies)
Vanilla Textures Expanded - Genetic Rim(VanillaExpanded.VTEXGR): (no assemblies)
Bradson's Main Button Icons for Vanilla Textures Expanded(bs.mbifvte): VTEI(1.0.0 [no FileVersionInfo])
[LTO] Texture Overhaul(DerekBickley.LegacyTextureOverhaulfinal): (no assemblies)
[Vee]Apparel Retextuer(Lat.ApparelRetextuer): (no assemblies)
Better Ground Textures?(Fissure.BetterGroundTextures): (no assemblies)
[LTO] Terrain Overhaul(DerekBickley.LegacyTerrainOverhaulFinal): TerrainOverhaul(1.0.0 [no FileVersionInfo])
Better Spots(TheGoofyOne.BetterSpots): (no assemblies)
Bright Flames(Orion.BrightFlames)[mv:1.2.1]: BrightFlames(av:1.0.0,fv:1.2.1)
CCP's Stone Tweaks Vanilla(cucumpear.stonetweaksvanilla): (no assemblies)
Glowing Ambrosia(TheGoofyOne.GlowingAmbrosia): (no assemblies)
Glowing Berry Bush(TheGoofyOne.GlowingBerryBush): (no assemblies)
H.C_AnimalReskins_Complete2(HC.AnimalReskins.Complete2): (no assemblies)
H.C_RThrumboReskin.ver2(HC.RThrumboReskin.ver2): (no assemblies)
High quality textures(automatic.highqualitytextures): 0Harmony(2.0.2), HighQualityTextures(1.0.0)
[SYR] Marbled Marble(syrchalis.marbledmarble): (no assemblies)
More Sculpture(Bichang.MoreSculpture): (no assemblies)
No Debris 1.1/1.2(Bar0th.NoDebris): NoDebris(1.0.0)
No Edge Fade - Lite(OkraDonkey.NoEdgeFadeLite)[mv:0.1.2.7]: (no assemblies)
[WD] Realistic Darkness(Wemd.RealisticDarkness): RealisticDarkness(1.0.0)
Retextured Sculptures(tenthwit.sculptures): (no assemblies)
Single Plant Texture Patch (Reupload)(okradonkey.SinglePlantTexturePatch)[mv:1.0.0.0]: (no assemblies)
Snowy Trees(Nandonalt.SnowyTrees): 0Harmony(2.0.2), Nandonalt_SnowyTrees(1.0.0)
Uniform Vanilla Walls(KBraid.UniformWalls): (no assemblies)
Vanilla Column Retexture(NekoBoiNick.Vanilla.ColumnRetexture)[mv:1.0.2]: (no assemblies)
Vanilla RT Solar Flare Shield Retexture(Phoenix.VanillaSolarSheild): (no assemblies)
Better Vanilla Masking(Owlchemist.BetterVanillaMasking): (no assemblies)
[SYR] Bullet Casings(syrchalis.bulletcasings): BulletCasingMote(1.0.0)
World Map Beautification Project(Odeum.WMBP): BiomesKit(1.2.0)
World Map Beautification Project - for Alpha Biomes(Carolusclen.DLC.WMBP)[mv:1.0]: (no assemblies)
World Map Beautification Project - for More Vanilla Biomes(Carolusclen.DLC.WMBP.mvb)[mv:1.1]: (no assemblies)
Better Roads(wastelandr.BetterRoads): (no assemblies)
----- MISCELLANEOUS -----(SortingGroups.Miscellaneous): (no assemblies)
Caravan Lag Eliminator(jovianpug.caravanlageliminator): (no assemblies)
Columns Don't Take Up Spaces(pleccymm.columnsdonttakeupspaces): (no assemblies)
Deconstruct First(Fozzy107.DeconstructHFirst): (no assemblies)
Drug Policy Fix (Continued)(Mlie.DrugPolicyFix)[mv:1.0.1.0]: DrugPolicyFix(1.0.0)
Increase Manager Priority(DarthSergeant.PriorityJobManger): (no assemblies)
Interaction Bubbles(Jaxe.Bubbles): Bubbles(1.6.2)
Less Arbitrary Surgery (Continued)(Mlie.LessArbitrarySurgery)[mv:1.0.4.0]: LessArbitrarySurgery(av:18.10.30,fv:18.10.30)
Metal Don't Burn(neceros.metaldontburn): (no assemblies)
More Descriptive Words and Names(Hol.Words): (no assemblies)
[FSF] No Default Shelf Storage(FrozenSnowFox.NoDefaultShelfStorage): (no assemblies)
No Fertilized Egg Deterioration(Wildfire628.NoFertEggDeterioration): (no assemblies)
Out of Combat Move Speed Boost(Murmur.OOCMoveSpeedBoost): SpeedMod(1.0.0)
Power++(aRandomKiwi.PowerPP): Power++(av:1.8.1,fv:1.8.1)
Settlement Descriptions(dninemfive.settlementdescription): SettlementDesc(1.0.0)
Skilled Stonecutting(PinoChemicali.SkilledStonecutting): (no assemblies)
Small Simple Research Bench(Despenso.SimpleResearchBench): (no assemblies)
Smart Speed(sarg.smartspeed): SmartSpeed(1.0.0)
Weapon Artwork Removal(Bar0th.WAR): (no assemblies)
Harvest Everything!(Ogliss.Ykara.HarvestEverything)[mv:1.0.0]: 0Harmony(av:2.0.2,fv:2.0.1), Harvest Everything(1.0.0)
Harvest Organs Post Mortem(Smuffle.HarvestOrgansPostMortem): Autopsy(4.1.2)
DocWorld(drzhivago.docworld)[mv:1.2.2.23]: DocWorld(1.0.0)
VFE - Mechanoids : Unoffical Add-On(isorex.mechanoidsaddon): 0Harmony(av:2.0.2,fv:2.0.4), MechanoidAddon(1.0.0)
VFE - Mechanoids : Drones(seos.vfe.mechanoids.drones): (no assemblies)
VFE - Mechanoids : Tab(seos.vfe.mechanoids.tab): VFEMT(1.0.0)
Hospitals Extended(zymex.HospitalsExtended): BionicIcons(1.0.0), IV(1.4.0), sd_medicaddons(1.0.6870.40283)
----- RIMJOBWORLD -----(SortingGroups.RJWMods): (no assemblies)
RimJobWorld(rim.job.world)[mv:4.6.1]: 0MultiplayerAPI(av:0.2.0,fv:0.1.0), RJW(0.0.0)
BetterRJW(EagleofPhantoms.betterrjw)[mv:1.5]: (no assemblies)
RimJobWorld - Licentia Labs(LustLicentia.RJWLabs)[mv:0.7.4]: LicentiaLabs(1.0.0)
RJW - RaceSupport(Abraxas.RJW.RaceSupport)[mv:8.5.2]: (no assemblies)
RimJobWorld + Dub's Bad Hygiene Patch(rimworld.rjw.dubshygiene.patch): RJW Dubs Patch(1.0.0)
Simple Polygamy(Simple.Polygamy)[mv:1.0.0]: (no assemblies)
Just Polyamory(nugerumon.justpolyamory): JustPolyamory(1.0.0)
Romance Tweaks More Options(nugerumon.RomanceTweaksMoreOptions): $HugsLibChecker(0.5.0), RomanceTweaksMoreOptions(1.0.0)
I Want Incest(nugerumon.IWantIncest): (no assemblies)
Children, school and learning(Dylan.CSL): Children(1.6.3), ChildrenHelperClasses(1.6.3)
Age Matters 2.0 [1.2](Troopersmith1.AgeMatters): AgeMatters(1.0.0), OneHediffPerLifeStage(1.0.7692.10215)
Babies and Children(babies.and.children.continued): BabiesAndChildren(1.0.7702.36883)
Rimworld-Animations(c0ffee.rimworld.animations)[mv:1.0.11]: Rimworld-Animations(1.0.0)
RJWAnimAddons-VoicePatch(Tory187.RJWAnimAddons.VoicePatch)[mv:1.2.2]: (no assemblies)
RJWAnimAddons-XtraAnims(Tory187.RJWAnimAddons.XtraAnims)[mv:0.2.4]: (no assemblies)
RJWAnimAddons-AnimalPatch(Tory187.RJWAnimAddons.AnimalPatch)[mv:1.3.2]: (no assemblies)
RoboAnims(Roboslob.RoboAnims)[mv:0.1.0]: (no assemblies)
----- PATCHES -----(SortingGroups.Patches): (no assemblies)
[1.2] DE Surgeries - Alpha Animals patch(proxyer.desurgeries.alphaanimalpatch)[mv:1.2.5]: (no assemblies)
[1.2] DE Surgeries - Dubs Bad Hygiene(Proxyer.DESurgeries.DBHPatch)[mv:1.2.3]: (no assemblies)
[1.2] DE Surgeries - NewRatkinPlus patch(Proxyer.DESurgeries.NewRatkinPatch)[mv:1.2.0]: (no assemblies)
[1.2] DE Surgeries - Revia patch(Proxyer.DESurgeries.reviaPatch)[mv:1.2.0]: (no assemblies)
Empire -100 goodwill in scenarios Fix(mouse.scenarios.patch): (no assemblies)
EPOE-Forked: Alien expansion + patcher(tarojun.epoeforked.alienexpansionpatcher): (no assemblies)
GeneticRim Alpha Animals Patch(sarg.geneticrimalphaanimals): (no assemblies)
GeneticRim Dinosauria Patch(sarg.geneticrimdinosauria): (no assemblies)
RimBees - Genetic Rim Patch(sarg.geneticrimrimbees): RimBeesGeneticPatch(1.0.0)
Genetic Rim Addon Fix(Aalnius.GRAddonFix): (no assemblies)
Infinite Turrets(Knight.infiniteturrets): 0Harmony(av:2.0.2,fv:2.0.0.3), InfiniteTurrets(1.0.0)
LBE's A Dog Said Easy Patcher(lbeaston.ADogSaidEasyPatcher): ADogSaidEasyPatcher(1.0.0)
Multi-Bed Royalty Patch(Oldking.MultiBedRoyaltyPatch): 0Harmony(av:2.0.2,fv:2.0.0.8), MultiBedRoyaltyPatch(1.0.0)
Nals Facial Animation for HAR(Daemon976.FacialAnimationplus): (no assemblies)
Rimefeller Neceros Patch(neceros.rimefellernecerospatch): (no assemblies)
Where Are Your Shoes? (Vanilla Apparel Expanded)(Crudbone.WAYS): (no assemblies)
Optimization: Meats (1.2)(brucethemoose.OptimizationMeats): (no assemblies)
[XND] Tiny Tweaks (Continued)(Mlie.XNDTinyTweaks)[mv:1.0.3.0]: TinyTweaks(1.0.4)
Xenobionic Patcher(SineSwiper.XenobionicPatcher): XenobionicPatcher(av:1.1.9,fv:1.1.9)
Personal Tweaks and Patches(AerosAtar.PersonalTweaksAndPatches): (no assemblies)
Active Harmony patches:
ActiveDropPod.PodOpen: PRE: MapReroll.Patches.ActiveDropPod_PodOpen_Patch.RecordPodContents
AddictionUtility.CanBingeOnNow: post: AlienRace.HarmonyPatches.CanBingeNowPostfix
AddictionUtility.CheckDrugAddictionTeachOpportunity: PRE: O21Toolbox.HarmonyPatches.Patch_AddictionUtility_CheckDrugAddictionTeachOpportunity.Prefix
AgeInjuryUtility.GenerateRandomOldAgeInjuries: PRE: AlienRace.HarmonyPatches.GenerateRandomOldAgeInjuriesPrefix
AgeInjuryUtility.RandomHediffsToGainOnBirthday: post: AlienRace.HarmonyPatches.RandomHediffsToGainOnBirthdayPostfix
Alert.DrawAt: PRE: RaiderInfo.Patch_Alert_DrawAt.Prefix post: RaiderInfo.Patch_Alert_DrawAt.Postfix
Alert.get_Active: post: RIMMSqol.Alert_Active.Postfix
Alert_Boredom.GetReport: PRE: O21Toolbox.HarmonyPatches.CompatPatch_Boredom_GetReport.Prefix, Androids.HarmonyPatches.CompatPatch_Boredom_GetReport
Alert_BrawlerHasRangedWeapon.GetReport: PRE: MVCF.Harmony.Brawlers.GetReport_Prefix
Alert_CaravanIdle.GetExplanation: post: RoadsOfTheRim.Patch_Alert_CaravanIdle_GetExplanation.Postfix
Alert_CaravanIdle.GetReport: post: RoadsOfTheRim.Patch_Alert_CaravanIdle_GetReport.Postfix
Alert_ColonistNeedsTend.get_NeedingColonists: TRANS: TinyTweaks.Patch_Alert_ColonistNeedsTend+Get_NeedingColonists.Transpiler
Alert_ColonistsIdle.get_IdleColonists: post: BabiesAndChildren.Harmony.Alert_ColonistsIdle_IdleColonists_Patch.Postfix
Alert_HunterLacksRangedWeapon.get_HuntersWithoutRangedWeapon: post: SimpleSidearms.intercepts.Alert_HunterLacksRangedWeapon_HuntersWithoutRangedWeapon_Postfix.HuntersWithoutRangedWeapon
Alert_HypothermicAnimals.get_HypothermicAnimals: post: DD.DD_Alert_HypothermicAnimals_get_HypothermicAnimals.Postfix
Alert_LifeThreateningHediff.GetExplanation: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
Alert_LowFood.GetExplanation: post: TD_Enhancement_Pack.Alerts.AlertPatchNameMap_Food.Postfix
Alert_LowMedicine.GetExplanation: post: TD_Enhancement_Pack.Alerts.AlertPatchNameMap_Medicine.Postfix
Alert_LowMedicine.MedicineCount: post: SmartMedicine.StockUp.LowMedicineWarning.Postfix
Alert_NeedBatteries.NeedBatteries: post: ProjectRimFactory.Common.HarmonyPatches.Alert_NeedBatteries_NeedBatteries_Patch.Postfix
Alert_ShieldUserHasRangedWeapon.GetReport: PRE: NewRatkin.ShieldPatch.GetReportPrefix
AlertsReadout.AlertsReadoutOnGUI: PRE: Analyzer.Performance.H_AlertsReadoutUpdate.AlertsReadoutOnGUI
AlertsReadout.CheckAddOrRemoveAlert: PRE: Analyzer.Performance.H_AlertsReadoutUpdate.CheckAddOrRemoveAlert
AlienPartGenerator.AlienComp.PostSpawnSetup: PRE: StatueOfColonistAlienRacePatch.AlienComp_PostSpawnSetup_Patch.Prefix
AndroidLikeHediff.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
AndroidValueStatPart.TransformValue: TRANS: RocketMan.Optimizations.StatWorker_GetValueUnfinalized_Hijacked_Patch.Transpiler
ApparelGraphicRecordGetter.TryGetGraphicApparel: PRE: BBBodySupport.BBBodyTypeSupportHarmony+BBBodyGraphicApparelPatch.BBBody_ApparelPatch post: Kijin2.KijinApparelOptionPatch.KijinApparelOption_Patch TRANS: ApparelBodyTypeResolver.HarmonyPatches.TryGetGraphicApparelTranspiler
ApparelUtility.CanWearTogether: post: JecsTools.HarmonyPatches.Post_CanWearTogether, PelShield.CanWearTogether_PostPatch.PostFix
ApparelUtility.HasPartsToWear: PRE: Pawnmorph.HPatches.ApparelUtilityPatches.FixHasPartsFor post: WhatTheHack.Harmony.ApparelUtility_HasPartsToWear.Postfix
Area.MarkDirty: PRE: Analyzer.Performance.H_JobDriver_BuildRoof.SetDirty
AreaAllowedGUI.DoAllowedAreaSelectors: PRE: TooManyAreas.DoAllowedAreaSelectorsPatch.Prefix TRANS: TD_Enhancement_Pack.DoAllowedAreaSelectors_Patch.Transpiler
AreaAllowedGUI.DoAreaSelector: PRE: Children.ChildrenHarmony+AreaAllowedGUI_DoAreaSelector_Patch.AreaAllowedGUI_Pre TRANS: TD_Enhancement_Pack.DoAreaSelector_Patch.Transpiler
AreaManager.AddStartingAreas: post: PrisonLabor.HarmonyPatches.Patches_LaborArea.AddLaborAreaPatch.Postfix, Children.ChildrenHarmony+AreaManager_AddStartingAreas_Patch.AddStartingAreas_Post
AreaManager.CanMakeNewAllowed: PRE: TD_Enhancement_Pack.AreaManager_CanMakeNewAllowed.Prefix
AreaManager.NotifyEveryoneAreaRemoved: post: TD_Enhancement_Pack.NotifyEveryoneAreaRemoved_Patch.Postfix
AreaManager.TryMakeNewAllowed: post: TD_Enhancement_Pack.TryMakeNewAllowed_Patch.Postfix
AreaManager.UpdateAllAreasLinks: PRE: DubsBadHygiene.Patches.HarmonyPatches+H_UpdateAllAreasLinks.Prefix
Area_Allowed.get_ListPriority: post: TD_Enhancement_Pack.AreaOrder.Postfix
Area_BuildRoof.get_Color: PRE: RaiseTheRoof.Patches+Patch_Area_BuildRoof_Color.Prefix
Area_Home.Set: PRE: TD_Enhancement_Pack.NeverHomeArea.Prefix
Area_NoRoof.get_Color: PRE: RaiseTheRoof.Patches+Patch_Area_NoRoof_Color.Prefix
ArmorUtility.ApplyArmor: PRE: JecsTools.HarmonyPatches.ApplyProperDamage post: GiddyUpCore.Harmony.ArmorUtility_ApplyArmor.Postfix, GiddyUpCore.Harmony.ArmorUtility_ApplyArmor.Postfix TRANS: VFECore.Patch_ArmorUtility+ApplyArmor.Transpiler
ArmorUtility.GetPostArmorDamage: PRE: VFECore.Patch_ArmorUtility+GetPostArmorDamage.Prefix post: JecsTools.HarmonyPatches.Post_GetPostArmorDamage
AttackTargetFinder.BestAttackTarget: PRE: CosmicHorror.Utility.BestAttackTargetPrefix, CosmicHorror.HarmonyPatches.BestAttackTargetPrefix TRANS: VFESecurity.Patch_AttackTargetFinder+manual_BestAttackTarget.Transpiler
AttackTargetFinder.BestShootTargetFromCurrentPosition: TRANS: VFESecurity.Patch_AttackTargetFinder+BestShootTargetFromCurrentPosition.Transpiler
AttackTargetFinder.GetShootingTargetScore: post: FrontierDevelopments.Shields.Harmony.Harmony_AttackTargetFinder+Patch_GetShootingTargetScore.Postfix
AutoBuildRoofAreaSetter.TryGenerateAreaNow: PRE: RaiseTheRoof.Patches+Patch_AutoBuildRoofAreaSetter_TryGenerateAreaNow.Prefix
AutoBuildRoofAreaSetter.TryGenerateAreaOnImpassable: PRE: RaiseTheRoof.Patches+Patch_AutoBuildRoofAreaSetter_TryGenerateAreaOnImpassable.Prefix
AutoUndrafter.AutoUndraftTick: post: SimpleSidearms.intercepts.AutoUndrafter_AutoUndraftTick_Postfix.AutoUndraftTick
AutoUndrafter.Notify_Drafted: post: Locks2.Harmony.AutoUndrafter_Notify_Drafted_Patch.Postfix
AutoUndrafter.ShouldAutoUndraft: post: Mehni.Misc.Modifications.HarmonyPatches.StayWhereIPutYou_Postfix
Autosaver.AutosaverTick: PRE: aRandomKiwi.ARS.Autosaver_Patch+AutosaverTick.Listener
Autosaver.NewAutosaveFileName: PRE: aRandomKiwi.ARS.Autosaver_Patch+SaveGame.Listener
BackCompatibility.BackCompatibleDefName: PRE: Rimefeller.HarmonyPatches+Harmony_BackCompatibleDefName.Prefix, VFEMedieval.Patch_BackCompatibility+BackCompatibleDefName.Prefix
BackCompatibility.CheckSpawnBackCompatibleThingAfterLoading: PRE: [700]DoorsExpanded.HarmonyPatches.DoorExpandedCheckSpawnBackCompatibleThingAfterLoading
BackCompatibility.GetBackCompatibleType: PRE: [700]DoorsExpanded.HarmonyPatches.DoorExpandedGetBackCompatibleType
BackCompatibilityConverter_0_18.PostExposeData: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
BaseGenUtility.IsCheapWallStuff: post: Rimefeller.HarmonyPatches+Harmony_IsCheapWallStuff.Postfix
BaseGenUtility.TryRandomInexpensiveFloor: post: AlphaBiomes.AlphaBiomes_BaseGenUtility_TryRandomInexpensiveFloor_Patch.RemoveAlphaBiomesFloorsFromRuins
BattleLog.Add: post: Bubbles.Patch.Verse_BattleLog_Add.Postfix
BattleLogEntry_DamageTaken.DamagedBody: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
BattleLogEntry_ExplosionImpact.DamagedBody: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
BattleLogEntry_MeleeCombat.DamagedBody: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
BattleLogEntry_RangedImpact..ctor: PRE: MVCF.Harmony.MiscPatches.FixFakeCaster
BattleLogEntry_RangedImpact.DamagedBody: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
BattleLogEntry_StateTransition..ctor: PRE: BoomModExpanded.Verse_BattleLogEntry_StateTransition.Prefix
BeachMaker.Init: PRE: BiomesCore.Patches.BeachMaker_NoBeachBiomes.Prefix, VanillaBiomes.VanillaBiomesPatches.BeachMaker_Prefix, [10]MapReroll.Patches.DeterministicGenerationPatcher.DeterministicBeachSetup post: [-10]MapReroll.Patches.DeterministicGenerationPatcher.PopDeterministicRandState
BeautyUtility.CellBeauty: PRE: LWM.DeepStorage.PatchBeautyUtilityCellBeauty.Prefix
Bill.DoInterface: PRE: ImprovedWorkbenches.Bill_DoInterface_Detour.Prefix post: ImprovedWorkbenches.Bill_DoInterface_Detour.Postfix
Bill.ExposeData: post: PrisonLabor.HarmonyPatches.Patches_BillAssignation.Patch_ExposeBillGroup.Postfix
Bill.Notify_PawnDidWork: post: [800]CookOil.Notify_PawnDidWork_Patch.PostFix
Bill.PawnAllowedToStartAnew: PRE: VanillaTraitsExpanded.PawnAllowedToStartAnew_Patch.Prefix post: AlienRace.HarmonyPatches.PawnAllowedToStartAnewPostfix, Children.ChildrenHarmony+Bill_Patch.PawnAllowedToStartAnew
Bill.get_DeletedOrDereferenced: PRE: MicroDesignations.Bill_Patch+Bill_DeletedOrDereferenced_MicroDesignationsPatch.Prefix
Bill.get_LabelCap: PRE: ImprovedWorkbenches.Bill_LabelCap_Detour.Prefix
BillRepeatModeUtility.MakeConfigFloatMenu: PRE: ImprovedWorkbenches.BillRepeatModeUtility_MakeConfigFloatMenu_Detour.Prefix
BillStack.Delete: PRE: ImprovedWorkbenches.BillStack_Delete_Detour.Prefix post: PrisonLabor.HarmonyPatches.Patches_BillAssignation.Patch_RemoveBillFromUtility.Postfix
BillStack.DoListing: PRE: DubsMintMenus.Patch_BillStack_DoListing.Prefix, ImprovedWorkbenches.BillStack_DoListing_Detour.Prefix post: ImprovedWorkbenches.BillStack_DoListing_Detour.Postfix
BillUtility.MakeNewBill: post: DD.DD_BillUtility_MakeNewBill.Postfix, ImprovedWorkbenches.Detours.BillUtility_MakeNewBill_Detour.Postfix
Bill_Medical.Notify_DoBillStarted: PRE: WhatTheHack.Harmony.Bill_Medical_Notify_DoBillStarted.Prefix
Bill_Medical.ShouldDoNow: post: WhatTheHack.Harmony.Bill_Medical_ShouldDoNow.Postfix
Bill_Production.Clone: post: ImprovedWorkbenches.ExtendedBillData_Clone.Postfix
Bill_Production.DoConfigInterface: PRE: ImprovedWorkbenches.Bill_Production_DoConfigInterface_Detour.Prefix post: ImprovedWorkbenches.Bill_Production_DoConfigInterface_Detour.Postfix
Bill_Production.ExposeData: post: ImprovedWorkbenches.ExtendedBillData_ExposeData.Postfix
Bill_Production.get_RepeatInfoText: PRE: ImprovedWorkbenches.Bill_Production_RepeatInfoText_Detour.Prefix
BiomeDef.CommonalityOfDisease: post: IncidentTweaker.Patch.PatchBiomeDef.Postfix
BiomeWorker_AridShrubland.GetScore: post: AlphaBiomes.BiomeWorker_AridShrubland_GetScore_Patch.RemoveShrub
BiomeWorker_BorealForest.GetScore: post: AlphaBiomes.BiomeWorker_BorealForest_GetScore_Patch.RemoveBoreal
BiomeWorker_ColdBog.GetScore: post: AlphaBiomes.BiomeWorker_ColdBog_GetScore_Patch.RemoveColdBog
BiomeWorker_Desert.GetScore: post: AlphaBiomes.BiomeWorker_Desert_GetScore_Patch.RemoveDesert
BiomeWorker_ExtremeDesert.GetScore: post: AlphaBiomes.BiomeWorker_ExtremeDesert_GetScore_Patch.RemoveExtDesert
BiomeWorker_IceSheet.GetScore: post: AlphaBiomes.BiomeWorker_IceSheet_GetScore_Patch.RemoveIceSh
BiomeWorker_SeaIce.GetScore: post: AlphaBiomes.BiomeWorker_SeaIce_GetScore_Patch.RemoveSeaIce
BiomeWorker_TemperateForest.GetScore: post: AlphaBiomes.BiomeWorker_TemperateForest_GetScore_Patch.RemoveForest
BiomeWorker_TemperateSwamp.GetScore: post: AlphaBiomes.BiomeWorker_TemperateSwamp_GetScore_Patch.RemoveTempSw
BiomeWorker_TropicalRainforest.GetScore: post: AlphaBiomes.BiomeWorker_TropicalRainforest_GetScore_Patch.RemoveTropRain
BiomeWorker_TropicalSwamp.GetScore: post: AlphaBiomes.BiomeWorker_TropicalSwamp_GetScore_Patch.RemoveTropSw
BiomeWorker_Tundra.GetScore: post: AlphaBiomes.BiomeWorker_Tundra_GetScore_Patch.RemoveTundra
BlockBio.ATogglePassion: PRE: DInterests.Patch_ATogglePassion_Prefix.Prefix
Blueprint.DeSpawn: PRE: Replace_Stuff.PlaceBridges.CancelBlueprint.Prefix, Replace_Stuff.DestroyedRestore.BlueprintRemoval.Prefix
Blueprint.Draw: PRE: DoorsExpanded.HarmonyPatches.DoorExpandedBlueprintDrawPrefix post: StatueOfAnimal.Blueprint_Draw_Patch.Postfix, StatueOfColonist.Blueprint_Draw_Patch.Postfix
Blueprint.SpawnSetup: PRE: DoorsExpanded.HarmonyPatches.DoorExpandedBlueprintSpawnSetupPrefix
Blueprint.TryReplaceWithSolidThing: post: PrisonLabor.HarmonyPatches.Patches_Construction.Patch_BlueprintsForPlayerFaction.Postfix TRANS: Replace_Stuff.OverMineable.BlueprintToFrameUnderRock.Transpiler
Blueprint_Build.get_WorkTotal: post: Replace_Stuff.NewThing.NewThingDeconstructWork_Blueprint.Postfix
Blueprint_Install.TryReplaceWithSolidThing: post: MinifyEverything.MinifyEverything.AfterInstall, MoveBase.Blueprint_Destroy_Patch.PostfixTryReplaceWithSolidThing
BodyPartDef.GetMaxHealth: post: VFEI.HarmonyPatches.BodyPartDef_GetMaxHealth_PostFix
Bombardment.<StartRandomFire>b__19_0: PRE: FrontierDevelopments.Shields.Harmony.Harmony_Bombardment.Prefix
Bombardment.EffectTick: post: FrontierDevelopments.Shields.Harmony.Harmony_Bombardment+Bombardment_EffectTick_Patch.Postfix
Bombardment.Tick: post: FrontierDevelopments.Shields.Harmony.Harmony_Bombardment+Patch_Tick.Postfix
BuildableDef.ForceAllowPlaceOver: post: DubsBadHygiene.Patches.HarmonyPatches.ForceAllowPlaceOver_Postfix
Building.ClaimableBy: post: SaveOurShip2.FixOutdoorTemp+NoClaimingEnemyShip.Nope
Building.DeSpawn: PRE: [800]LWM.DeepStorage.Patch_Building_DeSpawn_For_Building_Storage.Prefix
Building.Destroy: PRE: Glass_Lights.HarmonyInit+Patch_BuildingDestroy.Prefix, SaveOurShip2.FixOutdoorTemp+NotifyCombatManager.ShipPartIsDestroyed, ImprovedWorkbenches.Building_Destroy_Detour.Prefix post: SaveOurShip2.FixOutdoorTemp+NotifyCombatManager.ReplaceShipPart
Building.Draw: post: DD.DD_Building_Draw.Postfix
Building.PostApplyDamage: post: aRandomKiwi.KFM.Building_Patch+PostApplyDamage.Listener
Building.PreApplyDamage: post: VFESecurity.Patch_Building+PreApplyDamage.Postfix
BuildingProperties.get_IsMortar: post: SaveOurShip2.FixOutdoorTemp+TorpedoesCanBeLoaded.CheckThisOneToo
Building_Bed.DeSpawn: PRE: UseBedrolls.BedDeSpawnRemove.Prefix, Locks2.Harmony.Building_Bed_DeSpawn_Patch.Prefix
Building_Bed.GetCurOccupant: PRE: WhatTheHack.Harmony.Building_Bed_GetCurOccupant.Prefix
Building_Bed.GetGizmos: post: AnimalsLogic.YouSleepHere+Building_Bed_GetGizmos_Patch.Postfix, UseBedrolls.TempBedGizmo.Postfix, UseBedrolls.TravelerBedGizmo.Postfix TRANS: PrisonLabor.HarmonyPatches.Patches_AssignBed.Patch_AssignPrisonersToBed.Transpiler
Building_Bed.GetInspectString: TRANS: AnimalsLogic.YouSleepHere+Building_Bed_GetInspectString_Patch.Transpiler
Building_Bed.GetSleepingSlotPos: post: WhatTheHack.Harmony.Building_Bed_GetSleepingSlotPos.Postfix
Building_Bed.RemoveAllOwners: post: UseBedrolls.RemoveAllOwners_Patch.Postfix
Building_Bed.SpawnSetup: post: Locks2.Harmony.Building_Bed_SpawnSetup_Patch.Postfix
Building_Bed.get_DrawColorTwo: post: DubRoss.Harmony_BedColour.Postfix
Building_Bed.get_ForPrisoners: post: Pawnmorph.HPatches.BedBuildingPatches.FixForPrisoner
Building_Bed.set_Medical: TRANS: AnimalsLogic.YouSleepHere+Building_Bed_set_Medical_Patch.Transpiler
Building_Casket.Tick: PRE: SaveOurShip2.FixOutdoorTemp+EggsDontHatch.Nope
Building_CommsConsole.GetFloatMenuOptions: post: aRandomKiwi.MFM.Building_CommsConsole_GetFloatMenuOption_Patch+GetFloatMenuOptions.Listener
Building_Cooler.TickRare: TRANS: Replace_Stuff.CoolersOverWalls.WideVentLocationTemp.Transpiler
Building_CryptosleepCasket.EjectContents: post: SaveOurShip2.FixOutdoorTemp+UpdateCasketGraphicsB.UpdateIt
Building_CryptosleepCasket.FindCryptosleepCasketFor: PRE: SaveOurShip2.FixOutdoorTemp+AllowCrittersleepCaskets.BlockExecution post: SaveOurShip2.FixOutdoorTemp+AllowCrittersleepCaskets.CrittersCanSleepToo
Building_CryptosleepCasket.GetFloatMenuOptions: PRE: SaveOurShip2.FixOutdoorTemp+CantEnterCryptonest.Nope post: SaveOurShip2.FixOutdoorTemp+CantEnterCryptonest.AlsoNope
Building_CryptosleepCasket.TryAcceptThing: post: SaveOurShip2.FixOutdoorTemp+UpdateCasketGraphicsA.UpdateIt
Building_Door.CanPhysicallyPass: PRE: [800]DoorsExpanded.HarmonyPatches.InvisDoorCanPhysicallyPassPrefix
Building_Door.CheckFriendlyTouched: PRE: [800]DoorsExpanded.HarmonyPatches.InvisDoorCheckFriendlyTouchedPrefix
Building_Door.DoorOpen: PRE: [800]DoorsExpanded.HarmonyPatches.InvisDoorDoorOpenPrefix
Building_Door.DoorTryClose: PRE: [800]DoorsExpanded.HarmonyPatches.InvisDoorDoorTryClosePrefix
Building_Door.GetGizmos: post: HOOD.Patch_Building_GetGizmos.Postfix, HOOD.Patch_Building_GetGizmos.Postfix
Building_Door.Notify_PawnApproaching: PRE: [800]DoorsExpanded.HarmonyPatches.InvisDoorNotifyPawnApproachingPrefix
Building_Door.PawnCanOpen: PRE: Locks2.Harmony.Building_Door_PawnCanOpen_Patch.Prefix post: Pawnmorph.HPatches.DoorPatches.FixFormerHumanDoorPatch
Building_Door.SpawnSetup: post: DontBlockDoorMod.PatchForSpawnSetup.Postfix
Building_Door.StartManualCloseBy: PRE: [800]DoorsExpanded.HarmonyPatches.InvisDoorStartManualCloseByPrefix
Building_Door.StartManualOpenBy: PRE: [800]DoorsExpanded.HarmonyPatches.InvisDoorStartManualOpenByPrefix
Building_Door.Tick: PRE: [700]DoorsExpanded.HarmonyPatches.BuildingDoorTickPrefix post: DoorsCloseFastAgain.HarmonyPatches.Postfix
Building_Door.get_BlockedOpenMomentary: PRE: [800]DoorsExpanded.HarmonyPatches.InvisDoorBlockedOpenMomentaryPrefix post: GiddyUpCore.Harmony.Building_Door_get_BlockedOpenMomentary.Postfix
Building_Door.get_FreePassage: PRE: [800]DoorsExpanded.HarmonyPatches.InvisDoorFreePassagePrefix
Building_Door.get_SlowsPawns: PRE: [800]DoorsExpanded.HarmonyPatches.InvisDoorSlowsPawnsPrefix
Building_Door.get_TicksTillFullyOpened: PRE: [800]DoorsExpanded.HarmonyPatches.InvisDoorTicksTillFullyOpenedPrefix
Building_Door.get_TicksToOpenNow: PRE: [800]DoorsExpanded.HarmonyPatches.InvisDoorTicksToOpenNowPrefix
Building_Door.get_WillCloseSoon: PRE: [800]DoorsExpanded.HarmonyPatches.InvisDoorWillCloseSoonPrefix
Building_DoorExpanded.GetGizmos: post: HOOD.Patch_Building_GetGizmos.Postfix, HOOD.Patch_Building_GetGizmos.Postfix
Building_DoorExpanded.PawnCanOpen: PRE: Locks2.Harmony.Building_Door_Expanded_PawnCanOpen_Patch.Prefix
Building_DoorRegionHandler.GetGizmos: post: HOOD.Patch_Building_GetGizmos.Postfix, HOOD.Patch_Building_GetGizmos.Postfix
Building_DoorRemote.GetGizmos: post: HOOD.Patch_Building_GetGizmos.Postfix, HOOD.Patch_Building_GetGizmos.Postfix
Building_FermentingBarrel.GetInspectString: PRE: UniversalFermenter.OldBarrel_GetInspectStringPatch.OldBarrel_GetInspectString_Postfix
Building_NutrientPasteDispenser.FindFeedInAnyHopper: PRE: RimFridge.Patch_Building_NutrientPasteDispenser_FindFeedInAnyHopper.Prefix
Building_NutrientPasteDispenser.HasEnoughFeedstockInHoppers: PRE: RimFridge.Patch_Building_NutrientPasteDispenser_HasEnoughFeedstockInHoppers.Prefix
Building_NutrientPasteDispenser.TryDispenseFood: TRANS: CommonSense.RandomIngredients+GenRecipe_TryDispenseFood_CommonSensePatch.CleanIngList
Building_OrbitalTradeBeacon.TradeableCellsAround: PRE: D9Framework.OrbitalTradeHook+TradeableCellsPatch.Prefix
Building_PlantGrower.CanAcceptSowNow: post: DubsBadHygiene.Patches.HarmonyPatches.PlantGrowerCanAcceptSowNow_Postfix
Building_PlantGrower.GetGizmos: post: TD_Enhancement_Pack.DoNotHarvest_Building_Gizmo.Postfix
Building_PlantGrower.TickRare: PRE: DubsBadHygiene.Patches.HarmonyPatches.PlantGrowerTickRare_Prefix
Building_StatueOfColonist.CopyStatueOfColonistFromPreset: post: StatueOfColonistAlienRacePatch.Building_StatueOfColonist_CopyStatueOfColonistFromPreset_Patch.Postfix
Building_StatueOfColonist.ResolveGraphics: PRE: StatueOfColonistAlienRacePatch.Building_StatueOfColonist_ResolveGraphics_Patch.Prefix
Building_Storage.Accepts: PRE: ProjectRimFactory.Common.HarmonyPatches.Patch_Building_Storage_Accepts.Prefix
Building_Storage.GetGizmos: post: TD_Enhancement_Pack.BuildingStorage_GetGizmos_Patch.InsertUrgentRefillGizmos
Building_Storage.Notify_ReceivedThing: post: LWM.DeepStorage.PatchDisplay_Notify_ReceivedThing.Postfix
Building_Storage.SpawnSetup: post: LWM.DeepStorage.PatchDisplay_SpawnSetup.Postfix
Building_Trap.CheckSpring: PRE: EnhancedDevelopment.EnhancedOptions.Detours.PatchBuildingTrap.CheckSpringPrefix
Building_Trap.Spring: TRANS: VFESecurity.Patch_Building_Trap+Spring.Transpiler
Building_Turret.PreApplyDamage: PRE: SaveOurShip2.FixOutdoorTemp+HardpointsHelpTurrets.Prefix
Building_TurretGun.BurstCooldownTime: post: VanillaFactionsExpandedSettlers.VFES_Building_TurretGun_BurstCooldownTime_RapidFire_Patch.BurstCooldownTime_RapidFire_Postfix
Building_TurretGun.DrawExtraSelectionOverlays: post: VFESecurity.Patch_Building_TurretGun+DrawExtraSelectionOverlays.Postfix, WhatTheHack.Harmony.Building_TurretGun_DrawExtraSelectionOverlays.Postfix
Building_TurretGun.MakeGun: PRE: yayoCombat.patch_Building_TurretGun_MakeGun.Prefix, yayoCombat.patch_Building_TurretGun_MakeGun.Prefix
Building_TurretGun.OrderAttack: post: VFESecurity.Patch_Building_TurretGun+OrderAttack.Postfix
Building_TurretGun.Tick: post: WhatTheHack.Harmony.Building_TurretGun_Tick.Postfix
Building_TurretGun.TryFindNewTarget: PRE: [800]FireExt.BTG_TryFindNewTarget_PrePatch.PreFix, AutoMortarShellChoice.SmartTargeting.TryFindNewTargetPrefix post: AutoMortarShellChoice.SmartTargeting.TryFindNewTargetPostfix
Building_TurretGun.TryStartShootSomething: PRE: Replace_Stuff.Replace.DisableTurret.Prefix, VFESecurity.Patch_Building_TurretGun+TryStartShootSomething.Prefix
Building_TurretGun.get_CanSetForcedTarget: PRE: EnhancedDevelopment.EnhancedOptions.Detours.PatchBuildingTurretGun.CanSetForcedTargetPrefix post: WhatTheHack.Harmony.Building_TurretGun_get_CanSetForcedTarget.Postfix
Building_Vent.TickRare: PRE: SaveOurShip2.FixOutdoorTemp+NoVentingToSpace.Prefix
Building_WorkTable.UsableForBillsAfterFueling: post: Replace_Stuff.Replace.DisableWorkbench.Postfix
Bullet.Impact: PRE: SuppressionMod.Patch_Bullet_Impact.BulletImpactStuff
CE_JobGiver_TakeAndEquip_TryGiveJob.Stub: TRANS: WhatTheHack.Harmony.CE_JobGiver_TakeAndEquip_TryGiveJob.Transpiler
CameraDriver.ApplyPositionToGameObject: TRANS: CameraPlus.CameraDriver_ApplyPositionToGameObject_Patch.Transpiler
CameraDriver.CalculateCurInputDollyVect: post: CameraPlus.CameraDriver_CalculateCurInputDollyVect_Patch.Postfix, Analyzer.Performance.H_ZoomThrottle.CameraDriver_Dolly_Postfix
CameraDriver.CameraDriverOnGUI: post: Analyzer.Performance.H_ZoomThrottle.CameraDriver_OnGUI_Postfix
CameraDriver.Update: post: Soyuz.Patches.CameraDriver_Patch.Postfix TRANS: CameraPlus.CameraDriver_Update_Patch.Transpiler, TD_Enhancement_Pack.ZoomToMouse.Transpiler
CameraDriver.get_CurrentViewRect: TRANS: CameraPlus.CameraDriver_CurrentViewRect_Patch.Transpiler
CameraDriver.get_CurrentZoom: PRE: CameraPlus.CameraDriver_CurrentZoom_Patch.Prefix
CameraJumper.TryHideWorld: post: TacticalGroups.HarmonyPatches.EntriesDirty
CameraJumper.TryJumpAndSelect: PRE: RaiderInfo.Patch_CameraJumper_TryJumpAndSelect.Prefix
CameraJumper.TryJumpInternal: post: TacticalGroups.HarmonyPatches.EntriesDirty
Caravan.GetGizmos: post: JecsTools.HarmonyCaravanPatches.GetGizmos_Jobs, ForcedMarch.GetGizmosPatch.GetGizmosPostfix, RoadsOfTheRim.Patch_Caravan_GetGizmos.Postfix, Syrchalis_SetUpCamp.GetGizmosPatch.GetGizmosPostfix, SaveOurShip2.OtherGizmoFix.AddTheStuffToTheYieldReturnedEnumeratorThingy
Caravan.GetInspectString: post: JecsTools.HarmonyCaravanPatches.GetInspectString_Jobs, RoadsOfTheRim.Patch_Caravan_GetInspectString.Postfix
Caravan.Notify_PawnAdded: post: TacticalGroups.HarmonyPatches.EntriesDirty
Caravan.Notify_PawnRemoved: post: TacticalGroups.HarmonyPatches.EntriesDirty
Caravan.PostAdd: post: TacticalGroups.HarmonyPatches.EntriesDirty
Caravan.PostRemove: post: TacticalGroups.HarmonyPatches.EntriesDirty
Caravan.Tick: post: WhatTheHack.Harmony.Caravan_Tick.Postfix
Caravan.get_NightResting: PRE: Androids.HarmonyPatches.Patch_Caravan_NightResting, ForcedMarch.CaravanNightRestUtilityPatch.CaravanNightRestingPrefix
CaravanArrivalAction_AttackSettlement.GetFloatMenuOptions: post: aRandomKiwi.MFM.CaravanArrivalAction_AttackSettlement_Patch+GetFloatMenuOptions.Listener
CaravanArrivalAction_OfferGifts.CanOfferGiftsTo: PRE: Cities.CaravanArrivalAction_OfferGifts_CanOfferGiftsTo.Prefix
CaravanEnterMapUtility.Enter: PRE: UseBedrolls.CaravanBedrollSharer.Prefix, TacticalGroups.HarmonyPatches.CaravanEnter, MapReroll.Patches.CaravanEnterMapUtility_Enter_Patch.RecordPlayerAddedMapThings
CaravanEnterMapUtility.Enter: PRE: TerrainMovement.CaravanEnterMapUtility_Enter_Patch.Prefix
CaravanEnterMapUtility.GetEnterCell: PRE: Cities.CaravanEnterMapUtility_GetEnterCell.Prefix
CaravanExitMapUtility.ExitMapAndCreateCaravan: post: TacticalGroups.HarmonyPatches.ExitMapAndCreateCaravan
CaravanFormingUtility.AllSendablePawns: post: VFE.Mechanoids.HarmonyPatches.MachinesCannotJoinCaravans.Postfix TRANS: WhatTheHack.Harmony.CaravanFormingUtility_AllSendablePawns.Transpiler
CaravanInventoryUtility.TakeThings: TRANS: TD_Enhancement_Pack.TradeRequestWorstFirst.Transpiler
CaravanTicksPerMoveUtility.GetTicksPerMove: PRE: GiddyUpCaravan.Harmony.CaravanTicksPerMoveUtility_GetTicksPerMove.Prefix post: VanillaTraitsExpanded.GetTicksPerMove_Patch.Postfix
CaravanUIUtility.<>c.<AddPawnsSections>b__9_0: TRANS: Pawnmorph.PawnmorphPatches.CaravanDelegatePatch
CaravanUIUtility.<>c.<AddPawnsSections>b__9_1: TRANS: Pawnmorph.PawnmorphPatches.CaravanDelegatePatch
CaravanUIUtility.<>c.<AddPawnsSections>b__9_2: TRANS: Pawnmorph.PawnmorphPatches.CaravanDelegatePatch
CaravanUIUtility.<>c.<AddPawnsSections>b__9_3: TRANS: Pawnmorph.PawnmorphPatches.CaravanDelegatePatch
CaravanUIUtility.<>c.<AddPawnsSections>b__9_4: TRANS: Pawnmorph.PawnmorphPatches.CaravanDelegatePatch
CaravanUIUtility.<>c.<CreateCaravanTransferableWidgets_NewTmp>b__7_0: TRANS: Pawnmorph.PawnmorphPatches.CaravanDelegatePatch
CaravanUIUtility.<>c.<CreateCaravanTransferableWidgets_NewTmp>b__7_1: TRANS: Pawnmorph.PawnmorphPatches.CaravanDelegatePatch
CaravanUIUtility.AddPawnsSections: PRE: CaravanSorting.HarmonyPatches.AddPawnsSections, SaveOurShip2.UIFix.replaceit post: RoadsOfTheRim.Patch_CaravanUIUtility_AddPawnsSections.Postfix, WhatTheHack.Harmony.CaravanUIUtility_AddPawnsSections.Postfix
CaravanUIUtility.CreateCaravanTransferableWidgets: post: RoadsOfTheRim.Patch_CaravanUIUtility_CreateCaravanTransferableWidgets.Postfix
Caravan_NeedsTracker.TrySatisfyPawnNeeds: PRE: DubsBadHygiene.Patches.HarmonyPatches+Harmony_TrySatisfyPawnNeeds.Prefix TRANS: WhatTheHack.Harmony.Caravan_NeedsTracker_TrySatisfyPawnNeeds.Transpiler
Caravan_PathFollower.CostToMove: post: GiddyUpCaravan.Harmony.Caravan_PathFollower_CostToMove.Postfix
CastPositionFinder.CastPositionPreference: post: FrontierDevelopments.Shields.Harmony.Harmony_CastPositionFinder+Patch_CastPositionPreference.AdjustScoreFromShielding TRANS: VFEMech.AvoidGrid_Patch.Transpiler
CastPositionFinder.TryFindCastPosition: TRANS: VFESecurity.Patch_CastPositionFinder+TryFindCastPosition.Transpiler
CharacterCardUtility.DrawCharacterCard: TRANS: PrisonLabor.HarmonyPatches.Patches_RenamingPrisoners.Patch_RenamePrisoners+EnableRenamingPrisoners.Transpiler, SyrTraits.CharacterCardUtilityPatch.Transpiler, rjw.SexcardPatch.Transpiler, WhatTheHack.Harmony.CharacterCardUtility_DrawCharacterCard.Transpiler
CherubMechanitesCompSW.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Cocoon.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
CollectionsMassCalculator.CapacityTransferables: PRE: CosmicHorror.HarmonyPatches.CapacityTransferables_PreFix
ColonistBar.CaravanMemberCaravanAt: PRE: TacticalGroups.HarmonyPatches.CaravanMemberCaravanAt
ColonistBar.CaravanMembersCaravansInScreenRect: PRE: TacticalGroups.HarmonyPatches.CaravanMembersCaravansInScreenRect
ColonistBar.ColonistBarOnGUI: PRE: TacticalGroups.HarmonyPatches.ColonistBarOnGUI
ColonistBar.ColonistOrCorpseAt: PRE: TacticalGroups.HarmonyPatches.ColonistOrCorpseAt
ColonistBar.GetColonistsInOrder: PRE: TacticalGroups.HarmonyPatches.GetColonistsInOrder
ColonistBar.Highlight: PRE: TacticalGroups.HarmonyPatches.Highlight
ColonistBar.MapColonistsOrCorpsesInScreenRect: PRE: TacticalGroups.HarmonyPatches.MapColonistsOrCorpsesInScreenRect
ColonistBar.MarkColonistsDirty: post: TacticalGroups.HarmonyPatches.MarkColonistsDirty
ColonistBarColonistDrawer.DrawGroupFrame: post: SaveOurShip2.FixOutdoorTemp+ShipIconOnPawnBar.DrawShip
Command.GizmoOnGUIInt: post: AllowTool.Patches.Command_GizmoOnGUI_Patch.InterceptInteraction TRANS: AllowTool.Patches.Command_GizmoOnGUI_Patch.DrawRightClickIcon, MVCF.Harmony.Gizmos.GizmoOnGUI_Transpile
Command_SetPlantToGrow.WarnAsAppropriate: PRE: SyrTraits.WarnAsAppropiatePatch.WarnAsAppropiate_Prefix
CompAbilityEffect_WordOfLove.ValidateTarget: PRE: rjw.PATCH_CompAbilityEffect_WordOfLove_ValidateTarget.Prefix
CompArt.GenerateImageDescription: PRE: ProjectRimFactory.CompArt_GenerateImageDescription.Prefix
CompAssignableToPawn.ForceAddPawn: post: Locks2.Harmony.CompAssignableToPawn_ForceAddPawn_Patch.Postfix
CompAssignableToPawn.ForceRemovePawn: post: Locks2.Harmony.CompAssignableToPawn_ForceRemovePawn_Patch.Postfix
CompAssignableToPawn.TryAssignPawn: post: Locks2.Harmony.CompAssignableToPawn_TryAssignPawn_Patch.Postfix
CompAssignableToPawn.TryUnassignPawn: post: Locks2.Harmony.CompAssignableToPawn_TryUnassignPawn_Patch.Postfix
CompAssignableToPawn.get_AssigningCandidates: PRE: PrisonLabor.HarmonyPatches.Patches_AssignBed.Patch_MakePrisonersCandidates.Prefix, WhatTheHack.Harmony.CompAssignableToPawn_AssigningCandidates.Prefix post: AnimalsLogic.YouSleepHere+CompAssignableToPawn_get_AssigningCandidates_Patch.Postfix, AlienRace.HarmonyPatches.AssigningCandidatesPostfix
CompAssignableToPawn.get_MaxAssignedPawnsCount: post: WhatTheHack.Harmony.CompAssignableToPawn_get_MaxAssignedPawnsCount.Postfix
CompAssignableToPawn_Bed.AssignedAnything: PRE: AnimalsLogic.YouSleepHere+CompAssignableToPawn_Bed_AssignedAnything_Patch.Prefix
CompAssignableToPawn_Bed.TryAssignPawn: PRE: AnimalsLogic.YouSleepHere+CompAssignableToPawn_Bed_TryAssignPawn_Patch.Prefix
CompBreakdownable.CheckForBreakdown: PRE: Fluffy_Breakdowns.HarmonyPatch_CheckForBreakdown.Prefix TRANS: DoorsExpanded.HarmonyPatches.CompBreakdownableCheckForBreakdownTranspiler
CompBreakdownable.CompInspectStringExtra: PRE: Fluffy_Breakdowns.HarmonyPatch_CompInspectStringExtra.Prefix
CompBreakdownable.Notify_Repaired: post: RIMMSqol.CompBreakdownable_Notify_Repaired.Postfix
CompCreatesInfestations.get_CanCreateInfestationNow: PRE: ProjectRimFactory.Industry.Patch_CanCreateInfestationNow.Prefix
CompDeepDrill.CanDrillNow: PRE: Analyzer.Performance.H_CompDeepDrill.Prefix
CompDeepDrill.DrillWorkDone: PRE: [800]Prospecting.DrillWorkDone_PrePatch.PreFix
CompDeepStorage.CapacityToStoreThingAt: post: deepstorageplus.Patch_CompDeepStorage_CapacityToStoreThingAt.Postfix
CompDrug.PostIngested: post: AlienRace.HarmonyPatches.PostIngestedPostfix
CompEggLayer.CompInspectStringExtra: post: RttRAnimalBehaviours.RaceToTheRim_CompEggLayer_CompInspectStringExtra_Patch.DontDisplayEggForNonAdults
CompEggLayer.ProduceEgg: post: OHFP.CompEggLayer_Patch+AddOHFPToCompEggLayer_Patch.Postfix, Pawnmorph.HPatches.ProductionCompPatches+EggLayerCompPatch.ProduceEggPatch, Arachnophobia.HarmonyPatches.ProduceEgg_PostFix, Kijin2.Kijin2ProduceEggPatch.Kijin2ProduceEgg_Patch
CompEquippable.GetVerbsCommands: post: VFECore.Patch_CompEquippable+GetVerbsCommands.Postfix
CompEquippable.get_PrimaryVerb: post: O21Toolbox.HarmonyPatches.Patches.Harmony_Weapons+CompEquippable_GetPrimaryVerb_PostFix.Postfix
CompFlickable.DoFlick: post: aRandomKiwi.PPP.CompFlickable_Patch+PowerNetGraphics_PrintWirePieceConnecting_Patch.Listener
CompForbiddable.CompGetGizmosExtra: PRE: Cities.CompForbiddable_CompGetGizmosExtra.Prefix post: AllowTool.Patches.CompForbiddable_Gizmos_Patch.InjectDesignatorFunctionality
CompForbiddable.set_Forbidden: TRANS: DoorsExpanded.HarmonyPatches.DoorExpandedSetForbiddenTranspiler
CompGlower.PostSpawnSetup: PRE: VFEI.HarmonyPatches.PostSpawnSetup_PreFix
CompGlower.ReceiveCompSignal: PRE: GasNetwork.CompGlower_ReceiveCompSignal.Prefix post: VFEI.HarmonyPatches.ReceiveCompSignal_PostFix
CompGlower.get_ShouldBeLitNow: post: GasNetwork.CompGlower_ShouldBeLit.Postfix, VanillaPowerExpanded.VPE_CompGlower_ShouldBeLitNow_Patch.NotLitIfNoGas
CompHasGatherableBodyResource.Gathered: PRE: Kijin2.Kijin2GatheredPatch.Kijin2Gathered_Patch post: Pawnmorph.HPatches.GatherableBodyResourcePatch.GenerateThoughtsAbout TRANS: Pawnmorph.HPatches.GatherableBodyResourcePatch.ColoriseTextileProductPatch
CompHibernatable.Startup: post: WhatTheHack.Harmony.CompHibernatable_Startup.Postfix
CompLaunchable.TryLaunch: post: TinyTweaks.Patch_CompLaunchable+TryLaunch.Postfix TRANS: TD_Enhancement_Pack.RebuildTransportPod.Transpiler, GasNetwork.CompLaunchable_TryLaunch.Transpiler
CompLaunchable.get_FuelingPortSourceFuel: PRE: GasNetwork.CompLaunchable_FuelingPortSourceFuel.Prefix
CompLaunchable.get_FuelingPortSourceHasAnyFuel: PRE: GasNetwork.CompLaunchable_FuelingPortSourceHasAnyFuel.Prefix
CompLongRangeMineralScanner.<>c.<CompGetGizmosExtra>b__7_0: TRANS: WhatTheHack.Harmony.CompLongRangeMineralScanner_CompGetGizmosExtra.Transpiler
CompLongRangeMineralScanner.DoFind: PRE: WhatTheHack.Harmony.CompLongRangeMineralScanner_Foundminerals.Prefix
CompNoBleedHearthAttack.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
CompOrbitalBeam.CheckSpawnSustainer: PRE: aRandomKiwi.PPP.CompOrbitalBeam_Patch+CompOrbitalBeam_CheckSpawnSustainer_Patch.Listener
CompOrbitalBeam.PostDraw: PRE: aRandomKiwi.PPP.CompOrbitalBeam_Patch+CompOrbitalBeam_PostDraw_Patch.Listener
CompPower.get_PowerNet: post: SaveOurShip2.FixOutdoorTemp+FixPowerBug.Postfix
CompPowerBattery.CompGetGizmosExtra: post: Serenity.SCB.GoShortCircuit.Gizzzt
CompPowerPlantSolar.get_RoofedPowerOutputFactor: PRE: RaiseTheRoof.Patches+Patch_CompPowerPlantSolar_RoofedPowerOutputFactor.Prefix
CompPowerTrader.PostSpawnSetup: post: RIMMSqol.CompPowerTrader_PostSpawnSetup.Postfix
CompPowerTrader.ReceiveCompSignal: post: RIMMSqol.CompPowerTrader_ReceiveCompSignal.Postfix
CompPowerTrader.ResetPowerVars: post: RIMMSqol.CompPowerTrader_ResetPowerVars.Postfix
CompPowerTrader.SetUpPowerVars: post: aRandomKiwi.PPP.CompPowerTrader_Patch+SetUpPowerVars_Patch.Listener
CompPowerTrader.set_PowerOn: post: RIMMSqol.CompPowerTrader_PowerOn.Postfix, VFEMech.PowerOn_Patch.Postfix
CompProperties_Refuelable.SpecialDisplayStats: PRE: WhatTheHack.Harmony.CompProperties_Refuelable_SpecialDisplayStats.Prefix
CompRandomHediffGiver.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
CompRefuelable.CompTick: PRE: HarmonyPatches.Prefix
CompRefuelable.Refuel: post: WhatTheHack.Harmony.CompRefuelable_MechanoidData_Refuel.Postfix
CompReloadable.CreateVerbTargetCommand: PRE: yayoCombat.patch_CompReloadable_CreateVerbTargetCommand.Prefix, yayoCombat.patch_CompReloadable_CreateVerbTargetCommand.Prefix
CompReloadable.PostExposeData: PRE: yayoCombat.patch_CompReloadable_PostExposeData.Prefix, yayoCombat.patch_CompReloadable_PostExposeData.Prefix
CompReloadable.PostPostMake: post: [0]yayoCombat.patch_CompReloadable_PostPostMake.Postfix, [0]yayoCombat.patch_CompReloadable_PostPostMake.Postfix
CompReloadable.UsedOnce: PRE: yayoCombat.patch_CompReloadable_UsedOnce.Prefix, yayoCombat.patch_CompReloadable_UsedOnce.Prefix
CompRottable.get_Active: PRE: MechanoidAddon.Active_Patch.Prefix
CompShearable.CompInspectStringExtra: post: RttRAnimalBehaviours.RaceToTheRim_CompShearable_CompInspectStringExtra_Patch.DisplayScalesInsteadOfWool
CompShipPart.CompGetGizmosExtra: PRE: SaveOurShip2.FixOutdoorTemp+NoGizmoInSpace.CheckBiome post: SaveOurShip2.FixOutdoorTemp+NoGizmoInSpace.ReturnEmpty
CompSpawnJelly.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
CompSpawnerHives.CanSpawnHiveAt: post: Rimatomics.HarmonyPatches+Harmony_CanSpawnHiveAt.Postfix
CompSpawnerPawn.TrySpawnPawn: post: SaveOurShip2.FixOutdoorTemp+SpaceCreaturesAreHungry.HungerLevel
CompTargetEffect_PsychicShock.DoEffectOn: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
CompTempControl.CompGetGizmosExtra: post: SaveOurShip2.FixOutdoorTemp+CannotControlEnemyRadiators.Postfix
CompTemperatureRuinable.DoTicks: PRE: AnimalsLogic.RuinedEggs+CompTemperatureRuinable_DoTicks_Patch.Prefix post: AnimalsLogic.RuinedEggs+CompTemperatureRuinable_DoTicks_Patch.Postfix
CompTerrainPump.CompTickRare: PRE: TinyTweaks.Patch_CompTerrainPump+CompTickRare.Prefix post: TinyTweaks.Patch_CompTerrainPump+CompTickRare.Postfix
CompTransporter.CompGetGizmosExtra: post: DropPodsInProgress.HarmonyPatches.BoardTransporterInProgress
CompUsable.FloatMenuOptionLabel: post: LWM.DeepStorage.MakeArtifactsActivateLabelNameArtifact.Postfix
CompUseEffect_FinishRandomResearchProject.CanBeUsedBy: post: VanillaStorytellersExpanded.Patch_CompUseEffect_FinishRandomResearchProject+CanBeUsedBy.Postfix
CompUseEffect_FinishRandomResearchProject.DoEffect: post: VanillaStorytellersExpanded.Patch_CompUseEffect_FinishRandomResearchProject+DoEffect.Postfix
CompUseEffect_FixWorstHealthCondition.get_HandCoverageAbsWithChildren: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler, AlienRace.HarmonyPatches.BodyReferenceTranspiler
CompUseEffect_InstallImplant.CanBeUsedBy: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
CompUseEffect_InstallImplant.DoEffect: post: RimWorld.ChoiceOfPsycasts.NeuroformerPatch.Postfix TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
CompUseEffect_InstallImplant.GetExistingImplant: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
Comp_AcceleratedSeverity.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Comp_AutoHeal.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Comp_CheckRace.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Comp_MutationSeverityAdjust.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Comp_RemoveType.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
CompressibilityDeciderUtility.IsSaveCompressible: post: ProjectRimFactory.Common.HarmonyPatches.SaveCompressiblePatch.Postfix, LWM.DeepStorage.Patch_IsSaveCompressible.Postfix
Corpse.ButcherProducts: PRE: AlienRace.HarmonyPatches.ButcherProductsPrefix
Corpse.GetInspectString: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
Corpse.IngestedCalculateAmounts: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
CoverUtility.BaseBlockChance: post: VFESecurity.Patch_CoverUtility+BaseBlockChance_Thing.Postfix TRANS: DoorsExpanded.HarmonyPatches.DoorExpandedBaseBlockChanceTranspiler
CoverUtility.CalculateCoverGiverSet: post: VFESecurity.Patch_CoverUtility+CalculateCoverGiverSet.Postfix
CoverUtility.CalculateOverallBlockChance: post: VFESecurity.Patch_CoverUtility+CalculateOverallBlockChance.Postfix
Current.Notify_LoadedSceneChanged: post: aRandomKiwi.ARS.Notify_LoadedSceneChanged_Patch.Listener
DamageWorker.ExplosionAffectCell: PRE: VFESecurity.Patch_DamageWorker+ExplosionAffectCell.Prefix
DamageWorker.ExplosionCellsToHit: PRE: SaveOurShip2.FixOutdoorTemp+FasterExplosions.Prefix post: SaveOurShip2.FixOutdoorTemp+FasterExplosions.Postfix
DamageWorker_AddInjury.Apply: post: ReviaRace.HarmonyPatches.AddInjuryPatch.Postfix
DamageWorker_AddInjury.ApplyDamageToPart: PRE: yayoCombat.patch_DamageWorker_AddInjury.Prefix, VanillaStorytellersExpanded.Patch_ApplyDamageToPart.Prefix, VanillaTraitsExpanded.Patch_ApplyDamageToPart.Prefix, yayoCombat.patch_DamageWorker_AddInjury.Prefix
DamageWorker_AddInjury.ApplySmallPawnDamagePropagation: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
DamageWorker_AddInjury.FinalizeAndAddInjury: PRE: SyrTraits.FinalizeAndAddInjuryPatch.FinalizeAndAddInjury_Prefix
DamageWorker_Blunt.ApplySpecialEffectsToPart: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
DateReadout.DateOnGUI: TRANS: PreciseTime.WidgetInjector.Transpiler
DaysWorthOfFoodCalculator.ApproxDaysWorthOfFood: PRE: O21Toolbox.HarmonyPatches.Patch_DaysWorthOfFoodCalculator_ApproxDaysWorthOfFood.Prefix, Androids.HarmonyPatches.Patch_DaysWorthOfFoodCalculator_ApproxDaysWorthOfFood, WhatTheHack.Harmony.DaysWorthOfFoodCalculator_ApproxDaysWorthOfFood.Prefix
DeathActionWorker_BigExplosion.PawnDied: PRE: AnimalsLogic.NoBoomSlaughter.Explosion_Prefix, BoomModExpanded.RimWorld_DeathActionWorker_BigExplosion_PawnDied.Prefix
DeathActionWorker_Simple.PawnDied: PRE: FactionColonies.FactionFC+MercenaryAnimalDied.Prefix
DeathActionWorker_SmallExplosion.PawnDied: PRE: AnimalsLogic.NoBoomSlaughter.Explosion_Prefix, BoomModExpanded.RimWorld_DeathActionWorker_SmallExplosion_PawnDied.Prefix
DebugThingPlaceHelper.DebugSpawn: TRANS: Mehni.Misc.Modifications.HarmonyPatches.TranspileDebugSpawn
DebugToolsGeneral.Kill: PRE: RaiseTheRoof.Patches+Patch_DebugToolsGeneral_Kill.Prefix
DebugToolsPawns.Do10DamageUntilDead: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
DebugTools_Health.Options_Damage_BodyParts: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
DebugTools_Health.Options_Hediff_BodyParts: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
DebugWindowsOpener.DevToolStarterOnGUI: PRE: Analyzer.DebugLogenabler.DebugKeysPatch post: RPG_Inventory_Remake_Common.UnitTest.UnitTestButton.Draw TRANS: HugsLib.Patches.DevToolStarterOnGUI_Patch.ExtendButtonsWindow
DebugWindowsOpener.DrawButtons: TRANS: HugsLib.Patches.DebugWindowsOpener_Patch.DrawAdditionalButtons
DeepDrillUtility.GetNextResource: PRE: [800]Prospecting.GetNextResource_PrePatch.PreFix
DefGenerator.GenerateImpliedDefs_PostResolve: post: RTMadSkills.ModSettingsDefJockey.Postfix, FrontierDevelopments.BadHygiene.Patch_GenerateImpliedDefs_PostResolve.Postfix, [0]FrontierDevelopments.Shields.Module.CrashLandingModule.Module+Patch_GenerateImpliedDefs_PostResolve.Postfix
DefGenerator.GenerateImpliedDefs_PreResolve: PRE: yayoCombat.Patch_DefGenerator_GenerateImpliedDefs_PreResolve.Prefix, yayoCombat.Patch_DefGenerator_GenerateImpliedDefs_PreResolve.Prefix post: Fluffy.DefGenerator_GenerateImpliedDefs_PreResolve.Postfix, Numbers.Numbers.Columndefs, WorkTab.DefGenerator_GenerateImpliedDefs_PreResolve.Postfix
DefMap`2.ExposeData: post: RIMMSqol.DefMapSaveStateFixRecordDef.Postfix
DefMap`2.ExposeData: post: RIMMSqol.DefMapSaveStateFixWorkTypeDef.Postfix
DefOfHelper.EnsureInitializedInCtor: PRE: TD_Enhancement_Pack.Mod.EnsureInitializedInCtorPrefix, Build_From_Inventory.Mod.EnsureInitializedInCtorPrefix, Meals_On_Wheels.Mod.EnsureInitializedInCtorPrefix, Mining_Priority.Mod.EnsureInitializedInCtorPrefix, The_Price_Is_Right.Mod.EnsureInitializedInCtorPrefix, UseBedrolls.Mod.EnsureInitializedInCtorPrefix
DefOfHelper.RebindAllDefOfs: post: AllowTool.Patches.DefOfHelper_RebindAll_Patch.HookBeforeImpliedDefsGeneration
DefTool.GetCreateMainButton: post: VTEI.Patch_CharacterEditor.AddIcon
Designation.DesignationDraw: PRE: MorePlanning.Patches.DesignationPlanningDraw.Prefix
Designation.ExposeData: PRE: MorePlanning.Patches.DesignationPlanningExposeData.Prefix
Designation.Notify_Removing: PRE: NonUnoPinata.DesignationPatch+Designation_Notify_Removing_NonUnoPinata.Prefix
DesignationCategoryDef.ResolveDesignators: post: AllowTool.Patches.DesignationCategoryDef_ResolveDesignators_Patch.InjectAllowToolDesignators
DesignationDragger.UpdateDragCellsIfNeeded: PRE: TD_Enhancement_Pack.DesignationSpamKiller.Prefix
DesignationManager.RemoveAllDesignationsOn: PRE: aRandomKiwi.KFM.DesignationManager_Patch+RemoveAllDesignationsOn.Replacement
DesignationManager.RemoveDesignation: post: aRandomKiwi.KFM.DesignationManager_Patch+RemoveDesignation.Replacement
Designator.CanDesignateThing: post: AlienRace.HarmonyPatches.CanDesignateThingTamePostfix
DesignatorManager.Deselect: PRE: MoveBase.Designator_Deselect_Patch.Prefix
DesignatorManager.ProcessInputEvents: PRE: DubRoss.Harmony_ProcessInputEvents.Prefix
Designator_AreaBuildRoof.CanDesignateCell: PRE: RaiseTheRoof.Patches+Patch_Designator_AreaBuildRoof_CanDesignateCell.Prefix
Designator_AreaBuildRoof.SelectedUpdate: PRE: RaiseTheRoof.Patches+Patch_Designator_AreaBuildRoof_SelectedUpdate.Prefix
Designator_AreaNoRoof.CanDesignateCell: PRE: RaiseTheRoof.Patches+Patch_Designator_AreaNoRoof_CanDesignateCell.Prefix
Designator_AreaNoRoof.SelectedUpdate: PRE: RaiseTheRoof.Patches+Patch_Designator_AreaNoRoof_SelectedUpdate.Prefix
Designator_Build.CanDesignateCell: PRE: Replace_Stuff.DesignatorContext.Prefix post: Replace_Stuff.DesignatorContext.Postfix
Designator_Build.DrawMouseAttachments: TRANS: Replace_Stuff.PlaceBridges.DesignatorBuildCostCountsBridges.Transpiler
Designator_Build.GizmoOnGUI: post: TD_Enhancement_Pack.RightClick.Postfix, ShowMeThePower.ShowMeThePower.DesignatorShower
Designator_Build.ProcessInput: post: RIMMSqol.FloatMenuDecorations_Designator_Build_ProcessInput.Postfix, StuffCount.Designator_Build_ProcessInput_Patch.Postfix TRANS: TD_Enhancement_Pack.BlueprintAnyStuff.Transpiler
Designator_Build.SelectedUpdate: post: GasNetwork.Designator_Build_SelectedUpdate.Postfix
Designator_Build.get_Visible: PRE: Replace_Stuff.HideCoolerBuild.Prefix post: Rimatomics.HarmonyPatches+Harmony_Designator_Build_Visible.Postfix, SaveOurShip2.FixOutdoorTemp+UnlockBuildings.Unlock
Designator_Cancel.CanDesignateThing: post: [0]Prospecting.CancelCanDesignateThing_Patch.PostFix
Designator_Cancel.DesignateSingleCell: PRE: MoveBase.Designator_Patch.DesignateSingleCellPrefix
Designator_Cancel.DesignateThing: PRE: MoveBase.Designator_Patch.DesignateThingPrefix post: [0]Prospecting.CancelDesignateThing_Patch.PostFix
Designator_Dropdown..ctor: post: Replace_Stuff.CoolersOverWalls.DropdownInOrder.Postfix
Designator_Dropdown.Add: post: TD_Enhancement_Pack.DesignatorDropdownOrder.Postfix
Designator_Dropdown.GetDesignatorCost: post: SaveOurShip2.FixOutdoorTemp+FixDropdownDisplay.Postfix
Designator_Dropdown.GizmoOnGUI: post: ShowMeThePower.ShowMeThePower.DesignatorShower
Designator_Dropdown.ProcessInput: PRE: RIMMSqol.Designator_Dropdown_ProcessInput.Prefix post: RIMMSqol.FloatMenuDecorations_Designator_Dropdown_ProcessInput.Postfix
Designator_Hunt.CanDesignateThing: post: Pawnmorph.HPatches.HuntingPatches+HuntingDesignatorPatch.Postfix
Designator_Hunt.ShowDesignationWarnings: PRE: DD.DD_Designator_Hunt_ShowDesignationWarnings.Prefix
Designator_Install.CanDesignateCell: PRE: Replace_Stuff.BlueprintReplace.DesignatorInstall.Prefix post: Replace_Stuff.BlueprintReplace.DesignatorInstall.Postfix TRANS: Replace_Stuff.BlueprintReplace.DesignatorInstall.Transpiler
Designator_Install.DrawGhost: PRE: StatueOfAnimal.Designator_Install_DrawGhost_Patch.Prefix, StatueOfColonist.Designator_Install_DrawGhost_Patch.Prefix
Designator_Install.SelectedUpdate: post: GasNetwork.Designator_Install_SelectedUpdate.Postfix
Designator_Mine.CanDesignateThing: post: [0]Prospecting.DesMineCanDesignateThing_Patch.PostFix
Designator_Place.<>c__DisplayClass12_0.<DoExtraGuiControls>b__0: TRANS: DoorsExpanded.HarmonyPatches.DoorExpandedDesignatorPlaceRotateAgainIfNeededTranspiler
Designator_Place.HandleRotationShortcuts: TRANS: DoorsExpanded.HarmonyPatches.DoorExpandedDesignatorPlaceRotateAgainIfNeededTranspiler
Designator_PlantsCut.AffectsThing: post: AlphaBiomes.AlphaBiomes_Designator_PlantsCut_AffectsThing_Patch.RemovePlantCutGizmo
Designator_PlantsCut.CanDesignateThing: post: AllowTool.Patches.Designator_PlantsCut_Patch.PreventAnimaTreeMassDesignation
Designator_PlantsHarvestWood.CanDesignateThing: post: AllowTool.Patches.Designator_PlantsHarvestWood_Patch.PreventAnimaTreeMassDesignation
Designator_RemoveBridge.CanDesignateCell: PRE: BiomesCore.Patches.Designator_RemoveBridge_CanDesignateCell_Patch.Prefix post: RoadsOfTheRim.Patch_Designator_RemoveBridge_CanDesignateCell.Postfix
Designator_ZoneAdd_Growing.CanDesignateCell: PRE: BiomesCore.Patches.DesignatorZoneGrowing_CanDesignateCell.Prefix
DestroyedSettlement.ShouldRemoveMapNow: post: Rimatomics.HarmonyPatches+Harmony_DestroyedSettlement_ShouldRemoveMapNow.Postfix
Dialog_AdvancedGameConfig.DoWindowContents: post: CharacterEditor.PRMod.AddMapSizeSlider TRANS: TinyTweaks.Patch_Dialog_AdvancedGameConfig+DoWindowContents.Transpiler
Dialog_AssignBuildingOwner.DoWindowContents: TRANS: Mehni.Misc.Modifications.HarmonyPatches.DoWindowContents_Transpiler
Dialog_BillConfig..ctor: post: SimpleSearchBar.HarmonyPatches.ResetKeyword
Dialog_BillConfig.DoWindowContents: post: ImprovedWorkbenches.BillConfig_DoWindowContents_Patch.DrawFilters TRANS: TD_Enhancement_Pack.BillCountInventory.Transpiler, Revolus.WhatsMissing.WhatsMissingMod.Patch__Dialog_BillConfig__DoWindowContents__Transpiler, PrisonLabor.HarmonyPatches.Patches_GUI.GUI_Bill.Patch_BillCheckbox.Transpiler
Dialog_BillConfig.GeneratePawnRestrictionOptions: post: PrisonLabor.HarmonyPatches.Patches_GUI.GUI_Bill.Patch_RestrictBillToPrisoner.Postfix
Dialog_DebugActionsMenu..ctor: PRE: AchievementsExpanded.DebugActionsSetup.ClearCachedActions
Dialog_DebugActionsMenu.DoListingItems: post: RIMMSqol.DebugAction_RegenerateFactionLeaders.Postfix, PrisonLabor.HarmonyPatches.DevTools.Postfix
Dialog_DebugActionsMenu.GenerateCacheForMethod: PRE: AchievementsExpanded.DebugActionsSetup.GenerateCacheForVAEDebugActions
Dialog_DebugSettingsMenu..ctor: TRANS: DoorsExpanded.DebugInspectorPatches.AddMoreDebugViewSettingsTranspiler
Dialog_DebugSettingsMenu.DoListingItems: TRANS: DoorsExpanded.DebugInspectorPatches.AddMoreDebugViewSettingsTranspiler
Dialog_FileList.DoWindowContents: PRE: aRandomKiwi.ARS.Dialog_FileList_Patch+DoWindowContents.Listener
Dialog_FileList.get_InitialSize: PRE: aRandomKiwi.ARS.Dialog_FileList_Patch+get_InitialSize.Listener
Dialog_FormCaravan.<DoWindowContents>b__81_0: post: SimpleSearchBar.HarmonyPatches.ResetKeyword
Dialog_FormCaravan.<DoWindowContents>b__81_1: post: SimpleSearchBar.HarmonyPatches.ResetKeyword
Dialog_FormCaravan.<DoWindowContents>b__81_2: post: SimpleSearchBar.HarmonyPatches.ResetKeyword
Dialog_FormCaravan.CountToTransferChanged: post: WhatTheHack.Harmony.Dialog_FormCaravan_CountToTransferChanged.Postfix
Dialog_FormCaravan.DoBottomButtons: TRANS: WhatTheHack.Harmony.Dialog_FormCaravan_DoBottomButtons.Transpiler
Dialog_FormCaravan.DoWindowContents: TRANS: SimpleSearchBar.HarmonyPatches.Dialog_FormCaravan_DoWindowContents_Transpiler
Dialog_FormCaravan.Notify_ChoseRoute: PRE: RIMMSqol.remnantcolony.Dialog_FormCaravan_Notify_ChoseRoute.Prefix
Dialog_FormCaravan.Notify_NoLongerChoosingRoute: post: RWAutoCaravanEquip.Patcher.FirstCar
Dialog_FormCaravan.PostClose: PRE: TD_Enhancement_Pack.SaveManifest.Prefix post: MURSpeedMod.Dialog_FormCaravan_PostClose.Postfix
Dialog_FormCaravan.PostOpen: post: SimpleSearchBar.HarmonyPatches.ResetKeyword, MURSpeedMod.Dialog_FormCaravan_PostOpen.Postfix TRANS: TD_Enhancement_Pack.LoadManifest.Transpiler
Dialog_FormCaravan.SelectApproximateBestFoodAndMedicine: TRANS: WhatTheHack.Harmony.Dialog_FormCaravan_SelectApproximateBestFoodAndMedicine.Transpiler
Dialog_FormCaravan.TryFormAndSendCaravan: post: WhatTheHack.Harmony.Dialog_FormCaravan_TryFormAndSendCaravan.Postfix
Dialog_FormCaravan.TryReformCaravan: PRE: RealRuins.RealRuins+DialogFormCaravan_Patch.Prefix, WhatTheHack.Harmony.Dialog_FormCaravan_TryReformCaravan.Prefix, RealRuins.RealRuins+DialogFormCaravan_Patch.Prefix
Dialog_FormCaravan.get_CurrentTile: PRE: RIMMSqol.remnantcolony.Dialog_FormCaravan_Get_CurrentTile.Prefix
Dialog_InfoCard.FillCard: PRE: Kemomimi_ICPHarmony.Harmony_InfoCardPortraitInsertionPatch.Prefix
Dialog_LoadTransporters.<DoWindowContents>b__63_0: post: SimpleSearchBar.HarmonyPatches.ResetKeyword
Dialog_LoadTransporters.<DoWindowContents>b__63_1: post: SimpleSearchBar.HarmonyPatches.ResetKeyword
Dialog_LoadTransporters.AddPawnsToTransferables: PRE: SaveOurShip2.FixOutdoorTemp+TransportPrisoners_Patch.DownedPawns_AddToTransferables
Dialog_LoadTransporters.CountToTransferChanged: post: WhatTheHack.Harmony.Dialog_LoadTransporters_CountToTransferChanged.Postfix
Dialog_LoadTransporters.DoWindowContents: TRANS: SimpleSearchBar.HarmonyPatches.Dialog_LoadTransporters_DoWindowContents_Transpiler
Dialog_LoadTransporters.PostOpen: post: TD_Enhancement_Pack.PodsLoadManifest.Postfix, SimpleSearchBar.HarmonyPatches.ResetKeyword, RWAutoCaravanEquip.Patcher.PostPod
Dialog_LoadTransporters.TryAccept: post: WhatTheHack.Harmony.Dialog_LoadTransporters_TryAccept.Postfix
Dialog_ManageAreas.DoAreaRow: TRANS: TD_Enhancement_Pack.AreaRowPatch.Transpiler
Dialog_ManageAreas.DoWindowContents: TRANS: TD_Enhancement_Pack.Dialog_ManageAreas_Contents_Patch.Transpiler
Dialog_ManageAreas.get_InitialSize: post: TD_Enhancement_Pack.InitialSize_Patch.Postfix
Dialog_ManageDrugPolicies.DoEntryRow: PRE: yayoCombat.patch_Dialog_ManageDrugPolicies_DoEntryRow.Prefix, yayoCombat.patch_Dialog_ManageDrugPolicies_DoEntryRow.Prefix
Dialog_ManageFoodRestrictions..ctor: post: SimpleSearchBar.HarmonyPatches.ResetKeyword
Dialog_ManageFoodRestrictions.DoWindowContents: post: TD_Enhancement_Pack.CopyFoodRestriction.Postfix
Dialog_ManageOutfits..ctor: post: SimpleSearchBar.HarmonyPatches.ResetKeyword
Dialog_ManageOutfits.DoWindowContents: post: TD_Enhancement_Pack.CopyOutfit.Postfix, Outfitted.Dialog_ManageOutfits_DoWindowContents_Patch.Postfix
Dialog_MedicalDefaults.DoWindowContents: post: SmartMedicine.SurgeryUnlimited.SurgeryUnlimitedSetting.Postfix
Dialog_MessageBox.get_InteractionDelayExpired: post: Mehni.Misc.Modifications.HarmonyPatches.YesImAModderStopAskingMe
Dialog_ModSettings.PreClose: post: RWLayout.alpha2.CModHelper.DestroyCModUI
Dialog_NamePawn..ctor: post: Children.ChildrenHarmony+Dialog_NamePawn_PatchLoad.ConstructorExtended
Dialog_NamePawn.DoWindowContents: PRE: PrisonLabor.HarmonyPatches.Patches_RenamingPrisoners.Patch_RenamePrisoners+StoreOldName.Prefix, Children.ChildrenHarmony+Dialog_NamePawn_PatchDL.DoWindowContentsExtended
Dialog_Options.DoWindowContents: TRANS: HugsLib.Patches.Dialog_Options_Patch.ReplaceModOptionsButton
Dialog_SaveFileList_Save.DoFileInteraction: PRE: aRandomKiwi.ARS.Dialog_SaveFileList_Save_Patch+Dialog_SaveFileList_Save_DoFileInteraction.Listener
Dialog_SplitCaravan.CountToTransferChanged: post: WhatTheHack.Harmony.Dialog_SplitCaravan_CountToTransferChanged.Postfix
Dialog_SplitCaravan.PostOpen: post: RWAutoCaravanEquip.Patcher.PostSplitCar
Dialog_Trade.CacheTradeables: post: aRandomKiwi.MFM.Dialog_Trade_Patch+CacheTradeables.Listener
Dialog_Trade.Close: post: TD_Enhancement_Pack.PauseAfterTrader.Postfix
Dialog_Trade.DoWindowContents: TRANS: SimpleSearchBar.HarmonyPatches.Dialog_Trade_DoWindowContentsTranspiler
Dialog_Trade.FillMainRect: TRANS: SimpleSearchBar.HarmonyPatches.Dialog_Trade_FillMainRectTranspiler
Dialog_Trade.PostOpen: post: SimpleSearchBar.HarmonyPatches.ResetKeyword, aRandomKiwi.MFM.Dialog_Trade_Patch+Dialog_Trade_PostOpen_Postfix.PostOpen
Dialog_VanillaModSettings.PreClose: post: RWLayout.alpha2.CModHelper.DestroyCModUI
DirectXmlLoader.DefFromNode: PRE: DubsBadHygiene.Patches.HarmonyPatches+H_DefFromNode.Prefix
DrawFaceGraphicsComp.DrawBodyPart: TRANS: BabiesAndChildren.Harmony.FacialAnimationPatches.DrawBodyPartTranspiler
DrawFaceGraphicsComp.DrawGraphics: PRE: Rimworld_Animations.Patch_FacialAnimation.Prefix
DressPatientUtility.IsPatient: post: BabiesAndChildren.Harmony.DressPatientsPatches.IsPatientPostfix
DropCellFinder.CanPhysicallyDropInto: post: FrontierDevelopments.Shields.Harmony.Harmony_DropCellFinder+Patch_CanPhysicallyDropInto.AddShieldCheck, RaiseTheRoof.Patches+Patch_DropCellFinder_CanPhysicallyDropInto.Postfix
DropCellFinder.TradeDropSpot: PRE: DropSpot.DropSpotHarmony.CustomDropSpotTradeShips post: SaveOurShip2.FixOutdoorTemp+InSpaceDropStuffInsideMe.GiveItToMe
DropPodIncoming.Impact: PRE: SaveOurShip2.IncomingPodFix.PatchThat
DropPodLeaving.LeaveMap: PRE: SaveOurShip2.LeavingPodFix.PatchThat
DropPodUtility.MakeDropPodAt: PRE: SaveOurShip2.TravelingPodFix.PatchThat
DrugPolicy.ExposeData: PRE: [1000]yayoCombat.Patch_DrugPolicy.Prefix, [1000]yayoCombat.Patch_DrugPolicy.Prefix, VFECore.Patch_DrugPolicy+ExposeData.Prefix
DrugPolicy.InitializeIfNeeded: PRE: [0]yayoCombat.patch_DrugPolicy_InitializeIfNeeded.Prefix, [0]yayoCombat.patch_DrugPolicy_InitializeIfNeeded.Prefix
DrugPolicyDatabase.GenerateStartingDrugPolicies: post: VFEMedieval.Patch_DrugPolicyDatabase+GenerateStartingDrugPolicies.Postfix
DrugPolicyDatabase.MakeNewDrugPolicy: post: [0]DrugPolicyFix.MakeNewDrugPolicy_Patch.Postfix
EdificeGrid.DeRegister: post: TD_Enhancement_Pack.EdificeGrid_DeRegister_SetDirty.Postfix
EdificeGrid.Register: PRE: [700]DoorsExpanded.HarmonyPatches.DoorExpandedEdificeGridRegisterPrefix, WhatTheHack.Harmony.EdificeGrid_Register.Prefix post: TD_Enhancement_Pack.EdificeGrid_Register_SetDirty.Postfix