-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path20210316-1
3634 lines (3559 loc) · 332 KB
/
20210316-1
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 Tuesday, March 16, 2021, 5:28:38 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)
----- 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), VWEMakeshift(1.0.0)
Vanilla Achievements Expanded(vanillaexpanded.achievements): AchievementsExpanded(1.0.8)
Vanilla Social Interactions Expanded beta 2(VanillaExpanded.VanillaSocialInteractionsExpanded): 0Harmony(av:2.0.2,fv:2.0.4), VanillaSocialInteractionsExpanded(1.0.0)
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)
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.7726.17402)
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)
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)
Better Bed Assignment(legodude17.bba): 1ModBase(1.0.0), BetterBedAssign(1.0.0)
Clothing Sorter(Mlie.ClothingSorter)[mv:1.0.17.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.7.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)
Take It To Storage!(legodude17.htsb): 1ModBase(1.0.0), HaulToBuilding(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 for sale?(kikohi.whatsforsale): WDYS(1.0.0)
What's Missing?(Revolus.WhatsMissing)[mv:2020.4.25.1]: Revolus.WhatsMissing(2020.4.25.1)
Who's Next?(CaptainMuscles.WhoNext)[mv:1.0.1]: CM_Who_Next(1.0.0)
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.4.0]: 0Harmony(av:2.0.2,fv:2.0.4), 0MultiplayerAPI(av:0.2.0,fv:0.1.0), AchtungMod(3.1.4)
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.1]: 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.7735.34310)
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)
----- RIMJOBWORLD -----(SortingGroups.RJWMods): (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.7743.19086)
RimJobWorld(rim.job.world)[mv:4.6.4]: 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.7.0]: (no assemblies)
Polyamory Beds (Vanilla Edition)(Meltup.PolyamoryBeds.Vanilla): (no assemblies)
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)
Rimworld-Animations(c0ffee.rimworld.animations)[mv:1.0.13]: 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.4.1]: (no assemblies)
RoboAnims(Roboslob.RoboAnims)[mv:0.1.0]: (no assemblies)
----- PATCHES -----(SortingGroups.Patches): (no assemblies)
Empire -100 goodwill in scenarios Fix(mouse.scenarios.patch): (no assemblies)
EPOE-Forked: Alien expansion + patcher(tarojun.epoeforked.alienexpansionpatcher): (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)
Rimefeller Neceros Patch(neceros.rimefellernecerospatch): (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)
[NTS] [EXPERIMENTAL] RocketMan(NotooShabby.RocketMan): RocketMan(1.0.0), Soyuz(1.0.7649.24425 [no FileVersionInfo])
Personal Tweaks and Patches(AerosAtar.PersonalTweaksAndPatches): (no assemblies)
Active Harmony patches:
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
Alert_BrawlerHasRangedWeapon.GetReport: PRE: MVCF.Harmony.Brawlers.GetReport_Prefix
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_TitleRequiresBedroom.get_Targets: post: JustPolyamory.JPA_Alert_TitleRequiresBedroom_Targets_Getter.Postfix
AlertsReadout.AlertsReadoutOnGUI: PRE: Analyzer.Performance.H_AlertsReadoutUpdate.AlertsReadoutOnGUI
AlertsReadout.CheckAddOrRemoveAlert: PRE: Analyzer.Performance.H_AlertsReadoutUpdate.CheckAddOrRemoveAlert
ApparelUtility.CanWearTogether: post: JecsTools.HarmonyPatches.Post_CanWearTogether
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
Area_Allowed.get_ListPriority: post: TD_Enhancement_Pack.AreaOrder.Postfix
Area_Home.Set: PRE: TD_Enhancement_Pack.NeverHomeArea.Prefix
ArmorUtility.ApplyArmor: PRE: JecsTools.HarmonyPatches.ApplyProperDamage 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
AutoUndrafter.AutoUndraftTick: post: SimpleSidearms.intercepts.AutoUndrafter_AutoUndraftTick_Postfix.AutoUndraftTick
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
BackCompatibilityConverter_0_18.PostExposeData: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
BaseGenUtility.IsCheapWallStuff: post: Rimefeller.HarmonyPatches+Harmony_IsCheapWallStuff.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
BeautyUtility.CellBeauty: PRE: LWM.DeepStorage.PatchBeautyUtilityCellBeauty.Prefix
Bill.ExposeData: post: PrisonLabor.HarmonyPatches.Patches_BillAssignation.Patch_ExposeBillGroup.Postfix
Bill.PawnAllowedToStartAnew: post: AlienRace.HarmonyPatches.PawnAllowedToStartAnewPostfix, Children.ChildrenHarmony+Bill_Patch.PawnAllowedToStartAnew
Bill.get_DeletedOrDereferenced: PRE: MicroDesignations.Bill_Patch+Bill_DeletedOrDereferenced_MicroDesignationsPatch.Prefix
BillStack.Delete: post: PrisonLabor.HarmonyPatches.Patches_BillAssignation.Patch_RemoveBillFromUtility.Postfix
BillStack.DoListing: PRE: DubsMintMenus.Patch_BillStack_DoListing.Prefix
BillUtility.MakeNewBill: post: DD.DD_BillUtility_MakeNewBill.Postfix
Bill_Medical.Notify_DoBillStarted: PRE: WhatTheHack.Harmony.Bill_Medical_Notify_DoBillStarted.Prefix
Bill_Medical.ShouldDoNow: post: WhatTheHack.Harmony.Bill_Medical_ShouldDoNow.Postfix
Bill_ProductionWithUft.get_BoundWorker: PRE: PrisonLabor.HarmonyPatches.Patches_BillAssignation.Patch_Bill_ProductionWithUft.Prefix post: PrisonLabor.HarmonyPatches.Patches_BillAssignation.Patch_Bill_ProductionWithUft.Postfix
BiomeDef.CommonalityOfDisease: post: IncidentTweaker.Patch.PatchBiomeDef.Postfix
Blueprint.DeSpawn: PRE: Replace_Stuff.PlaceBridges.CancelBlueprint.Prefix, Replace_Stuff.DestroyedRestore.BlueprintRemoval.Prefix
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
Building.ClaimableBy: post: SaveOurShip2.FixOutdoorTemp+NoClaimingEnemyShip.Nope
Building.DeSpawn: PRE: [800]LWM.DeepStorage.Patch_Building_DeSpawn_For_Building_Storage.Prefix
Building.Destroy: PRE: SaveOurShip2.FixOutdoorTemp+NotifyCombatManager.ShipPartIsDestroyed post: SaveOurShip2.FixOutdoorTemp+NotifyCombatManager.ReplaceShipPart
Building.Draw: post: DD.DD_Building_Draw.Postfix
BuildingProperties.get_IsMortar: post: SaveOurShip2.FixOutdoorTemp+TorpedoesCanBeLoaded.CheckThisOneToo
Building_Bed.DrawGUIOverlay: PRE: rjw.Building_Bed_Patch+Building_Bed_DrawGUIOverlay_Patch.Prefix
Building_Bed.GetCurOccupant: PRE: WhatTheHack.Harmony.Building_Bed_GetCurOccupant.Prefix
Building_Bed.GetGizmos: post: rjw.Building_Bed_Patch+Building_Bed_GetGizmos_Patch.Postfix TRANS: PrisonLabor.HarmonyPatches.Patches_AssignBed.Patch_AssignPrisonersToBed.Transpiler
Building_Bed.GetInspectString: post: rjw.Building_Bed_Patch+Building_Bed_GetInspectString_Patch.Postfix
Building_Bed.GetSleepingSlotPos: post: WhatTheHack.Harmony.Building_Bed_GetSleepingSlotPos.Postfix
Building_Bed.get_DrawColorTwo: post: DubRoss.Harmony_BedColour.Postfix, rjw.Building_Bed_Patch+Building_Bed_DrawColor_Patch.Postfix
Building_Bed.get_ForPrisoners: post: Pawnmorph.HPatches.BedBuildingPatches.FixForPrisoner
Building_Casket.Tick: PRE: SaveOurShip2.FixOutdoorTemp+EggsDontHatch.Nope
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.PawnCanOpen: post: Pawnmorph.HPatches.DoorPatches.FixFormerHumanDoorPatch
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_OrbitalTradeBeacon.TradeableCellsAround: PRE: D9Framework.OrbitalTradeHook+TradeableCellsPatch.Prefix
Building_PlantGrower.GetGizmos: post: TD_Enhancement_Pack.DoNotHarvest_Building_Gizmo.Postfix
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_Turret.PreApplyDamage: PRE: SaveOurShip2.FixOutdoorTemp+HardpointsHelpTurrets.Prefix
Building_TurretGun.DrawExtraSelectionOverlays: post: WhatTheHack.Harmony.Building_TurretGun_DrawExtraSelectionOverlays.Postfix
Building_TurretGun.MakeGun: PRE: yayoCombat.patch_Building_TurretGun_MakeGun.Prefix, yayoCombat.patch_Building_TurretGun_MakeGun.Prefix
Building_TurretGun.Tick: post: WhatTheHack.Harmony.Building_TurretGun_Tick.Postfix
Building_TurretGun.TryStartShootSomething: PRE: Replace_Stuff.Replace.DisableTurret.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
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, SaveOurShip2.OtherGizmoFix.AddTheStuffToTheYieldReturnedEnumeratorThingy
Caravan.GetInspectString: post: JecsTools.HarmonyCaravanPatches.GetInspectString_Jobs
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
CaravanEnterMapUtility.Enter: PRE: TacticalGroups.HarmonyPatches.CaravanEnter
CaravanExitMapUtility.ExitMapAndCreateCaravan: post: VanillaSocialInteractionsExpanded.ExitMapAndCreateCaravan_Patch.Postfix, 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
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: WhatTheHack.Harmony.CaravanUIUtility_AddPawnsSections.Postfix
Caravan_NeedsTracker.TrySatisfyPawnNeeds: TRANS: WhatTheHack.Harmony.Caravan_NeedsTracker_TrySatisfyPawnNeeds.Transpiler
CharacterCardUtility.DrawCharacterCard: TRANS: PrisonLabor.HarmonyPatches.Patches_RenamingPrisoners.Patch_RenamePrisoners+EnableRenamingPrisoners.Transpiler, rjw.SexcardPatch.Transpiler, WhatTheHack.Harmony.CharacterCardUtility_DrawCharacterCard.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
CompAbilityEffect_WordOfLove.ValidateTarget: PRE: rjw.PATCH_CompAbilityEffect_WordOfLove_ValidateTarget.Prefix
CompAssignableToPawn.CompGetGizmosExtra: post: BetterBedAssign.BetterBedAssignMod.AddGizmos
CompAssignableToPawn.get_AssigningCandidates: PRE: PrisonLabor.HarmonyPatches.Patches_AssignBed.Patch_MakePrisonersCandidates.Prefix, WhatTheHack.Harmony.CompAssignableToPawn_AssigningCandidates.Prefix post: AlienRace.HarmonyPatches.AssigningCandidatesPostfix
CompAssignableToPawn.get_MaxAssignedPawnsCount: post: WhatTheHack.Harmony.CompAssignableToPawn_get_MaxAssignedPawnsCount.Postfix
CompBreakdownable.CheckForBreakdown: PRE: Fluffy_Breakdowns.HarmonyPatch_CheckForBreakdown.Prefix
CompBreakdownable.CompInspectStringExtra: PRE: Fluffy_Breakdowns.HarmonyPatch_CompInspectStringExtra.Prefix
CompBreakdownable.Notify_Repaired: post: RIMMSqol.CompBreakdownable_Notify_Repaired.Postfix
CompDeepDrill.CanDrillNow: PRE: Analyzer.Performance.H_CompDeepDrill.Prefix
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
CompEquippable.GetVerbsCommands: post: VFECore.Patch_CompEquippable+GetVerbsCommands.Postfix
CompEquippable.get_PrimaryVerb: post: O21Toolbox.HarmonyPatches.Patches.Harmony_Weapons+CompEquippable_GetPrimaryVerb_PostFix.Postfix
CompForbiddable.CompGetGizmosExtra: post: AllowTool.Patches.CompForbiddable_Gizmos_Patch.InjectDesignatorFunctionality
CompHasGatherableBodyResource.Gathered: 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
CompLongRangeMineralScanner.<>c.<CompGetGizmosExtra>b__7_0: TRANS: WhatTheHack.Harmony.CompLongRangeMineralScanner_CompGetGizmosExtra.Transpiler
CompLongRangeMineralScanner.DoFind: PRE: WhatTheHack.Harmony.CompLongRangeMineralScanner_Foundminerals.Prefix
CompPower.get_PowerNet: post: SaveOurShip2.FixOutdoorTemp+FixPowerBug.Postfix
CompPowerTrader.PostSpawnSetup: post: RIMMSqol.CompPowerTrader_PostSpawnSetup.Postfix
CompPowerTrader.ReceiveCompSignal: post: RIMMSqol.CompPowerTrader_ReceiveCompSignal.Postfix
CompPowerTrader.ResetPowerVars: post: RIMMSqol.CompPowerTrader_ResetPowerVars.Postfix
CompPowerTrader.set_PowerOn: post: RIMMSqol.CompPowerTrader_PowerOn.Postfix
CompProperties_Refuelable.SpecialDisplayStats: PRE: WhatTheHack.Harmony.CompProperties_Refuelable_SpecialDisplayStats.Prefix
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
CompShearable.CompInspectStringExtra: post: RttRAnimalBehaviours.RaceToTheRim_CompShearable_CompInspectStringExtra_Patch.DisplayScalesInsteadOfWool
CompShipPart.CompGetGizmosExtra: PRE: SaveOurShip2.FixOutdoorTemp+NoGizmoInSpace.CheckBiome post: SaveOurShip2.FixOutdoorTemp+NoGizmoInSpace.ReturnEmpty
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
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: 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: LWM.DeepStorage.Patch_IsSaveCompressible.Postfix
Corpse.ButcherProducts: PRE: VanillaSocialInteractionsExpanded.Patch_ButcherProducts.Prefix, AlienRace.HarmonyPatches.ButcherProductsPrefix
Corpse.GetInspectString: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
Corpse.IngestedCalculateAmounts: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
Current.Notify_LoadedSceneChanged: post: aRandomKiwi.ARS.Notify_LoadedSceneChanged_Patch.Listener
DamageWorker.ExplosionCellsToHit: PRE: SaveOurShip2.FixOutdoorTemp+FasterExplosions.Prefix post: SaveOurShip2.FixOutdoorTemp+FasterExplosions.Postfix
DamageWorker_AddInjury.ApplyDamageToPart: PRE: yayoCombat.patch_DamageWorker_AddInjury.Prefix, VanillaStorytellersExpanded.Patch_ApplyDamageToPart.Prefix, yayoCombat.patch_DamageWorker_AddInjury.Prefix
DamageWorker_AddInjury.ApplySmallPawnDamagePropagation: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
DamageWorker_Blunt.ApplySpecialEffectsToPart: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
DateReadout.DateOnGUI: TRANS: PreciseTime.WidgetInjector.Transpiler
DaysWorthOfFoodCalculator.ApproxDaysWorthOfFood: PRE: O21Toolbox.HarmonyPatches.Patch_DaysWorthOfFoodCalculator_ApproxDaysWorthOfFood.Prefix, WhatTheHack.Harmony.DaysWorthOfFoodCalculator_ApproxDaysWorthOfFood.Prefix
DeathActionWorker_Simple.PawnDied: PRE: FactionColonies.FactionFC+MercenaryAnimalDied.Prefix
DebugThingPlaceHelper.DebugSpawn: TRANS: Mehni.Misc.Modifications.HarmonyPatches.TranspileDebugSpawn
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
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.DefMapSaveStateFixWorkTypeDef.Postfix
DefMap`2.ExposeData: post: RIMMSqol.DefMapSaveStateFixRecordDef.Postfix
DefOfHelper.EnsureInitializedInCtor: PRE: TD_Enhancement_Pack.Mod.EnsureInitializedInCtorPrefix
DefOfHelper.RebindAllDefOfs: post: AllowTool.Patches.DefOfHelper_RebindAll_Patch.HookBeforeImpliedDefsGeneration
Designation.DesignationDraw: PRE: MorePlanning.Patches.DesignationPlanningDraw.Prefix
Designation.ExposeData: PRE: MorePlanning.Patches.DesignationPlanningExposeData.Prefix
DesignationCategoryDef.ResolveDesignators: post: AllowTool.Patches.DesignationCategoryDef_ResolveDesignators_Patch.InjectAllowToolDesignators
DesignationDragger.UpdateDragCellsIfNeeded: PRE: TD_Enhancement_Pack.DesignationSpamKiller.Prefix
Designator.CanDesignateThing: post: AlienRace.HarmonyPatches.CanDesignateThingTamePostfix
DesignatorManager.ProcessInputEvents: PRE: DubRoss.Harmony_ProcessInputEvents.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.get_Visible: PRE: Replace_Stuff.HideCoolerBuild.Prefix post: Rimatomics.HarmonyPatches+Harmony_Designator_Build_Visible.Postfix, SaveOurShip2.FixOutdoorTemp+UnlockBuildings.Unlock
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_PlantsCut.CanDesignateThing: post: AllowTool.Patches.Designator_PlantsCut_Patch.PreventAnimaTreeMassDesignation
Designator_PlantsHarvestWood.CanDesignateThing: post: AllowTool.Patches.Designator_PlantsHarvestWood_Patch.PreventAnimaTreeMassDesignation
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: BetterBedAssign.AssignDialogSearchBar.Transpiler, Mehni.Misc.Modifications.HarmonyPatches.DoWindowContents_Transpiler
Dialog_BillConfig..ctor: post: SimpleSearchBar.HarmonyPatches.ResetKeyword
Dialog_BillConfig.DoWindowContents: TRANS: TD_Enhancement_Pack.BillCountInventory.Transpiler, HaulToBuilding.Dialog_BillConfig_Patches.Transpile, 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_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
Dialog_FormCaravan.PostOpen: post: SimpleSearchBar.HarmonyPatches.ResetKeyword 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: WhatTheHack.Harmony.Dialog_FormCaravan_TryReformCaravan.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
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.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
Dialog_VanillaModSettings.PreClose: post: RWLayout.alpha2.CModHelper.DestroyCModUI
DropCellFinder.TradeDropSpot: 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
EdificeGrid.DeRegister: post: TD_Enhancement_Pack.EdificeGrid_DeRegister_SetDirty.Postfix
EdificeGrid.Register: PRE: WhatTheHack.Harmony.EdificeGrid_Register.Prefix post: TD_Enhancement_Pack.EdificeGrid_Register_SetDirty.Postfix
EditWindow_Log.DoMessagesListing: PRE: HugsLib.Patches.EditWindow_Log_Patch.ExtraLogWindowButtons
EditWindow_TweakValues.DoWindowContents: TRANS: AlienRace.HarmonyPatches.TweakValuesTranspiler
EquipmentUtility.CanEquip: post: BabiesAndChildren.Harmony.EquipmentUtility_CanEquip_Patch.Postfix
EquipmentUtility.CanEquip_NewTmp: post: AlienRace.HarmonyPatches.CanEquipPostfix
ExitMapGrid.get_MapUsesExitGrid: post: SaveOurShip2.FixOutdoorTemp+InSpaceNoOneCanHearYouRunAway.NoEscape
Faction.CheckNaturalTendencyToReachGoodwillThreshold: PRE: FactionColonies.FactionFC+GoodwillPatchFunctionsGoodwillTendency.Prefix
Faction.FactionTick: TRANS: AlienRace.HarmonyPatches.FactionTickTranspiler
Faction.Notify_MemberCaptured: PRE: FactionColonies.FactionFC+GoodwillPatchFunctionsCapturedPawn.Prefix
Faction.Notify_MemberDied: PRE: JecsTools.HarmonyPatches.Notify_MemberDied, Arachnophobia.HarmonyPatches.Notify_MemberDied_Prefix, FactionColonies.FactionFC+GoodwillPatchFunctionsMemberDied.Prefix
Faction.Notify_MemberExitedMap: PRE: FactionColonies.FactionFC+GoodwillPatchFunctionsExitedMap.Prefix
Faction.Notify_MemberTookDamage: PRE: FactionColonies.FactionFC+GoodwillPatchFunctionsTookDamage.Prefix post: Arachnophobia.HarmonyPatches.Notify_MemberTookDamage_PostFix
Faction.Notify_PlayerTraded: PRE: FactionColonies.FactionFC+GoodwillPatchFunctionsPlayerTraded.Prefix
Faction.Notify_RelationKindChanged: post: Rimatomics.HarmonyPatches+Harmony_TryAffectGoodwillWith.Postfix
Faction.RelationWith: PRE: SaveOurShip2.FixOutdoorTemp+FactionRelationsAcrossWorlds.RunOriginalMethod post: SaveOurShip2.FixOutdoorTemp+FactionRelationsAcrossWorlds.ReturnDummy
Faction.TryAffectGoodwillWith: PRE: FactionColonies.FactionFC+GoodwillPatchFunctionsGoodwillAffect.Prefix
Faction.TryGenerateNewLeader: PRE: FactionColonies.FactionTryGenerateNewLeader.Prefix
Faction.TryMakeInitialRelationsWith: post: AlienRace.HarmonyPatches.TryMakeInitialRelationsWithPostfix, O21Toolbox.HarmonyPatches.Harmony_Alliances+TryMakeInitialRelationsWithPostfix.Postfix
FactionDialogMaker.FactionDialogFor: post: SaveOurShip2.FixOutdoorTemp+AddArchoDialogOption.Postfix
FactionDialogMaker.RequestMilitaryAidOption: post: FactionColonies.FactionFC+disableMilitaryAid.Postfix
FactionGenerator.<>c__DisplayClass3_0.<GenerateFactionsIntoWorld>b__1: post: AlienRace.HarmonyPatches.EnsureRequiredEnemiesPostfix
FactionGenerator.GenerateFactionsIntoWorld: PRE: SaveOurShip2.FixOutdoorTemp+DontRegenerateHiddenFactions.PossiblyReplace post: Horrors.HarmonyPatches+Patch.Postfix, SaveOurShip2.FixOutdoorTemp+DontRegenerateHiddenFactions.Replace TRANS: VanillaStorytellersExpanded.Patch_FactionGenerator+GenerateFactionsIntoWorld.Transpiler
FactionManager.FirstFactionOfDef: post: SaveOurShip2.FixOutdoorTemp+OnlyThisPlanetsFirstFactions.FilterTheFactions
FactionManager.GetFactions_NewTemp: post: SaveOurShip2.FixOutdoorTemp+NewFactionTempFix.Postfix
FactionManager.RecacheFactions: PRE: SaveOurShip2.FixOutdoorTemp+NoRecache.CheckFlag
FactionManager.get_AllFactions: post: SaveOurShip2.FixOutdoorTemp+OnlyThisPlanetsFactions.FilterTheFactions
FactionManager.get_AllFactionsInViewOrder: post: SaveOurShip2.FixOutdoorTemp+OnlyThisPlanetsFactionsInViewOrder.FilterTheFactions
FactionManager.get_AllFactionsListForReading: post: SaveOurShip2.FixOutdoorTemp+OnlyThisPlanetsFactionsForReading.FilterTheFactions
FactionManager.get_AllFactionsVisible: post: SaveOurShip2.FixOutdoorTemp+OnlyThisPlanetsVisibleFactions.FilterTheFactions
FactionManager.get_AllFactionsVisibleInViewOrder: post: SaveOurShip2.FixOutdoorTemp+OnlyThisPlanetsFactionsVisibleInViewOrder.FilterTheFactions
FeedPatientUtility.ShouldBeFed: post: BabiesAndChildren.Harmony.FeedPatientUtility_ShouldBeFed_Patch.Postfix
Fire.DoComplexCalcs: PRE: SaveOurShip2.FixOutdoorTemp+ComplexFlammability.Prefix post: SaveOurShip2.FixOutdoorTemp+CannotBurnInSpace.extinguish, SaveOurShip2.FixOutdoorTemp+ComplexFlammability.Postfix
Fire.SpawnSmokeParticles: PRE: SaveOurShip2.FixOutdoorTemp+FixFireBugF.Prefix
Fire.TrySpread: PRE: SaveOurShip2.FixOutdoorTemp+SpreadMechanites.Prefix post: SaveOurShip2.FixOutdoorTemp+SpreadMechanites.Postfix
FixOutdoorTemp.SelectiveWorldGeneration.Replace: post: FactionColonies.SoS2HarmonyPatches.Postfix
FloatMenuMakerMap.AddDraftedOrders: PRE: VFE.Mechanoids.HarmonyPatches.AddDraftedOrders_Patch.Prefix
FloatMenuMakerMap.AddHumanlikeOrders: PRE: [800]LWM.DeepStorage.Patch_AddHumanlikeOrders.Prefix, Pawnmorph.FloatMenuMakerMapPatches+AddHumanlikeOrdersPatch.Prefix_AddHumanlikeOrders, PrisonLabor.HarmonyPatches.Triggers+AddHumanlikeOrders.Prefix post: BetterBedAssign.BetterBedAssignMod.AddOwnerAssign, MVCF.Harmony.Brawlers.AddHumanlikeOrders_Postfix, HeavyWeapons.Patch_FloatMenuMakerMap+AddHumanlikeOrders_Fix.Postfix, VFECore.Patch_FloatMenuMakerMap+AddHumanlikeOrders_Fix.Postfix, JecsTools._HumanlikeOrdersUtility.AddHumanlikeOrders_PostFix, O21Toolbox.HarmonyPatches.Harmony_Apparel+AddHumanlikeOrdersPostfix.Postfix, O21Toolbox.Utility.HumanlikeOrdersUtility+_HumanlikeOrdersUtility.AddHumanlikeOrders_PostFix, AwesomeInventory.Common.HarmonyPatches.AddHumanlikeOrders_AwesomeInventory_Patch.Postfix, AwesomeInventory.HarmonyPatches.AddPickupOption.Postfix, PrisonLabor.HarmonyPatches.Patches_GUI.GUI_RMB.Patch_RMB_Chains.Postfix, rjw.RMB_Menu.SexFloatMenuOption, SaveOurShip2.FixOutdoorTemp+EggFix.FillThatNest, SimpleSidearms.intercepts.FloatMenuMakerMap_AddHumanLikeOrders_Postfix.AddHumanlikeOrders, [0]LWM.DeepStorage.Patch_AddHumanlikeOrders.Postfix TRANS: LWM.DeepStorage.Patch_AddHumanlikeOrders.Transpiler
FloatMenuMakerMap.AddJobGiverWorkOrders: PRE: WhatTheHack.Harmony.FloatMenuMakerMap_AddJobGiverWorkOrders.Prefix
FloatMenuMakerMap.AddJobGiverWorkOrders_NewTmp: PRE: AchtungMod.FloatMenuMakerMap_AddJobGiverWorkOrders_Patch.Prefix post: AchtungMod.FloatMenuMakerMap_AddJobGiverWorkOrders_Patch.Postfix TRANS: AchtungMod.FloatMenuMakerMap_AddJobGiverWorkOrders_Patch.Transpiler
FloatMenuMakerMap.AddUndraftedOrders: post: Children.ChildrenHarmony+FloatMenuMakerMap_Patch.AddUndraftedOrders_Post
FloatMenuMakerMap.CanTakeOrder: post: VFE.Mechanoids.HarmonyPatches.MechanoidsObeyOrders.Postfix, GeneticRim.GeneticRim_FloatMenuMakerMap_CanTakeOrder_Patch.MakePawnControllable, Pawnmorph.FloatMenuMakerMapPatches+CanTakeOrderPatch.MakePawnControllable, rjw.disable_FloatMenuMakerMap.this_is_postfix, SaveOurShip2.OrderFix.CommandTheDamnShuttle
FloatMenuMakerMap.ChoicesAtFor: post: AchtungMod.FloatMenuMakerMap_ChoicesAtFor_Patch.Postfix, WhatTheHack.Harmony.FloatMenuMakerMap_ChoicesAtFor.Postfix TRANS: Pawnmorph.FloatMenuMakerMapPatches+AddHumanlikeOrdersToSA.Transpiler
FogGrid.FloodUnfogAdjacent: PRE: SaveOurShip2.FixOutdoorTemp+DoNotSpamMePlease.CheckBiome post: SaveOurShip2.FixOutdoorTemp+DoNotSpamMePlease.NoMoreAreaSpam
FogGrid.UnfogWorker: post: Replace_Stuff.OverMineable.UnFogFix.Postfix
FoodUtility.AddFoodPoisoningHediff: PRE: Pawnmorph.HPatches.FoodUtilityPatches+FoodPoisoningIgnoreChance.Prefix
FoodUtility.BestFoodSourceOnMap: PRE: [800]RIMMSqol.ThinkResultContextFood2.Prefix, O21Toolbox.HarmonyPatches.Patches.Harmony_CustomDispenser+Patch_BestFoodSourceOnMap.Prefix, Pawnmorph.HPatches.FoodUtilityPatches+FixBestFoodSourceForFormerHumans.Prefix post: O21Toolbox.HarmonyPatches.Patches.Harmony_CustomDispenser+Patch_BestFoodSourceOnMap.Postfix, [0]RIMMSqol.ThinkResultContextFood2.Postfix TRANS: Pawnmorph.HPatches.FoodUtilityPatches+FixBestFoodSourceForFormerHumans.Transpiler, PrisonLabor.HarmonyPatches.Patches_Food.AddCustomFoodReservation.Transpiler
FoodUtility.FoodOptimality: PRE: O21Toolbox.HarmonyPatches.Patches.Harmony_CustomDispenser+Patch_FoodOptimality.Prefix
FoodUtility.GetBodyPartNutrition: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
FoodUtility.GetFinalIngestibleDef: PRE: O21Toolbox.HarmonyPatches.Patches.Harmony_CustomDispenser+Patch_GetFinalIngestibleDef.Prefix
FoodUtility.GetPreyScoreFor: post: Mehni.Misc.Modifications.HarmonyPatches.GetPreyScoreFor_Postfix
FoodUtility.IsAcceptablePreyFor: PRE: O21Toolbox.HarmonyPatches.Patch_FoodUtility_IsAcceptablePreyFor.Prefix
FoodUtility.IsFoodSourceOnMapSociallyProper: post: PrisonLabor.HarmonyPatches.Patches_Food.FoodUtility_IsFoodSourceOnMapSociallyProper.Postfix
FoodUtility.ShouldBeFedBySomeone: post: BabiesAndChildren.Harmony.FoodUtility_ShouldBeFedBySomeone_Patch.Postfix
FoodUtility.SpawnedFoodSearchInnerScan: PRE: O21Toolbox.HarmonyPatches.Patches.Harmony_CustomDispenser+Patch_SpawnedFoodSearchInnerScan.Prefix
FoodUtility.ThoughtsFromIngesting: post: AlienRace.HarmonyPatches.ThoughtsFromIngestingPostfix, Pawnmorph.PawnmorphPatches.ThoughtsFromIngestingPostfix
FoodUtility.TryFindBestFoodSourceFor: PRE: [800]RIMMSqol.ThinkResultContextFood1.Prefix post: RimFridge.Patch_FoodUtility_TryFindBestFoodSourceFor.Postfix, [0]RIMMSqol.ThinkResultContextFood1.Postfix
FoodUtility.WillIngestStackCountOf: PRE: O21Toolbox.HarmonyPatches.CompatPatch_WillIngestStackCountOf.Prefix
ForbidUtility.InAllowedArea: post: AchtungMod.ForbidUtility_InAllowedArea_Patch.Postfix
ForbidUtility.IsForbidden: PRE: AchtungMod.ForbidUtility_IsForbidden_Patch.Prefix post: RIMMSqol.ThingForbiddenPredicatesFix.Postfix, PrisonLabor.HarmonyPatches.Patches_ForbidUtil.Patch_ForbidUtility.isForbidPostfix
Frame.CompleteConstruction: PRE: Replace_Stuff.Virtualize_CompleteConstruction.Prefix, Replace_Stuff.NewThing.RememberWasNewThing.Prefix TRANS: Replace_Stuff.DestroyedRestore.ReviveBuilding.Transpiler
Frame.Destroy: PRE: Replace_Stuff.PlaceBridges.CancelFrame.Prefix, Replace_Stuff.DestroyedRestore.FrameRemoval.Prefix
Frame.FailConstruction: PRE: Replace_Stuff.Virtualize_FailConstruction.Prefix
Frame.MaterialsNeeded: PRE: Replace_Stuff.Virtualize_MaterialsNeeded.Prefix
Frame.get_WorkToBuild: PRE: Replace_Stuff.Virtualize_WorkToBuild.Prefix post: Replace_Stuff.NewThing.NewThingDeconstructWork.Postfix
FuelValueStat.TransformValue: TRANS: RocketMan.Optimizations.StatWorker_GetValueUnfinalized_Hijacked_Patch.Transpiler
GUIUtility.AlignRectToDevice: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.AlignRectToDevice: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.ExitGUI: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.GUIToScreenPoint: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.GUIToScreenRect: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.GetControlID: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.GetControlID: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.GetControlID: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.GetControlID: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.GetControlID: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.GetControlID: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.GetStateObject: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.QueryStateObject: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.RotateAroundPivot: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.ScaleAroundPivot: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.ScreenToGUIPoint: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.ScreenToGUIRect: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.get_hotControl: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.get_keyboardControl: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.set_hotControl: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GUIUtility.set_keyboardControl: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Game.AddMap: post: TacticalGroups.HarmonyPatches.EntriesDirty
Game.DeinitAndRemoveMap: post: HugsLib.Patches.Game_DeinitAndRemoveMap_Patch.MapRemovalHook, TD_Enhancement_Pack.MapRemover.Postfix, TacticalGroups.HarmonyPatches.IsPlayingDirty_Postfix
Game.FillComponents: PRE: HugsLib.Patches.Game_FillComponents_Patch.GameInitializationHook
Game.FinalizeInit: post: HugsLib.Patches.Game_FinalizeInit_Patch.WorldLoadedHook, CameraPlus.Game_FinalizeInit_Patch.Postfix, RimHUD.Patch.Verse_Game_FinalizeInit.Postfix, AchtungMod.Game_FinalizeInit_Patch.Postfix, SaveOurShip2.FinalizeInitHelper.Postfix
Game.InitNewGame: TRANS: VFECore.Patch_Game+InitNewGame.Transpiler
Game.LoadGame: PRE: PrisonLabor.HarmonyPatches.Triggers+UpgradeSave.Prefix, SaveOurShip2.GameLoadHelper.Prefix, SaveOurShip2.FixOutdoorTemp+LoadPreviousWorlds.PurgeIt post: Rimefeller.HarmonyPatches+Harmony_FinalizeInit.Postfix, SaveOurShip2.GameLoadHelper.Postfix
Game.UpdatePlay: PRE: SaveOurShip2.SectionThreadManager.Prefix post: SaveOurShip2.SectionThreadManager.Postfix
Game.set_CurrentMap: post: TD_Enhancement_Pack.ChangeMapResetOverlays.Postfix, TacticalGroups.HarmonyPatches.EntriesDirty
GameComponentUtility.LoadedGame: post: VFECore.Patch_GameComponentUtility+LoadedGame.Postfix, RimFridge.Patch_GameComponentUtility_LoadedGame.Postfix
GameComponentUtility.StartedNewGame: post: RimFridge.Patch_GameComponentUtility_StartedNewGame.Postfix
GameConditionManager.ConditionIsActive: post: SaveOurShip2.FixOutdoorTemp+SpacecraftAreHardenedAgainstSolarFlares.Nope
GameConditionManager.get_ElectricityDisabled: post: SaveOurShip2.FixOutdoorTemp+SpacecraftAreAlsoHardenedInOnePointOne.PowerOn
GameDataSaveLoader.SaveGame: PRE: aRandomKiwi.ARS.GameDataSaveLoader_Patch+SaveGame.Listener
GameEnder.CheckOrUpdateGameOver: post: O21Toolbox.HarmonyPatches.Patches.Patch_CheckOrUpdateGameOver.CheckOrUpdateGameOver_Postfix
GameInitData.PrepForMapGen: PRE: AlienRace.HarmonyPatches.PrepForMapGenPrefix
GameRules.DesignatorAllowed: post: AlienRace.HarmonyPatches.DesignatorAllowedPostfix, Children.ChildrenHarmony+GameRules_DesignatorAllowed_Patch.DesignatorAllowedPre
GatheringsUtility.ShouldGuestKeepAttendingGathering: PRE: O21Toolbox.HarmonyPatches.CompatPatch_ShouldGuestKeepAttendingGathering.Prefix
GenAI.MachinesLike: post: Pawnmorph.HPatches.GenAIPatches.FixMachinesLike
GenConstruct.BlocksConstruction: PRE: Replace_Stuff.PlaceBridges.HandleBlocksConstruction.Prefix, Replace_Stuff.Other.PawnBlockConstruction.Prefix, AchtungMod.GenConstruct_BlocksConstruction_Patch.Prefix post: Replace_Stuff.CoolerWallShare_Blocks.Postfix, Replace_Stuff.ReplaceFrameNoBlock.Postfix, Replace_Stuff.OverMineable.MineableBlocksConstruction.Postfix, Replace_Stuff.NewThing.NewThingBlocksConstruction.Postfix, JecsTools.HarmonyPatches.BlocksConstruction_PostFix, SaveOurShip2.FixOutdoorTemp+HullTilesDontWipe.Postfix TRANS: Replace_Stuff.Other.FramesDontBlock.Transpiler
GenConstruct.CanBuildOnTerrain: TRANS: Replace_Stuff.PlaceBridges.CanPlaceBlueprint.Transpiler
GenConstruct.CanConstruct: post: AlienRace.HarmonyPatches.CanConstructPostfix
GenConstruct.CanPlaceBlueprintAt: post: Replace_Stuff.NormalBuildReplace.Postfix, WhatTheHack.Harmony.GenConstruct_CanPlaceBlueprintAt.Postfix TRANS: Replace_Stuff.NormalBuildReplace.Transpiler, Replace_Stuff.OverMineable.BlueprintOverFogged.Transpiler, Replace_Stuff.OverMineable.InteractionSpot.Transpiler
GenConstruct.CanPlaceBlueprintOver: post: Replace_Stuff.CoolerWallShare_Blueprint.Postfix, Replace_Stuff.OverMineable.CanPlaceBlueprintOverMineable.Postfix, Replace_Stuff.NewThing.CanPlaceBlueprintOverOldThing.Postfix TRANS: Replace_Stuff.OverMineable.FramesAreEdificesInSomeCases.Transpiler
GenConstruct.HandleBlockingThingJob: TRANS: Replace_Stuff.OverMineable.DontMineSmoothingRock.Transpiler
GenConstruct.PlaceBlueprintForBuild: PRE: Replace_Stuff.Replace.InterceptBlueprint.Prefix, Replace_Stuff.PlaceBridges.InterceptBlueprintPlaceBridgeFrame.Prefix, Replace_Stuff.OverMineable.InterceptBlueprintOverMinable.Prefix
GenConstruct.PlaceBlueprintForInstall: PRE: Replace_Stuff.PlaceBridges.InterceptBlueprintPlaceBridgeFrame_Install.Prefix
GenConstruct.PlaceBlueprintForReinstall: PRE: Replace_Stuff.PlaceBridges.InterceptBlueprintPlaceBridgeFrame_Reinstall.Prefix
GenDefDatabase.AllDefTypesWithDatabases: post: AchievementsExpanded.AssemblyHandler.DuplicateDefTypesPassthrough
GenDraw.DrawFieldEdges: PRE: TD_Enhancement_Pack.DrawFieldEdgesCorners.Prefix
GenDraw.DrawMeshNowOrLater: PRE: Children.ChildrenHarmony+GenDraw_DrawMeshNowOrLater_Patch.DrawMeshNowOrLater_Pre
GenFilePaths.get_AllSavedGameFiles: PRE: aRandomKiwi.ARS.GenFilePaths_Patch+get_AllSavedGameFiles.Listener
GenGrid.Standable: post: WhatTheHack.Harmony.GenGrid_Standable.Postfix
GenHostility.GetPreyOfMyFaction: post: Arachnophobia.HarmonyPatches.GetPreyOfMyFaction_PostFix
GenLeaving.DoLeavingsFor: PRE: D9Framework.DeconstructReturnFix+CalcFix.DoLeavingsForPrefix
GenMapUI.DrawPawnLabel: PRE: [10000]CameraPlus.GenMapUI_DrawPawnLabel_Patch.Prefix
GenMapUI.DrawThingLabel: PRE: [10000]CameraPlus.GenMapUI_DrawThingLabel_Patch.Prefix TRANS: CameraPlus.GenMapUI_DrawThingLabel_Patch.Transpiler
GenPath.ShouldNotEnterCell: post: Replace_Stuff.OverMineable.ShouldNotEnterCellPatch.Postfix
GenPlace.TryPlaceDirect: PRE: LWM.DeepStorage.Patch_TryPlaceDirect.Prefix post: LWM.DeepStorage.Patch_TryPlaceDirect.Postfix
GenRecipe.<MakeRecipeProducts>d__0.MoveNext: TRANS: TD_Enhancement_Pack.ColorVariation.GenRecipe_Transpiler
GenRecipe.MakeRecipeProducts: post: VanillaSocialInteractionsExpanded.MakeRecipeProducts_Patch.Postfix
GenSpawn.Refund: post: Replace_Stuff.NewThing.RefundDeconstruct.Postfix TRANS: Replace_Stuff.NewThing.RefundDeconstruct.Transpiler
GenSpawn.Spawn: PRE: Replace_Stuff.NewThing.TransferSettings.Prefix, WhatTheHack.Harmony.GenSpawn_Spawn.Prefix post: AchievementsExpanded.AchievementHarmony.ThingBuildingSpawned, AchievementsExpanded.AchievementHarmony.ThingBuildingSpawned, Replace_Stuff.NewThing.TransferSettings.Postfix, WhatTheHack.Harmony.GenSpawn_Spawn.Postfix TRANS: LWM.DeepStorage.Patch_GenSpawn_Spawn.Transpiler, WhatTheHack.Harmony.GenSpawn_Spawn.Transpiler
GenSpawn.SpawningWipes: PRE: Replace_Stuff.PlaceBridges.DontWipeBridgeBlueprints.Prefix post: Replace_Stuff.CoolerWallShare_Wipes.Postfix, Replace_Stuff.CoolerWipesCooler.Postfix, Replace_Stuff.OverMineable.NoWipeFrame.Postfix, Replace_Stuff.BlueprintReplace.WipeBlueprints.Postfix, JecsTools.HarmonyPatches.SpawningWipes_PostFix, SaveOurShip2.FixOutdoorTemp+ConduitWipe.PerhapsNoConduitHere
GenStep_Settlement.ScatterAt: PRE: KCSG.GenStepPatches.Prefix TRANS: VFECore.Patch_GenStep_Settlement+ScatterAt.Transpiler
GenTemperature.ComfortableTemperatureRange: PRE: Analyzer.Performance.H_ComfortableTemperatureRange.Prefix post: Analyzer.Performance.H_ComfortableTemperatureRange.Postfix
GenUI.ThingsUnderMouse: TRANS: LWM.DeepStorage.Patch_GenUI_ThingsUnderMouse.Transpiler
GhostDrawer.DrawGhostThing: PRE: Replace_Stuff.OverMineable.GhostOverFogChecker.Prefix
GhostUtility.GhostGraphicFor: post: VanillaFurnitureExpanded.VanillaExpandedFramework_GhostUtility_GhostGraphicFor_Patch.DisplayBlueprintGraphic TRANS: Replace_Stuff.OverMineable.ShowGhostOverFog.Transpiler
Gizmo_CaravanInfo.GizmoOnGUI: post: WhatTheHack.Harmony.Gizmo_CaravanInfo_GizmoOnGUI.Postfix
Gizmos.DrawCube: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawFrustum: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawGUITexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawGUITexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawGUITexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawGUITexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawIcon: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawIcon: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawLine: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawRay: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawRay: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawSphere: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawWireCube: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawWireMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawWireMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawWireMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawWireMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawWireMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawWireMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawWireMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawWireMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.DrawWireSphere: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.get_color: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.get_matrix: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.set_color: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Gizmos.set_matrix: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GlobalControls.TemperatureString: post: SaveOurShip2.FixOutdoorTemp+ShowBreathability.CheckO2
GlobalControlsUtility.DoDate: post: FoodAlert.HarmonyPatches.FoodCounter_NearDatePostfix
GlobalControlsUtility.DoTimespeedControls: PRE: Analyzer.GUIElement_TPS.Prefix
GlowFlooder.AddFloodGlowFor: (no patches)
GlowFlooder.SetGlowGridFromDist: (no patches)
GlowGrid.DeRegisterGlower: (no patches)
GlowGrid.MarkGlowGridDirty: PRE: RocketMan.Optimizations.GlowGrid_Patch+MarkGlowGridDirty_Patch.Prefix post: TD_Enhancement_Pack.GlowGridDirty_Patch.Postfix
GlowGrid.RecalculateAllGlow: (no patches)
GlowGrid.RegisterGlower: (no patches)
GrammarUtility.RulesForPawn: post: AlienRace.HarmonyPatches.RulesForPawnPostfix
Graphic.Draw: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphic.DrawFromDef: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphic.DrawOffset: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphic.MeshAt: PRE: Children.ChildrenHarmony+Graphic_MeshAt_Patch.MeshAt_Pre
Graphic.get_Color: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphic.get_ColorTwo: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphic.get_Shader: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphic.get_ShadowGraphic: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
GraphicMeshSet.MeshAt: PRE: Children.ChildrenHarmony+GraphicMeshSet_MeshAt_Patch.MeshAt_Pre
Graphics.Blit: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.Blit: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.Blit: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.Blit: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.Blit: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.Blit: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.Blit: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.Blit: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.Blit: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.Blit: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.BlitMultiTap: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.BlitMultiTap: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.ConvertTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.ConvertTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.CopyTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.CopyTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.CopyTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.CopyTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.CreateAsyncGraphicsFence: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.CreateAsyncGraphicsFence: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.CreateGraphicsFence: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMesh: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstanced: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstancedIndirect: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstancedIndirect: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstancedIndirect: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstancedIndirect: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstancedIndirect: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstancedIndirect: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstancedIndirect: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstancedIndirect: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshInstancedIndirect: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshNow: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshNow: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshNow: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawMeshNow: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawProcedural: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawProcedural: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawProceduralIndirect: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawProceduralIndirect: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawProceduralIndirectNow: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawProceduralIndirectNow: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawProceduralNow: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawProceduralNow: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.DrawTexture: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.SetRandomWriteTarget: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.SetRandomWriteTarget: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.SetRandomWriteTarget: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.SetRenderTarget: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.SetRenderTarget: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.SetRenderTarget: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.SetRenderTarget: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.SetRenderTarget: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.SetRenderTarget: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.SetRenderTarget: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.SetRenderTarget: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.SetRenderTarget: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.SetRenderTarget: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.WaitOnAsyncGraphicsFence: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.WaitOnAsyncGraphicsFence: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.get_activeColorBuffer: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.get_activeColorGamut: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.get_activeDepthBuffer: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
Graphics.get_preserveFramebufferAlpha: TRANS: RocketMan.Optimizations.GraphicConsts_Patch.Transpiler
HarmonyPatches.DrawAddons: PRE: Rimworld_Animations.HarmonyPatch_AlienRace.Prefix_AnimateHeadAddons, Children.ChildrenHarmony+AlienRaces_DrawAddons_Patch.DrawAddons_Pre, BabiesAndChildren.Harmony.AlienRacePatches+DrawAddons_Patch.Prefix post: Children.ChildrenHarmony+AlienRaces_DrawAddons_Patch.DrawAddons_Post
HarmonyPatches.GetPawnHairMesh: post: BabiesAndChildren.Harmony.AlienRacePatches+GetPawnHairMesh_Patch.Postfix
HarmonyPatches.GetPawnMesh: post: BabiesAndChildren.Harmony.AlienRacePatches+GetPawnMesh_Patch.Postfix
HaulAIUtility.HaulToCellStorageJob: TRANS: LWM.DeepStorage.Patch_HaulToCellStorageJob.Transpiler
HaulAIUtility.PawnCanAutomaticallyHaulFast: PRE: AchtungMod.HaulAIUtility_PawnCanAutomaticallyHaulFast_Patch.Prefix TRANS: PrisonLabor.HarmonyPatches.Patches_Food.ReservedByPrisonerPatch.Transpiler
HaulAIUtility.TryFindSpotToPlaceHaulableCloseTo: post: Replace_Stuff.OverMineable.TryFindSpotToPlaceHaulableCloseToPatch.Postfix
HaulDestinationManager.RemoveHaulDestination: post: TD_Enhancement_Pack.UrgentRefill_Deletion_Patches.Postfix
HeDiffComp_HediffExclusive.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HealthAIUtility.FindBestMedicine: PRE: O21Toolbox.HarmonyPatches.Patch_HealthAIUtility_FindBestMedicine.Prefix
HealthAIUtility.ShouldSeekMedicalRestUrgent: post: BabiesAndChildren.Harmony.HealthAIUtility_ShouldSeekMedicalRestUrgent_Patch.Postfix
HealthCardUtility.DrawHediffRow: PRE: PeteTimesSix.CompactHediffs.HarmonyPatches.HealthCardUtility_DrawHediffRow.HealthCardUtility_DrawHediffRow_DestructivePrefix, Pawnmorph.PatchHealthCardUtilityDrawHediffRow.Prefix
HealthCardUtility.DrawOverviewTab: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
HealthCardUtility.DrawPawnHealthCard: post: DubsMintMenus.Patch_HealthCardUtility.Postfix TRANS: PeteTimesSix.CompactHediffs.HarmonyPatches.HealthCardUtility_DrawPawnHealthCard.HealthCardUtility_DrawPawnHealthCard_Transpiler
HealthCardUtility.GenerateSurgeryOption: PRE: WhatTheHack.Harmony.HealthCardUtility_GenerateSurgeryOption.Prefix post: MVCF.Harmony.Brawlers.GenerateSurgeryOption_Postfix
HealthCardUtility.VisibleHediffGroupsInOrder: post: PeteTimesSix.CompactHediffs.HarmonyPatches.HealthCardUtility_VisibleHediffGroupsInOrder.HealthCardUtility_VisibleHediffGroupsInOrder_Postfix
HealthUtility.ShouldRandomSurgeryInjuriesAvoidDestroying: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
Hediff.CauseDeathNow: post: AchievementsExpanded.AchievementHarmony.HediffDeathEvent
Hediff.PostRemoved: post: MVCF.Harmony.Trackers.PostRemoved_Postfix
Hediff.Tick: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler, Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler, Soyuz.Patches.Hediff_Tick_Patch.Transpiler
Hediff.get_BleedRate: post: Soyuz.Patches.Hediff_BleedRate_Patch.Postfix
Hediff.get_Label: post: Children.ChildrenHarmony+Hediff_Label_Patch.Label_Post
HediffComp.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffCompDamageOverTime.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffCompOnlyInSpace.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_AddSeverity.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_AnoleGrown.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_AnotherRandom.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_CauseMentalState.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_ChanceToRemove.CompPostTick: PRE: Soyuz.Patches.HediffComp_Patch+HediffComp_ChanceToRemove_Patch.Prefix TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_ChangeImplantLevel.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_ChangeNeed.CompPostTick: PRE: Soyuz.Patches.HediffComp_Patch+HediffComp_ChangeNeed_Patch.Prefix TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_DamageBrain.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_DestroyUponDeathOrDowned.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_Disappears.CompPostTick: PRE: Soyuz.Patches.HediffComp_Patch+HediffComp_Disappears_Patch.Prefix TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_Discoverable.CheckDiscovered: PRE: Children.ChildrenHarmony+HediffComp_Discoverable_Patch.Hediff_Pregnant_CheckDiscoveredPre, Children.ChildrenHarmony+HediffComp_Discoverable_CheckDiscovered_Patch.CheckDiscovered_Pre
HediffComp_Discoverable.CompPostTick: PRE: Soyuz.Patches.HediffComp_Patch+HediffComp_Discoverable_Patch.Prefix TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_Disorientation.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_DissolveGearOnDeath.Notify_PawnDied: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
HediffComp_ExitMap.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_ExplodeOnDowned.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_FeelingBrokenSeverityReduce.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_Filther.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_FootPrinter.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_GenderHediffAssociation.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_GenericHatcher.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_GrowthMode.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_GrowthSeverityScaling.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_Hatcher.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_HealHediff.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_HealInjury.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_HealPermanentWounds.CompPostTick: PRE: Soyuz.Patches.HediffComp_Patch+HediffComp_HealPermanentWounds_Patch.Prefix TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_HealScar.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_HediffNullifier.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_HediffRandom.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_Infecter.CompPostTick: PRE: Soyuz.Patches.HediffComp_Patch+HediffComp_Infecter_Patch.Prefix TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_InnerShine.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_KillAfterDays.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_LifeStageHediffAssociation.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_Link.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_Milker.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_Mime.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_ModifyAge.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_MultipleHediff.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_OnTheCarpet.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_Production.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_PsychicHarmonizer.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_RainbowTrail.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_RandySpawner.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_ReactOnDamage.React: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
HediffComp_RegenSeverityScaling.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_Regeneration.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_Remove.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_SelfHeal.CompPostTick: PRE: Soyuz.Patches.HediffComp_Patch+HediffComp_SelfHeal_Patch.Prefix TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_SeverityFromEntropy.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_SeverityPerDay.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_SkillDecay.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_Spawner.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_Steamer.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_TendDuration.CompPostTick: PRE: Soyuz.Patches.HediffComp_Patch+HediffComp_TendDuration_Patch.Prefix TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_TerrainBasedMorph.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_TrailLeaver.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_VerbGiver.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffComp_WhileHavingThoughts.CompPostTick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HediffGiver.TryApply: PRE: [600]Children.ChildrenHarmony+HediffGiver_TryApply.HediffGiver_TryApply_Prefix
HediffGiver_Hypothermia.OnIntervalPassed: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
HediffSet.<>c.<get_HasHead>b__11_0: post: AlienRace.HarmonyPatches.HasHeadPostfix
HediffSet.AddDirect: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
HediffSet.CacheMissingPartsCommonAncestors: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
HediffSet.CalculateBleedRate: post: TinyTweaks.Patch_HediffSet+CalculateBleedRate.Postfix
HediffSet.CalculatePain: PRE: O21Toolbox.HarmonyPatches.CompatPatch_CalculatePain.Prefix, CosmicHorror.HarmonyPatches.CalculatePain_PreFix
HediffSet.get_HasHead: PRE: AlienRace.HarmonyPatches.HasHeadPrefix
HediffStatsUtility.SpecialDisplayStats: post: WhatTheHack.Harmony.HediffStatsUtility_SpecialDisplayStats.Postfix
HediffWithComps.get_Visible: PRE: Children.ChildrenHarmony+HediffWithComps_Preg_Patch.Visible_Pre
Hediff_AcidBuildup.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_AcidBuildup.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_AddedMutation.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_Addiction.get_Need: PRE: Children.ChildrenHarmony+Hediff_Addiction_Need.Hediff_Addiction_Need_Prefix
Hediff_Alcohol.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_AutoHeal.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_AutoTraining.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_BasicConvert.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_BleedingWound.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_Burrowing.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_Converter.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_Crushing.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_FatalRad.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_HeartAttack.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_HumanHybrids.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_ImplantWithLevel.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_Injury.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_InsectClouds.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_InsectEgg.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_MicroComputer.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_MissingPart.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_PartBaseArtifical.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_PartBaseNatural.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_Pregnant.DoBirthSpawn: PRE: rjw.PATCH_Hediff_Pregnant_DoBirthSpawn.on_begin_DoBirthSpawn, Children.ChildrenHarmony+Hediff_Pregnant_Patch2.Pawn_DoBirthSpawn_Pre
Hediff_Pregnant.Miscarry: post: Children.ChildrenHarmony+Hediff_Pregnant_Patch.Hediff_Pregnant_MiscarryDone
Hediff_Pregnant.Tick: PRE: rjw.PATCH_Hediff_Pregnant_Tick.on_begin_Tick, Children.ChildrenHarmony+Hediff_Pregnant_PatchMCPrevent.Hediff_Pregnant_TickPre, Soyuz.Patches.Hediff_Pregnant_Tick_Patch.Prefix TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_ProducingHormonalSerum.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_Stalking.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_StampedeClouds.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
Hediff_UnhappyBaby.Tick: TRANS: Soyuz.Patches.HediffComp_Patch+HediffComp_GenHashInterval_Replacement.Transpiler
HistoryAutoRecorderWorker_ColonistMood.PullRecord: post: AchievementsExpanded.AchievementHarmony.AverageMoodColony
HugsLibController.LoadReloadInitialize: post: Rimefeller.RimefellerMod.Postfix
ITab.get_PaneTopY: PRE: RimHUD.Patch.RimWorld_ITab_PaneTopY.Prefix
ITab_Pawn_Character.get_IsVisible: PRE: WhatTheHack.Harmony.ITab_Pawn_Character_IsVisible.Prefix post: VFE.Mechanoids.HarmonyPatches.NoBioForMachines.Postfix
ITab_Pawn_Gear.DrawThingRow: post: CompSlotLoadable.HarmonyCompSlotLoadable.DrawThingRow_PostFix, O21Toolbox.HarmonyPatches.Patches.Patch_ITab_Pawn_Gear_DrawThingRow.DrawThingRow_PostFix TRANS: D9Framework.CMFHarmonyPatch.ITab_Pawn_Gear_DrawThingRowTranspiler
ITab_Pawn_Gear.InterfaceDrop: PRE: CompInstalledPart.HarmonyCompInstalledPart.InterfaceDrop_PreFix, rjw.PATCH_ITab_Pawn_Gear_InterfaceDrop.drop_locked_apparel, SimpleSidearms.intercepts.ITab_Pawn_Gear_InterfaceDrop_Prefix.InterfaceDrop, WhatTheHack.Harmony.ITab_Pawn_Gear_InterfaceDrop.Prefix
ITab_Pawn_Gear.TryDrawOverallArmor: TRANS: VFECore.Patch_ITab_Pawn_Gear+TryDrawOverallArmor.Transpiler, AlienRace.HarmonyPatches.BodyReferenceTranspiler
ITab_Pawn_Health..ctor: post: PeteTimesSix.CompactHediffs.HarmonyPatches.ITab_Pawn_Health_Patches.ITab_Pawn_Health_Patches_ctor_Postifx
ITab_Pawn_Visitor.FillTab: TRANS: PrisonLabor.HarmonyPatches.Patches_GUI.GUI_PrisonerTab.Patch_AddScrollToPrisonerTab.Transpiler, PrisonLabor.HarmonyPatches.Patches_GUI.GUI_PrisonerTab.Patch_ExtendVistorRect.Transpiler, PrisonLabor.HarmonyPatches.Patches_GUI.GUI_PrisonerTab.Patch_PrisonerTab.Transpiler
ITab_Shells.get_SelStoreSettingsParent: post: SaveOurShip2.FixOutdoorTemp+TorpedoesHaveShellTab.CheckThisOneThree
ImmunityHandler.DiseaseContractChanceFactor: post: O21Toolbox.HarmonyPatches.Patch_ImmunityHandler_DiseaseContractChanceFactor.Postfix
ImmunityHandler.ExposeData: post: Pawnmorph.HPatches.ImmunityHandlerPatches+FixImmunityHandler.Postfix
ImmunityRecord.ImmunityChangePerTick: post: Soyuz.Patches.ImmunityRecord_ImmunityChangePerTick_Patch.Postfix
ImmunityRecord.ImmunityTick: post: AchievementsExpanded.AchievementHarmony.ImmunityTicking, VanillaSocialInteractionsExpanded.ImmunityTick_Patch.Postfix
IncidentWorker.TryExecute: PRE: VanillaStorytellersExpanded.Patch_TryExecute.Prefix post: AchievementsExpanded.AchievementHarmony.IncidentTriggered, AchievementsExpanded.AchievementHarmony.IncidentTriggered
IncidentWorker.get_BaseChanceThisGame: post: IncidentTweaker.Patch.PatchIncidentWorkerBaseChanceThisGame.Postfix
IncidentWorker_Disease.PotentialVictims: post: O21Toolbox.HarmonyPatches.Patch_IncidentWorker_Disease_PotentialVictims.Postfix
IncidentWorker_FarmAnimalsWanderIn.TryFindRandomPawnKind: post: SaveOurShip2.FixOutdoorTemp+NoArchoCritters.Postfix
IncidentWorker_HerdMigration.GenerateAnimals: TRANS: Mehni.Misc.Modifications.HarmonyPatches.BigHerds_Transpiler
IncidentWorker_PsychicEmanation.TryExecuteWorker: post: SaveOurShip2.FixOutdoorTemp+TogglePsychicAmplifierQuest.Postfix
IncidentWorker_Raid.TryExecuteWorker: PRE: VanillaStorytellersExpanded.Patch_TryExecuteWorker.Prefix TRANS: [800]WhatTheHack.Harmony.IncidentWorker_Raid_TryExecuteWorker.Transpiler
IncidentWorker_RaidEnemy.GetLetterText: post: RaiderInfo.Patch_IncidentWorker_RaidEnemy_GetLetterText.AppendCountOfRaiders
IncidentWorker_RaidEnemy.TryResolveRaidFaction: PRE: WhatTheHack.Harmony.IncidentWorker_RaidEnemy_TryResolveRaidFaction.Prefix
IncidentWorker_RaidFriendly.TryResolveRaidFaction: post: FactionColonies.FactionFC+RaidFriendlyStopSettlementFaction.Postfix
IncidentWorker_ResourcePodCrash.TryExecuteWorker: TRANS: TD_Enhancement_Pack.ResourcePodCrashContents.Transpiler
IncidentWorker_ShortCircuit.TryExecuteWorker: PRE: WhatTheHack.Harmony.IncidentWorker_ShortCircuit_TryExcecuteWorker.Prefix
IncidentWorker_TraderCaravanArrival.CanFireNowSub: post: SaveOurShip2.FixOutdoorTemp+NoTradersInSpace.Nope
IncidentWorker_WandererJoin.TryExecuteWorker: TRANS: VFECore.Patch_IncidentWorker_WandererJoin+TryExecuteWorker.Transpiler
IndividualThoughtToAdd.Add: post: VanillaSocialInteractionsExpanded.IndividualThoughtToAdd_Patch.Postfix
InfestationCellFinder.GetScoreAt: post: Rimatomics.HarmonyPatches+Harmony_GetScoreAt.Postfix
InspectGizmoGrid.DrawInspectGizmoGridFor: TRANS: AllowTool.Patches.InspectGizmoGrid_DrawInspectGizmoGridFor_Patch.RegisterReverseDesignatorCommandPair, MicroDesignations.InspectGizmoGrid_DrawInspectGizmoGridFor_MicroDesignationsPatch.Transpiler, Blueprints.Patch_InspectGizmoGrid_DrawInspectGizmoGridFor.Transpiler
InspectPaneFiller.DoPaneContentsFor: PRE: RimHUD.Patch.RimWorld_InspectPaneFiller_DoPaneContentsFor.Prefix
InspectPaneUtility.AdjustedLabelFor: TRANS: TooltippedLongNames.AdjustedLabelFor_Transpiler.Transpiler
InspectPaneUtility.DoTabs: PRE: RimHUD.Patch.RimWorld_InspectPaneUtility_DoTabs.Prefix
InspectPaneUtility.InspectPaneOnGUI: PRE: RimHUD.Patch.RimWorld_InspectPaneUtility_InspectPaneOnGUI.Prefix
InspectPaneUtility.PaneSizeFor: PRE: RimHUD.Patch.RimWorld_InspectPaneUtility_PaneSizeFor.Prefix
InspectPaneUtility.PaneWidthFor: PRE: RimHUD.Patch.RimWorld_InspectPaneUtility_PaneWidthFor.Prefix
InspectPaneUtility.ToggleTab: post: SimpleSearchBar.HarmonyPatches.ResetKeyword
InspectTabBase.get_TabRect: post: DubsMintMenus.HarmonyPatches.TabSizeAdjuster
InspirationHandler.EndInspiration: post: VanillaSocialInteractionsExpanded.EndInspiration_Patch.Postfix
InspirationHandler.InspirationHandlerTick: PRE: O21Toolbox.HarmonyPatches.CompatPatch_InspirationHandlerTick.Prefix
InspirationHandler.TryStartInspiration_NewTemp: post: VanillaSocialInteractionsExpanded.TryStartInspiration_NewTemp_Patch.Postfix
InteractionUtility.CanInitiateInteraction: PRE: O21Toolbox.HarmonyPatches.CompatPatch_CanInitiateInteraction.CompatPatch_CanDoInteraction
InteractionUtility.CanReceiveInteraction: PRE: O21Toolbox.HarmonyPatches.CompatPatch_CanReceiveInteraction.CompatPatch_CanDoInteraction
InteractionUtility.CanReceiveRandomInteraction: PRE: Pawnmorph.HPatches.InteractionPatches+SapientAnimalsRandomInteractionPatch.SapientAnimalPatch
InteractionWorker_Breakup.Interacted: post: VanillaSocialInteractionsExpanded.Interacted_Patch.Postfix
InteractionWorker_Breakup.RandomSelectionWeight: post: RomanceTweaks.BreakupRandomSelectionWeightPatcher.Postfix
InteractionWorker_DeepTalk.RandomSelectionWeight: post: VanillaSocialInteractionsExpanded.InteractionWorker_DeepTalk_RandomSelectionWeight_Patch.Postfix
InteractionWorker_KindWords.RandomSelectionWeight: post: VanillaSocialInteractionsExpanded.InteractionWorker_KindWords_RandomSelectionWeight_Patch.Postfix
InteractionWorker_RecruitAttempt.DoRecruit: post: TinyTweaks.NightOwl_Patches+InteractionWorker_RecruitAttempt_DoRecruit.Postfix
InteractionWorker_RecruitAttempt.DoRecruit: PRE: VanillaSocialInteractionsExpanded.DoRecruit_Patch.Prefix, PrisonLabor.HarmonyPatches.Patches_WorkSettings.Patch_ResetWorktableWhenRecruited.Prefix post: VanillaSocialInteractionsExpanded.DoRecruit_Patch.Postfix
InteractionWorker_RecruitAttempt.Interacted: TRANS: VanillaSocialInteractionsExpanded.InteractionWorker_RecruitAttempt_Interacted_Patch.Transpiler
InteractionWorker_RomanceAttempt.BreakLoverAndFianceRelations: PRE: JustPolyamory.RomanceBreakRelationsPatch.Prefix
InteractionWorker_RomanceAttempt.Interacted: post: JustPolyamory.RomanceInteractedPatch.Postfix
InteractionWorker_RomanceAttempt.RandomSelectionWeight: post: VanillaSocialInteractionsExpanded.InteractionWorker_RomanceAttempt_RandomSelectionWeight_Patch.Postfix, JustPolyamory.RomanceSelectionPatch.Postfix, RomanceTweaks.RomanceAttemptRandomSelectionWeightPatcher.Postfix
InteractionWorker_RomanceAttempt.SuccessChance: post: VanillaSocialInteractionsExpanded.SuccessChance_Patch.Postfix, JustPolyamory.RomanceSuccessPatch.Postfix, RomanceTweaks.RomanceAttemptSuccessChancePatcher.Postfix
Job.ExposeData: PRE: MicroDesignations.Job_Patch+Job_ExposeData_MicroDesignationsPatch.Prefix
JobDriver.Cleanup: PRE: rjw.PATCH_JobDriver_DubsBadHygiene.on_cleanup_driver, rjw.PATCH_JobDriver_Loving_Cleanup.on_cleanup_driver
JobDriver.DriverTick: TRANS: Soyuz.Patches.JobDriver_DriverTick_Patch.Transpiler
JobDriver_AttackMelee.TryMakePreToilReservations: post: SimpleSidearms.intercepts.JobDriver_AttackMelee_TryMakePreToilReservations.Postfix
JobDriver_BestowingCeremony.MakeNewToils: post: VanillaSocialInteractionsExpanded.JobDriver_BestowingCeremony_MakeNewToils.Postfix
JobDriver_BuildRoof.DoEffect: post: Analyzer.Performance.H_JobDriver_BuildRoof.DoEffectPostfix
JobDriver_CarryToCryptosleepCasket.MakeNewToils: PRE: SaveOurShip2.FixOutdoorTemp+JobDriverFix.BlockExecution post: SaveOurShip2.FixOutdoorTemp+JobDriverFix.FillThatCasket
JobDriver_Flee.MakeNewToils: post: TD_Enhancement_Pack.StopFlee.Postfix
JobDriver_FoodDeliver.GetReport: post: O21Toolbox.HarmonyPatches.Patches.Harmony_CustomDispenser+Patch_JobDriver_FoodDeliver_GetReport.Postfix
JobDriver_FoodDeliver.MakeNewToils: post: PrisonLabor.HarmonyPatches.Patches_Food.ReserveFoodForPrisonerAfterDropping.Postfix
JobDriver_FoodFeedPatient.GetReport: post: O21Toolbox.HarmonyPatches.Patches.Harmony_CustomDispenser+Patch_JobDriver_FoodFeedPatient_GetReport.Postfix
JobDriver_HaulCorpseToPublicPlace.MakeNewToils: post: VanillaSocialInteractionsExpanded.JobDriver_HaulCorpseToPublicPlace_MakeNewToils.Postfix
JobDriver_Hunt.MakeNewToils: post: MVCF.Harmony.Hunting.MakeNewToils
JobDriver_Ingest.GetReport: post: O21Toolbox.HarmonyPatches.Patches.Harmony_CustomDispenser+Patch_JobDriver_Ingest_GetReport.Postfix
JobDriver_Ingest.MakeNewToils: post: VanillaSocialInteractionsExpanded.JobDriver_Ingest_MakeNewToils.Postfix, AlphaBehavioursAndEvents.AlphaAnimals_JobDriver_Ingest_MakeNewToils_Patch.ApplyHediffIfCorpseEaten
JobDriver_Ingest.PrepareToIngestToils: PRE: Pawnmorph.PawnmorphPatches.PrepareToIngestToilsPrefix TRANS: Pawnmorph.Utilities.PatchUtilities.SubstituteFormerHumanMethodsPatch, Pawnmorph.HPatches.IngestJobPatches.Transpiler
JobDriver_LayDown.TryMakePreToilReservations: PRE: VFE.Mechanoids.HarmonyPatches.MechanoidsDoNotReserveBeds.Prefix post: VFE.Mechanoids.HarmonyPatches.MechanoidsDoNotReserveBeds.Postfix
JobDriver_Lovin.GenerateRandomMinTicksToNextLovin: post: Children.ChildrenHarmony+JobDriver_Lovin_Patch.JobDriver_Lovin_Done
JobDriver_Lovin.MakeNewToils: PRE: rjw.PATCH_JobDriver_Lovin_MakeNewToils.on_begin_lovin post: VanillaSocialInteractionsExpanded.JobDriver_Lovin_MakeNewToils.Postfix
JobDriver_Mate.MakeNewToils: PRE: rjw.PATCH_JobDriver_Mate_MakeNewToils.on_begin_matin
JobDriver_Meditate.MeditationTick: PRE: rjw.PATCH_JobDriver_Meditate_MeditationTick.on_JobDriver_Meditate post: SaveOurShip2.FixOutdoorTemp+MeditateToArchotechs.Postfix
JobDriver_Mine.MakeNewToils: post: PrisonLabor.HarmonyPatches.Patches_Work.Patch_JobDriver_Mine.Postfix
JobDriver_Nuzzle.MakeNewToils: post: Pawnmorph.HPatches.AnimalInteractionPatches+NuzzlePatches.MakeNewToilsPostfix
JobDriver_PredatorHunt.CheckWarnPlayer: PRE: PredatorHuntAlert.JobDriver_PredatorHunt_CheckWarnPlayer_Patch.Replace, CosmicHorror.HarmonyPatches.CheckWarnPlayer_Prefix
JobDriver_PredatorHunt.MakeNewToils: post: Pawnmorph.HPatches.HuntingPatches+JobDriver_PredatorHuntPatch.Postfix
JobDriver_Resurrect.MakeNewToils: post: VanillaSocialInteractionsExpanded.JobDriver_Resurrect_MakeNewToils.Postfix
JobDriver_Sex.SexTick: PRE: Rimworld_Animations.HarmonyPatch_SexTick.Prefix
JobDriver_SexBaseInitiator.End: post: Rimworld_Animations.HarmonyPatch_JobDriver_SexBaseInitiator_End.Postfix
JobDriver_SexBaseInitiator.Start: post: Rimworld_Animations.HarmonyPatch_JobDriver_SexBaseInitiator_Start.Postfix
JobDriver_TakeToBed.MakeNewToils: post: VanillaSocialInteractionsExpanded.JobDriver_TakeToBed_MakeNewToils.Postfix
JobDriver_Vomit.MakeNewToils: PRE: O21Toolbox.HarmonyPatches.CompatPatch_VomitJob.Prefix, O21Toolbox.HarmonyPatches.Harmony_Needs+Patch_VomitJob.Prefix
JobDriver_Wait.CheckForAutoAttack: post: AllowTool.Patches.JobDriverWait_CheckForAutoAttack_Patch.DoPartyHunting TRANS: MVCF.Harmony.MiscPatches.Transpiler_JobDriver_Wait_CheckForAutoAttack
JobDriver_Wear.Notify_Starting: TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
JobDriver_Wear.TryUnequipSomething: PRE: WhatTheHack.Harmony.JobDriver_Wear_TryUnequipSomething.Prefix TRANS: AlienRace.HarmonyPatches.BodyReferenceTranspiler
JobGiver_AIDefendPawn.TryGiveJob: PRE: GeneticAnimalRangeUnlocker.ARA_FightAI_Patch.Prefix, DragonsRangedAttack.ARA_FightAI_Patch.Prefix, AlphaAnimalRangeAttack.ARA_FightAI_Patch.Prefix
JobGiver_ConfigurableHostilityResponse.TryGetAttackNearbyEnemyJob: TRANS: TD_Enhancement_Pack.NotSoHostile.Transpiler
JobGiver_DoLovin.TryGiveJob: PRE: Pawnmorph.HPatches.DebugPatches.DoLovingDebugPrint post: Rimworld_Animations.HarmonyPatch_DoLovinAnimationPatch.Postfix